Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

'handle_call' getting timed out

i am calling elixir genserver from handle info function in GenServer to add phone-number getting form client. But as soon as handle_call is called owner process gets crashed [timeout]. Please help.

One ETS is created globally to insert values already before any below stated function is called.

def handle_info(message, state) do

    {a,b} = message
    phonenumber = b[:body] 
    add phonenumber
    {:noreply, state}
end

def add(phonenumber) do
    GenServer.call(__MODULE__, {:add, phonenumber})
end


def handle_call({:add, phonenumber}, from, state) do

    :ets.insert(:access_table, {:details, phonenumber})
    reply = {:ok, "Added #{phonenumber} to profile"}
    new_state = [{username} | state]
    {:reply, reply , new_state}
end

Error:

** When Server state == []
** Reason for termination == 
** {timeout,{gen_server,call,['Elixir.Bankrecord',{add,"346534543534"},5000]}}
** (EXIT from #PID<0.150.0>) exited in: :gen_server.call(Bankrecord, {:add, '346534543534'}, 5000)
** (EXIT) time out
like image 389
NewBee Avatar asked Aug 08 '14 01:08

NewBee


1 Answers

You can't call yourself from within a call, as in your handle_info invoking add which performs a call back on your gen_server. Since all operations happen sequentially in a gen_server, you end up blocking on yourself. The solution should be to use a simple private add function on the module and have both handle_info and handle_call({:add delegate to it.

def add(phonenumber) do
  GenServer.call(__MODULE__, {:add, phonenumber})
end

def handle_info({_, message}, state) do
  add_number message[:body]
  {:noreply, state}
end


def handle_call({:add, phonenumber}, from, state) do
  add_number phonenumber
  {:reply, {:ok, "Added #{phonenumber} to profile"} , [{username} | state]}
end

defp add_number(phonenumber) do
  :ets.insert(:access_table, {:details, phonenumber})
end
like image 123
Chris McCord Avatar answered Sep 28 '22 09:09

Chris McCord