Я хотел бы получить конструктивные отзывы о моем фреймворке для моделирования (это для моей дипломной работы). У меня нет формального опыта в программировании, и мне интересно, есть ли более эффективный и действенный способ структурировать мои коды для лучшей читаемости (то есть люди могут легко понять мои коды) и для запуска моего моделирования (экономия вычислительных ресурсов и времени) .
Вот краткое описание моей имитационной модели. Для каждого агента, которого я создаю в своем симуляционном мире, они проходят через серию событийных процессов (дискретное количество событий) ежегодно (отсюда дискретное время), пока они не умрут, не достигнут максимального возраста (например, 111) или не достигнут максимального возраста. временное окно (например, 2050 год, если агент создан в 2015 году, и я установил временное окно равным 35). Я использую модульный apporach, в котором каждый модуль содержит по крайней мере один процесс (пока я не задействовал более одного, но думаю, что смогу в будущем), функцию процесса для этого модуля и параметры для этой функции процесса.
Чтобы облегчить эту структуру, я создал абстрактный тип Simulation_Module, в котором содержатся модули событий.
abstractModule.jl:
abstract type Agent_Module end
abstract type Simulation_Module end
# sub modules
abstract type Birth_Module <: Simulation_Module end
abstract type Death_Module <: Simulation_Module end
agent.jl: Вот агентский модуль
mutable struct Agent{Z<:Bool,Y<:Int64} <: Agent_Module
sex::Z
age::Y
birth_year::Y
cal_year::Y
alive::Z
end
function set_agent!(ag, sex, age, birth_year,cal_year,alive)
ag.sex = sex;
ag.age= age;
ag.birth_year = birth_year;
ag.cal_year = cal_year;
ag.alive = alive;
nothing
end
agent = Agent(false,0,2015,2015,true)
Birth.jl: Модуль рождения
mutable struct Birth <: Birth_Module
parameters::Union{AbstractDict,Nothing}
process::Function
end
parameter_names = nothing
function birth_process(cal_year_index::Int64,parameters::Union{AbstractDict,Nothing}=nothing)::Bool
rand(Bernoulli(0.5))
end
birth = Birth(Dict_initializer(parameter_names),birth_process)
death.jl
mutable struct Death <: Death_Module
parameters::Union{AbstractDict,Nothing}
process::Function
end
parameter_names = nothing
function death_process(ag::Agent,parameters::Union{AbstractDict,Nothing}=nothing)::Bool
rand(Bernoulli(0.5))
end
death = Death(Dict_initializer(parameter_names),death_process)
Simulation.jl: Он содержит структуру для моделирования и функцию запуска для запуска моделирования.
using Setfield, Distributions, StatsFuns
using TimerOutputs
function Dict_initializer(parameter_names::Union{Nothing,Vector{Symbol}})
isnothing(parameter_names) ? nothing : Dict(parameter_names .=> missing)
end
# abstract types
include("abstractModule.jl")
# agent
include("agent.jl")
# event proceses
include("birth.jl")
include("death.jl")
mutable struct Simulation <: Simulation_Module
max_age::Int64
starting_calendar_year::Int64
time_horizon::Int64
n::Int64 # number of agents to create in each year
Agent::Agent_Module
Birth::Birth_Module
Death::Death_Module
OutcomeMatrix::AbstractDict # needs to be a dictionary
end
function run(simulation::Simulation_Module)
# Is it better to define the fields of the simulation object
# separately if I am going to use
# them in simulation multiple times?
max_age::Int64 = simulation.max_age
min_cal_year::Int64 = simulation.starting_calendar_year
max_cal_year::Int64 = min_cal_year + simulation.time_horizon - 1
simulation.n = (isnothing(simulation.n) ? 100 : simulation.n)
n::Int64 = simulation.n
max_time_horizon::Int64 = simulation.time_horizon
cal_years::Vector{Int64} = collect(min_cal_year:1:max_cal_year)
# store events
# total num of agents
n_list = zeros(Int64,simulation.time_horizon,2)
# store events by cal year, age, and sex for each event type
event_list::Vector{String} = ["death","alive"]
event_matrix = zeros(Int64,length(cal_years),max_age,2,length(event_list))
# time the performance
to = TimerOutput()
# initiate variables
tmp_n::Int64 = 0
tmp_cal_year_index::Int64 = 0
@timeit to "sleep" sleep(0.02)
for cal_year in cal_years
# for each calendar year
@timeit to "calendar year $cal_year" begin
tmp_cal_year_index = cal_year - min_cal_year + 1
for i in 1:n
# initialization: create a new agent
set_agent!(simulation.Agent,simulation.Birth.process(tmp_cal_year_index),0,tmp_cal_year_index,tmp_cal_year_index,true)
# update the total number of agents added to the simulation
n_list[tmp_cal_year_index,simulation.Agent.sex+1] +=1
# go through event processes for each agent until
# death or max age or max time horizon
while(simulation.Agent.alive && simulation.Agent.age <= max_age && simulation.Agent.cal_year <= max_time_horizon)
# I have other event processes
# death - the last process
if simulation.Death.process(simulation.Agent)
# dead
simulation.Agent.alive = false
event_matrix[simulation.Agent.cal_year,simulation.Agent.age+1,simulation.Agent.sex+1,1] += 1
else
# still alive!
event_matrix[simulation.Agent.cal_year,simulation.Agent.age+1,simulation.Agent.sex+1,2] += 1
simulation.Agent.age += 1
simulation.Agent.cal_year += 1
end
end # end while loop
end # end for loop: agents
end # end of begin timeit
end # end for loop: cal year
print_timer(to::TimerOutput)
# convert the event matrix into a dictionary
tmp_event_dict = Dict()
for jj in 1:length(event_list)
tmp_event_dict[event_list[jj]] = [event_matrix[:,:,1,jj],event_matrix[:,:,2,jj]]
end
# reshape event matrix into a dictionry of list of matrices
simulation.OutcomeMatrix = Dict("n" => n_list,
"outcome_matrix" => tmp_event_dict)
print("n Simulation finished. Check your simulation object for results.")
return nothing
end
# test run
simulation = Simulation(111,2015,25,5000, agent, birth, death,Dict());
run(simulation)
Вы можете напрямую скачать файлы с:
https://www.dropbox.com/sh/nrip5dc2rus6oto/AADIlZsngwjuUOwir9O2AeMsa?dl=0
Я только что предоставил два модуля, и моя функция запуска очень проста, но вы можете себе представить, что у меня было бы намного больше процессов и, следовательно, сложная функция запуска.
Помимо любых отзывов, которые у вас могут быть, я хотел бы знать, есть ли лучший фреймворк / инструмент, который я мог бы использовать (например, программный, структура «модулей», типы julia, встроенные функции и т. Д.).
Если что-то неясно, дайте мне знать. Спасибо!