자, 많은 이메일을 보내거나 사이트 맵을 다시 만들거나 4 시간마다 무엇이든 피닉스에서 또는 엘릭서에서 어떻게해야한다고 가정 해 봅시다.
답변
외부 의존성이 필요없는 간단한 대안이 있습니다 :
defmodule MyApp.Periodically do
use GenServer
def start_link do
GenServer.start_link(__MODULE__, %{})
end
def init(state) do
schedule_work() # Schedule work to be performed at some point
{:ok, state}
end
def handle_info(:work, state) do
# Do the work you desire here
schedule_work() # Reschedule once more
{:noreply, state}
end
defp schedule_work() do
Process.send_after(self(), :work, 2 * 60 * 60 * 1000) # In 2 hours
end
end
이제 감독 트리에서 :
worker(MyApp.Periodically, [])
답변
Quantum을 사용하면 런타임에 작업을 만들고 찾고 삭제할 수 있습니다.
또한 cronjob을 만들 때 작업 함수에 인수를 전달하고 UTC에 만족하지 않으면 시간대를 수정할 수도 있습니다.
앱이 여러 개의 격리 된 인스턴스 (예 : Heroku)로 실행중인 경우 PostgreSQL 또는 Redis가 지원하는 작업 프로세서가 있으며 작업 예약도 지원합니다.
오반 : https://github.com/sorentwo/oban
예 : https://github.com/akira/exq
토 니크 : https://github.com/joakimk/toniq
Verk : https://github.com/edgurgel/verk
답변
erlcron 을 사용할 수 있습니다 . 당신은 그것을 사용
job = {{:weekly, :thu, {2, :am}},
{:io, :fwrite, ["It's 2 Thursday morning~n"]}}
:erlcron.cron(job)
A job
는 2 요소 튜플입니다. 첫 번째 요소는 작업 일정을 나타내는 튜플이고 두 번째 요소는 함수 또는 MFA (모듈, 함수, Arity)입니다. 위의 예에서는 :io.fwrite("It's 2 Thursday morning")
목요일 오전 2 시마다 실행 합니다.
희망이 도움이됩니다!
답변
Quantum 라이브러리 Quantum- Elixir를 사용했습니다 .
아래 지침을 따르십시오.
#your_app/mix.exs
defp deps do
[{:quantum, ">= 1.9.1"},
#rest code
end
#your_app/mix.exs
def application do
[mod: {AppName, []},
applications: [:quantum,
#rest code
]]
end
#your_app/config/dev.exs
config :quantum, :your_app, cron: [
# Every minute
"* * * * *": fn -> IO.puts("Hello QUANTUM!") end
]
모든 설정. 아래 명령을 실행하여 서버를 시작하십시오.
iex -S mix phoenix.server
답변
내가 찾을 수 :timer.send_interval/2
로 사용하기 약간 더 인체 공학적 GenServer
이상 Process.send_after/4
(에서 사용 허용 대답 ).
알림을 처리 할 때마다 알림을 다시 예약 :timer.send_interval/2
하지 않고 메시지를받을 간격을 설정 schedule_work()
합니다. 허용 된 답변이 사용 하는 것처럼 계속 전화를 걸 필요가 없습니다 .
defmodule CountingServer do
use GenServer
def init(_) do
:timer.send_interval(1000, :update)
{:ok, 1}
end
def handle_info(:update, count) do
IO.puts(count)
{:noreply, count + 1}
end
end
1000ms마다 (즉, 1 초에 한 번) IntervalServer.handle_info/2
호출되고 current를 인쇄 count
하고 GenServer의 상태 ( count + 1
)를 업데이트하여 다음과 같은 출력을 제공합니다.
1
2
3
4
[etc.]