Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Passing data between blocks using sinatra

Tags:

ruby

sinatra

I'm trying to pass data between blocks using sinatra. For example:

@data = Hash.new
post "/" do
   @data[:test] = params.fetch("test").to_s
   redirect "/tmp"
end

get "/tmp" do
   puts @data[:test]
end

However whenever i get to the tmp block @data is nil and throws an error. Why is that?

like image 263
Dan Galipo Avatar asked Apr 24 '10 14:04

Dan Galipo


1 Answers

The reason is because the browser actually performs two separate HTTP requests.

Request: POST /
Response: 301 -> Location: /tmp
Request: GET /tmp
Response: ...

Two requests means two separate processes thus the @data instance variable is cleared once the first response is sent. If you want to preserve the information, you need to use cookies or sessions, otherwise pass the data in querystring

post "/" do
   test = params[:test]
   redirect "/tmp?test=#{test}"
end

get "/tmp" do
   puts params[:test]
end
like image 156
Simone Carletti Avatar answered Sep 28 '22 02:09

Simone Carletti