我将Nginx与Phusion Passenger结合使用,以在EC2 CentOS计算机上运行Rails应用程序。

我为Nginx,Rails,Phusion Passenger和SSL(我认为)建立了相当不错的标准。我的nginx.conf在下面。到目前为止,它工作得很好,只是每次两个请求同时到达服务器时,都会创建一个新的Rails实例来服务第二个请求。

问题在于,第二个请求一旦定向到新创建的Rails实例,它将失去原始Rails实例的经过身份验证的会话,从而导致错误。我的会话存储在内存中。

解决方法是,将passenger_max_instances_per_app设置为1,这样就可以创建新的Rails实例,但这只是一个临时解决方案。

有谁知道如何使Nginx为来自相同来源的请求维护相同的会话?我可能在这里缺少明显的东西。

谢谢!

worker_processes  1;

events {
    worker_connections  1024;
}

http {
    ...
    passenger_pool_idle_time 0;
    passenger_max_instances_per_app 1;

    include       mime.types;
    default_type  application/octet-stream;

    sendfile        on;
    keepalive_timeout  65;

    # this server isn't rails enabled.
    # will redirect all traffic to https
    server {
        listen       80;
        server_name  example.com;
        rewrite ^ https://www.example.com$request_uri permanent;

        error_page   500 502 503 504  /50x.html;
        location = /50x.html {
            root   html;
        }
    }

    # HTTPS server
    # - by default everything is served by https
    server {
        listen       443;
        server_name  www.example.com;
        root   /rails/root/public;
        passenger_enabled on;
        rails_env production;

        ssl                  on;
        ssl_certificate      /path/to/cert/www.example.com.crt;
        ssl_certificate_key  /path/to/cert/www.example.com.key;
        ssl_session_timeout  5m;
    }
}

最佳答案

通常,我们使用passenger_max_pool_size 2;,除非我们将其完全省略(采用默认设置),并且您指定的两个设置passenger_pool_idle_timepassenger_max_instances_per_app也保留为默认设置。

会话密钥应保存在cookie中,以便Rails可以在请求之间进行查找。假设工作正常,问题在于多个Rails实例不共享内存(功能,不是错误-它们是进程,不是线程),因此不共享会话数据。尝试将会话信息移到ActiveRecord中:

# Use the database for sessions instead of the cookie-based default,
# which shouldn't be used to store highly confidential information
# (create the session table with "rake db:sessions:create")
ActionController::Base.session_store = :active_record_store


(以上代码在config/initializers/session_store.rb中)

这样,由于数据存储可访问多个Rails进程,因此它们都应有权访问相同的活动会话池。

08-26 23:00
查看更多