dalli 3.0.6 → 3.1.3
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of dalli might be problematic. Click here for more details.
- checksums.yaml +4 -4
- data/History.md +29 -0
- data/lib/dalli/client.rb +163 -261
- data/lib/dalli/options.rb +3 -3
- data/lib/dalli/pipelined_getter.rb +177 -0
- data/lib/dalli/protocol/base.rb +238 -0
- data/lib/dalli/protocol/binary/request_formatter.rb +11 -3
- data/lib/dalli/protocol/binary/response_header.rb +36 -0
- data/lib/dalli/protocol/binary/response_processor.rb +101 -42
- data/lib/dalli/protocol/binary/sasl_authentication.rb +1 -1
- data/lib/dalli/protocol/binary.rb +81 -445
- data/lib/dalli/protocol/connection_manager.rb +242 -0
- data/lib/dalli/protocol/response_buffer.rb +53 -0
- data/lib/dalli/protocol/server_config_parser.rb +7 -7
- data/lib/dalli/ring.rb +5 -1
- data/lib/dalli/socket.rb +8 -6
- data/lib/dalli/version.rb +1 -1
- data/lib/dalli.rb +9 -0
- data/lib/rack/session/dalli.rb +83 -74
- metadata +15 -4
@@ -0,0 +1,242 @@
|
|
1
|
+
# frozen_string_literal: true
|
2
|
+
|
3
|
+
require 'English'
|
4
|
+
require 'socket'
|
5
|
+
require 'timeout'
|
6
|
+
|
7
|
+
module Dalli
|
8
|
+
module Protocol
|
9
|
+
##
|
10
|
+
# Manages the socket connection to the server, including ensuring liveness
|
11
|
+
# and retries.
|
12
|
+
##
|
13
|
+
class ConnectionManager
|
14
|
+
DEFAULTS = {
|
15
|
+
# seconds between trying to contact a remote server
|
16
|
+
down_retry_delay: 30,
|
17
|
+
# connect/read/write timeout for socket operations
|
18
|
+
socket_timeout: 1,
|
19
|
+
# times a socket operation may fail before considering the server dead
|
20
|
+
socket_max_failures: 2,
|
21
|
+
# amount of time to sleep between retries when a failure occurs
|
22
|
+
socket_failure_delay: 0.1,
|
23
|
+
# Set keepalive
|
24
|
+
keepalive: true
|
25
|
+
}.freeze
|
26
|
+
|
27
|
+
attr_accessor :hostname, :port, :socket_type, :options
|
28
|
+
attr_reader :sock
|
29
|
+
|
30
|
+
def initialize(hostname, port, socket_type, client_options)
|
31
|
+
@hostname = hostname
|
32
|
+
@port = port
|
33
|
+
@socket_type = socket_type
|
34
|
+
@options = DEFAULTS.merge(client_options)
|
35
|
+
@request_in_progress = false
|
36
|
+
@sock = nil
|
37
|
+
@pid = nil
|
38
|
+
|
39
|
+
reset_down_info
|
40
|
+
end
|
41
|
+
|
42
|
+
def name
|
43
|
+
if socket_type == :unix
|
44
|
+
hostname
|
45
|
+
else
|
46
|
+
"#{hostname}:#{port}"
|
47
|
+
end
|
48
|
+
end
|
49
|
+
|
50
|
+
def establish_connection
|
51
|
+
Dalli.logger.debug { "Dalli::Server#connect #{name}" }
|
52
|
+
|
53
|
+
@sock = memcached_socket
|
54
|
+
@pid = Process.pid
|
55
|
+
rescue SystemCallError, Timeout::Error, EOFError, SocketError => e
|
56
|
+
# SocketError = DNS resolution failure
|
57
|
+
error_on_request!(e)
|
58
|
+
end
|
59
|
+
|
60
|
+
def reconnect_down_server?
|
61
|
+
return true unless @last_down_at
|
62
|
+
|
63
|
+
time_to_next_reconnect = @last_down_at + options[:down_retry_delay] - Time.now
|
64
|
+
return true unless time_to_next_reconnect.positive?
|
65
|
+
|
66
|
+
Dalli.logger.debug do
|
67
|
+
format('down_retry_delay not reached for %<name>s (%<time>.3f seconds left)', name: name,
|
68
|
+
time: time_to_next_reconnect)
|
69
|
+
end
|
70
|
+
false
|
71
|
+
end
|
72
|
+
|
73
|
+
def up!
|
74
|
+
log_up_detected
|
75
|
+
reset_down_info
|
76
|
+
end
|
77
|
+
|
78
|
+
# Marks the server instance as down. Updates the down_at state
|
79
|
+
# and raises an Dalli::NetworkError that includes the underlying
|
80
|
+
# error in the message. Calls close to clean up socket state
|
81
|
+
def down!
|
82
|
+
close
|
83
|
+
log_down_detected
|
84
|
+
|
85
|
+
@error = $ERROR_INFO&.class&.name
|
86
|
+
@msg ||= $ERROR_INFO&.message
|
87
|
+
raise_down_error
|
88
|
+
end
|
89
|
+
|
90
|
+
def raise_down_error
|
91
|
+
raise Dalli::NetworkError, "#{name} is down: #{@error} #{@msg}"
|
92
|
+
end
|
93
|
+
|
94
|
+
def socket_timeout
|
95
|
+
@socket_timeout ||= @options[:socket_timeout]
|
96
|
+
end
|
97
|
+
|
98
|
+
def confirm_ready!
|
99
|
+
error_on_request!(RuntimeError.new('Already writing to socket')) if request_in_progress?
|
100
|
+
close_on_fork if fork_detected?
|
101
|
+
end
|
102
|
+
|
103
|
+
def close
|
104
|
+
return unless @sock
|
105
|
+
|
106
|
+
begin
|
107
|
+
@sock.close
|
108
|
+
rescue StandardError
|
109
|
+
nil
|
110
|
+
end
|
111
|
+
@sock = nil
|
112
|
+
@pid = nil
|
113
|
+
abort_request!
|
114
|
+
end
|
115
|
+
|
116
|
+
def connected?
|
117
|
+
!@sock.nil?
|
118
|
+
end
|
119
|
+
|
120
|
+
def request_in_progress?
|
121
|
+
@request_in_progress
|
122
|
+
end
|
123
|
+
|
124
|
+
def start_request!
|
125
|
+
@request_in_progress = true
|
126
|
+
end
|
127
|
+
|
128
|
+
def finish_request!
|
129
|
+
@request_in_progress = false
|
130
|
+
end
|
131
|
+
|
132
|
+
def abort_request!
|
133
|
+
@request_in_progress = false
|
134
|
+
end
|
135
|
+
|
136
|
+
def read(count)
|
137
|
+
start_request!
|
138
|
+
data = @sock.readfull(count)
|
139
|
+
finish_request!
|
140
|
+
data
|
141
|
+
rescue SystemCallError, Timeout::Error, EOFError => e
|
142
|
+
error_on_request!(e)
|
143
|
+
end
|
144
|
+
|
145
|
+
def write(bytes)
|
146
|
+
start_request!
|
147
|
+
result = @sock.write(bytes)
|
148
|
+
finish_request!
|
149
|
+
result
|
150
|
+
rescue SystemCallError, Timeout::Error => e
|
151
|
+
error_on_request!(e)
|
152
|
+
end
|
153
|
+
|
154
|
+
# Non-blocking read. Should only be used in the context
|
155
|
+
# of a caller who has called start_request!, but not yet
|
156
|
+
# called finish_request!. Here to support the operation
|
157
|
+
# of the get_multi operation
|
158
|
+
def read_nonblock
|
159
|
+
@sock.read_available
|
160
|
+
end
|
161
|
+
|
162
|
+
def max_allowed_failures
|
163
|
+
@max_allowed_failures ||= @options[:socket_max_failures] || 2
|
164
|
+
end
|
165
|
+
|
166
|
+
def error_on_request!(err_or_string)
|
167
|
+
log_warn_message(err_or_string)
|
168
|
+
|
169
|
+
@fail_count += 1
|
170
|
+
if @fail_count >= max_allowed_failures
|
171
|
+
down!
|
172
|
+
else
|
173
|
+
# Closes the existing socket, setting up for a reconnect
|
174
|
+
# on next request
|
175
|
+
reconnect!('Socket operation failed, retrying...')
|
176
|
+
end
|
177
|
+
end
|
178
|
+
|
179
|
+
def reconnect!(message)
|
180
|
+
close
|
181
|
+
sleep(options[:socket_failure_delay]) if options[:socket_failure_delay]
|
182
|
+
raise Dalli::NetworkError, message
|
183
|
+
end
|
184
|
+
|
185
|
+
def reset_down_info
|
186
|
+
@fail_count = 0
|
187
|
+
@down_at = nil
|
188
|
+
@last_down_at = nil
|
189
|
+
@msg = nil
|
190
|
+
@error = nil
|
191
|
+
end
|
192
|
+
|
193
|
+
def memcached_socket
|
194
|
+
if socket_type == :unix
|
195
|
+
Dalli::Socket::UNIX.open(hostname, options)
|
196
|
+
else
|
197
|
+
Dalli::Socket::TCP.open(hostname, port, options)
|
198
|
+
end
|
199
|
+
end
|
200
|
+
|
201
|
+
def log_warn_message(err_or_string)
|
202
|
+
detail = err_or_string.is_a?(String) ? err_or_string : "#{err_or_string.class}: #{err_or_string.message}"
|
203
|
+
Dalli.logger.warn do
|
204
|
+
detail = err_or_string.is_a?(String) ? err_or_string : "#{err_or_string.class}: #{err_or_string.message}"
|
205
|
+
"#{name} failed (count: #{@fail_count}) #{detail}"
|
206
|
+
end
|
207
|
+
end
|
208
|
+
|
209
|
+
def close_on_fork
|
210
|
+
message = 'Fork detected, re-connecting child process...'
|
211
|
+
Dalli.logger.info { message }
|
212
|
+
# Close socket on a fork, setting us up for reconnect
|
213
|
+
# on next request.
|
214
|
+
close
|
215
|
+
raise Dalli::NetworkError, message
|
216
|
+
end
|
217
|
+
|
218
|
+
def fork_detected?
|
219
|
+
@pid && @pid != Process.pid
|
220
|
+
end
|
221
|
+
|
222
|
+
def log_down_detected
|
223
|
+
@last_down_at = Time.now
|
224
|
+
|
225
|
+
if @down_at
|
226
|
+
time = Time.now - @down_at
|
227
|
+
Dalli.logger.debug { format('%<name>s is still down (for %<time>.3f seconds now)', name: name, time: time) }
|
228
|
+
else
|
229
|
+
@down_at = @last_down_at
|
230
|
+
Dalli.logger.warn("#{name} is down")
|
231
|
+
end
|
232
|
+
end
|
233
|
+
|
234
|
+
def log_up_detected
|
235
|
+
return unless @down_at
|
236
|
+
|
237
|
+
time = Time.now - @down_at
|
238
|
+
Dalli.logger.warn { format('%<name>s is back (downtime was %<time>.3f seconds)', name: name, time: time) }
|
239
|
+
end
|
240
|
+
end
|
241
|
+
end
|
242
|
+
end
|
@@ -0,0 +1,53 @@
|
|
1
|
+
# frozen_string_literal: true
|
2
|
+
|
3
|
+
require 'socket'
|
4
|
+
require 'timeout'
|
5
|
+
|
6
|
+
module Dalli
|
7
|
+
module Protocol
|
8
|
+
##
|
9
|
+
# Manages the buffer for responses from memcached.
|
10
|
+
##
|
11
|
+
class ResponseBuffer
|
12
|
+
def initialize(io_source, response_processor)
|
13
|
+
@io_source = io_source
|
14
|
+
@response_processor = response_processor
|
15
|
+
end
|
16
|
+
|
17
|
+
def read
|
18
|
+
@buffer << @io_source.read_nonblock
|
19
|
+
end
|
20
|
+
|
21
|
+
# Attempts to process a single response from the buffer. Starts
|
22
|
+
# by advancing the buffer to the specified start position
|
23
|
+
def process_single_getk_response
|
24
|
+
bytes, resp_header, key, value = @response_processor.getk_response_from_buffer(@buffer)
|
25
|
+
advance(bytes)
|
26
|
+
[resp_header, key, value]
|
27
|
+
end
|
28
|
+
|
29
|
+
# Advances the internal response buffer by bytes_to_advance
|
30
|
+
# bytes. The
|
31
|
+
def advance(bytes_to_advance)
|
32
|
+
return unless bytes_to_advance.positive?
|
33
|
+
|
34
|
+
@buffer = @buffer[bytes_to_advance..-1]
|
35
|
+
end
|
36
|
+
|
37
|
+
# Resets the internal buffer to an empty state,
|
38
|
+
# so that we're ready to read pipelined responses
|
39
|
+
def reset
|
40
|
+
@buffer = +''
|
41
|
+
end
|
42
|
+
|
43
|
+
# Clear the internal response buffer
|
44
|
+
def clear
|
45
|
+
@buffer = nil
|
46
|
+
end
|
47
|
+
|
48
|
+
def in_progress?
|
49
|
+
!@buffer.nil?
|
50
|
+
end
|
51
|
+
end
|
52
|
+
end
|
53
|
+
end
|
@@ -19,22 +19,22 @@ module Dalli
|
|
19
19
|
DEFAULT_PORT = 11_211
|
20
20
|
DEFAULT_WEIGHT = 1
|
21
21
|
|
22
|
-
def self.parse(str
|
23
|
-
return parse_non_uri(str
|
22
|
+
def self.parse(str)
|
23
|
+
return parse_non_uri(str) unless str.start_with?(MEMCACHED_URI_PROTOCOL)
|
24
24
|
|
25
|
-
parse_uri(str
|
25
|
+
parse_uri(str)
|
26
26
|
end
|
27
27
|
|
28
|
-
def self.parse_uri(str
|
28
|
+
def self.parse_uri(str)
|
29
29
|
uri = URI.parse(str)
|
30
30
|
auth_details = {
|
31
31
|
username: uri.user,
|
32
32
|
password: uri.password
|
33
33
|
}
|
34
|
-
[uri.host, normalize_port(uri.port),
|
34
|
+
[uri.host, normalize_port(uri.port), :tcp, DEFAULT_WEIGHT, auth_details]
|
35
35
|
end
|
36
36
|
|
37
|
-
def self.parse_non_uri(str
|
37
|
+
def self.parse_non_uri(str)
|
38
38
|
res = deconstruct_string(str)
|
39
39
|
|
40
40
|
hostname = normalize_host_from_match(str, res)
|
@@ -45,7 +45,7 @@ module Dalli
|
|
45
45
|
socket_type = :tcp
|
46
46
|
port, weight = attributes_for_tcp_socket(res)
|
47
47
|
end
|
48
|
-
[hostname, port,
|
48
|
+
[hostname, port, socket_type, weight, {}]
|
49
49
|
end
|
50
50
|
|
51
51
|
def self.deconstruct_string(str)
|
data/lib/dalli/ring.rb
CHANGED
@@ -79,7 +79,7 @@ module Dalli
|
|
79
79
|
end
|
80
80
|
end
|
81
81
|
|
82
|
-
def
|
82
|
+
def pipeline_consume_and_ignore_responses
|
83
83
|
@servers.each do |s|
|
84
84
|
s.request(:noop)
|
85
85
|
rescue Dalli::NetworkError
|
@@ -92,6 +92,10 @@ module Dalli
|
|
92
92
|
@servers.first.socket_timeout
|
93
93
|
end
|
94
94
|
|
95
|
+
def close
|
96
|
+
@servers.each(&:close)
|
97
|
+
end
|
98
|
+
|
95
99
|
private
|
96
100
|
|
97
101
|
def threadsafe!
|
data/lib/dalli/socket.rb
CHANGED
@@ -85,13 +85,13 @@ module Dalli
|
|
85
85
|
##
|
86
86
|
class TCP < TCPSocket
|
87
87
|
include Dalli::Socket::InstanceMethods
|
88
|
-
|
88
|
+
# options - supports enhanced logging in the case of a timeout
|
89
|
+
attr_accessor :options
|
89
90
|
|
90
|
-
def self.open(host, port,
|
91
|
+
def self.open(host, port, options = {})
|
91
92
|
Timeout.timeout(options[:socket_timeout]) do
|
92
93
|
sock = new(host, port)
|
93
94
|
sock.options = { host: host, port: port }.merge(options)
|
94
|
-
sock.server = server
|
95
95
|
init_socket_options(sock, options)
|
96
96
|
|
97
97
|
options[:ssl_context] ? wrapping_ssl_socket(sock, host, options[:ssl_context]) : sock
|
@@ -132,13 +132,15 @@ module Dalli
|
|
132
132
|
##
|
133
133
|
class UNIX < UNIXSocket
|
134
134
|
include Dalli::Socket::InstanceMethods
|
135
|
-
attr_accessor :options, :server
|
136
135
|
|
137
|
-
|
136
|
+
# options - supports enhanced logging in the case of a timeout
|
137
|
+
# server - used to support IO.select in the pipelined getter
|
138
|
+
attr_accessor :options
|
139
|
+
|
140
|
+
def self.open(path, options = {})
|
138
141
|
Timeout.timeout(options[:socket_timeout]) do
|
139
142
|
sock = new(path)
|
140
143
|
sock.options = { path: path }.merge(options)
|
141
|
-
sock.server = server
|
142
144
|
sock
|
143
145
|
end
|
144
146
|
end
|
data/lib/dalli/version.rb
CHANGED
data/lib/dalli.rb
CHANGED
@@ -24,10 +24,15 @@ module Dalli
|
|
24
24
|
# payload too big for memcached
|
25
25
|
class ValueOverMaxSize < DalliError; end
|
26
26
|
|
27
|
+
# operation is not permitted in a multi block
|
28
|
+
class NotPermittedMultiOpError < DalliError; end
|
29
|
+
|
27
30
|
# Implements the NullObject pattern to store an application-defined value for 'Key not found' responses.
|
28
31
|
class NilObject; end # rubocop:disable Lint/EmptyClass
|
29
32
|
NOT_FOUND = NilObject.new
|
30
33
|
|
34
|
+
QUIET = :dalli_multi
|
35
|
+
|
31
36
|
def self.logger
|
32
37
|
@logger ||= (rails_logger || default_logger)
|
33
38
|
end
|
@@ -54,9 +59,13 @@ require_relative 'dalli/version'
|
|
54
59
|
require_relative 'dalli/compressor'
|
55
60
|
require_relative 'dalli/client'
|
56
61
|
require_relative 'dalli/key_manager'
|
62
|
+
require_relative 'dalli/pipelined_getter'
|
57
63
|
require_relative 'dalli/ring'
|
58
64
|
require_relative 'dalli/protocol'
|
65
|
+
require_relative 'dalli/protocol/base'
|
59
66
|
require_relative 'dalli/protocol/binary'
|
67
|
+
require_relative 'dalli/protocol/connection_manager'
|
68
|
+
require_relative 'dalli/protocol/response_buffer'
|
60
69
|
require_relative 'dalli/protocol/server_config_parser'
|
61
70
|
require_relative 'dalli/protocol/ttl_sanitizer'
|
62
71
|
require_relative 'dalli/protocol/value_compressor'
|
data/lib/rack/session/dalli.rb
CHANGED
@@ -8,14 +8,13 @@ require 'English'
|
|
8
8
|
module Rack
|
9
9
|
module Session
|
10
10
|
# Rack::Session::Dalli provides memcached based session management.
|
11
|
-
class Dalli < Abstract::
|
12
|
-
attr_reader :
|
11
|
+
class Dalli < Abstract::PersistedSecure
|
12
|
+
attr_reader :data
|
13
13
|
|
14
14
|
# Don't freeze this until we fix the specs/implementation
|
15
15
|
# rubocop:disable Style/MutableConstant
|
16
16
|
DEFAULT_DALLI_OPTIONS = {
|
17
|
-
namespace: 'rack:session'
|
18
|
-
memcache_server: 'localhost:11211'
|
17
|
+
namespace: 'rack:session'
|
19
18
|
}
|
20
19
|
# rubocop:enable Style/MutableConstant
|
21
20
|
|
@@ -33,25 +32,14 @@ module Rack
|
|
33
32
|
# ENV['MEMCACHE_SERVERS'] and use that value if it is available, or fall
|
34
33
|
# back to the same default behavior described above.
|
35
34
|
#
|
36
|
-
# Rack::Session::Dalli
|
37
|
-
#
|
38
|
-
#
|
39
|
-
#
|
40
|
-
# Dalli::Client (or ConnectionPool) and use that instead of letting
|
41
|
-
# Rack::Session::Dalli instantiate it on your behalf, simply pass it in
|
42
|
-
# as the `:cache` option. Please note that you will be responsible for
|
43
|
-
# setting the namespace and any other options on Dalli::Client.
|
35
|
+
# Rack::Session::Dalli accepts the same options as Dalli::Client, so
|
36
|
+
# it's worth reviewing its documentation. Perhaps most importantly,
|
37
|
+
# if you don't specify a `:namespace` option, Rack::Session::Dalli
|
38
|
+
# will default to using 'rack:session'.
|
44
39
|
#
|
45
|
-
#
|
46
|
-
#
|
47
|
-
#
|
48
|
-
# `:namespace` option, Rack::Session::Dalli will default to using
|
49
|
-
# "rack:session".
|
50
|
-
#
|
51
|
-
# Whether you are using the `:cache` option or not, it is not recommend
|
52
|
-
# to set `:expires_in`. Instead, use `:expire_after`, which will control
|
53
|
-
# both the expiration of the client cookie as well as the expiration of
|
54
|
-
# the corresponding entry in memcached.
|
40
|
+
# It is not recommended to set `:expires_in`. Instead, use `:expire_after`,
|
41
|
+
# which will control both the expiration of the client cookie as well
|
42
|
+
# as the expiration of the corresponding entry in memcached.
|
55
43
|
#
|
56
44
|
# Rack::Session::Dalli also accepts a host of options that control how
|
57
45
|
# the sessions and session cookies are managed, including the
|
@@ -78,87 +66,108 @@ module Rack
|
|
78
66
|
super
|
79
67
|
|
80
68
|
# Determine the default TTL for newly-created sessions
|
81
|
-
@default_ttl = ttl
|
82
|
-
|
83
|
-
# Normalize and validate passed options
|
84
|
-
mserv, mopts, popts = extract_dalli_options(options)
|
85
|
-
|
86
|
-
@pool = ConnectionPool.new(popts || {}) { ::Dalli::Client.new(mserv, mopts) }
|
69
|
+
@default_ttl = ttl(@default_options[:expire_after])
|
70
|
+
@data = build_data_source(options)
|
87
71
|
end
|
88
72
|
|
89
|
-
def
|
90
|
-
|
91
|
-
|
92
|
-
|
93
|
-
|
94
|
-
|
95
|
-
unless dc.add(sid, session, @default_ttl)
|
96
|
-
sid = old_sid
|
97
|
-
redo # generate a new sid and try again
|
98
|
-
end
|
99
|
-
end
|
100
|
-
[sid, session]
|
73
|
+
def find_session(_req, sid)
|
74
|
+
with_dalli_client([nil, {}]) do |dc|
|
75
|
+
existing_session = existing_session_for_sid(dc, sid)
|
76
|
+
return [sid, existing_session] unless existing_session.nil?
|
77
|
+
|
78
|
+
[create_sid_with_empty_session(dc), {}]
|
101
79
|
end
|
102
80
|
end
|
103
81
|
|
104
|
-
def
|
105
|
-
return false unless
|
82
|
+
def write_session(_req, sid, session, options)
|
83
|
+
return false unless sid
|
106
84
|
|
107
|
-
|
108
|
-
dc.set(
|
109
|
-
|
85
|
+
with_dalli_client(false) do |dc|
|
86
|
+
dc.set(memcached_key_from_sid(sid), session, ttl(options[:expire_after]))
|
87
|
+
sid
|
110
88
|
end
|
111
89
|
end
|
112
90
|
|
113
|
-
def
|
114
|
-
|
115
|
-
dc.delete(
|
91
|
+
def delete_session(_req, sid, options)
|
92
|
+
with_dalli_client do |dc|
|
93
|
+
dc.delete(memcached_key_from_sid(sid))
|
116
94
|
generate_sid_with(dc) unless options[:drop]
|
117
95
|
end
|
118
96
|
end
|
119
97
|
|
120
|
-
|
121
|
-
|
98
|
+
private
|
99
|
+
|
100
|
+
def memcached_key_from_sid(sid)
|
101
|
+
sid.private_id
|
122
102
|
end
|
123
103
|
|
124
|
-
def
|
125
|
-
|
104
|
+
def existing_session_for_sid(client, sid)
|
105
|
+
return nil unless sid && !sid.empty?
|
106
|
+
|
107
|
+
client.get(memcached_key_from_sid(sid))
|
126
108
|
end
|
127
109
|
|
128
|
-
def
|
129
|
-
|
110
|
+
def create_sid_with_empty_session(client)
|
111
|
+
loop do
|
112
|
+
sid = generate_sid_with(client)
|
113
|
+
|
114
|
+
break sid if client.add(memcached_key_from_sid(sid), {}, @default_ttl)
|
115
|
+
end
|
130
116
|
end
|
131
117
|
|
132
|
-
|
118
|
+
def generate_sid_with(client)
|
119
|
+
loop do
|
120
|
+
raw_sid = generate_sid
|
121
|
+
sid = raw_sid.is_a?(String) ? Rack::Session::SessionId.new(raw_sid) : raw_sid
|
122
|
+
break sid unless client.get(memcached_key_from_sid(sid))
|
123
|
+
end
|
124
|
+
end
|
125
|
+
|
126
|
+
def build_data_source(options)
|
127
|
+
server_configurations, client_options, pool_options = extract_dalli_options(options)
|
128
|
+
|
129
|
+
if pool_options.empty?
|
130
|
+
::Dalli::Client.new(server_configurations, client_options)
|
131
|
+
else
|
132
|
+
ensure_connection_pool_added!
|
133
|
+
ConnectionPool.new(pool_options) do
|
134
|
+
::Dalli::Client.new(server_configurations, client_options.merge(threadsafe: false))
|
135
|
+
end
|
136
|
+
end
|
137
|
+
end
|
133
138
|
|
134
139
|
def extract_dalli_options(options)
|
135
140
|
raise 'Rack::Session::Dalli no longer supports the :cache option.' if options[:cache]
|
136
141
|
|
137
|
-
|
142
|
+
client_options = retrieve_client_options(options)
|
143
|
+
server_configurations = client_options.delete(:memcache_server)
|
144
|
+
|
145
|
+
[server_configurations, client_options, retrieve_pool_options(options)]
|
146
|
+
end
|
147
|
+
|
148
|
+
def retrieve_client_options(options)
|
138
149
|
# Filter out Rack::Session-specific options and apply our defaults
|
139
150
|
filtered_opts = options.reject { |k, _| DEFAULT_OPTIONS.key? k }
|
140
|
-
|
141
|
-
mserv = mopts.delete :memcache_server
|
142
|
-
|
143
|
-
popts = {}
|
144
|
-
if mopts[:pool_size] || mopts[:pool_timeout]
|
145
|
-
popts[:size] = mopts.delete :pool_size if mopts[:pool_size]
|
146
|
-
popts[:timeout] = mopts.delete :pool_timeout if mopts[:pool_timeout]
|
147
|
-
mopts[:threadsafe] = true
|
148
|
-
end
|
149
|
-
|
150
|
-
[mserv, mopts, popts]
|
151
|
+
DEFAULT_DALLI_OPTIONS.merge(filtered_opts)
|
151
152
|
end
|
152
153
|
|
153
|
-
def
|
154
|
-
|
155
|
-
|
156
|
-
|
154
|
+
def retrieve_pool_options(options)
|
155
|
+
{}.tap do |pool_options|
|
156
|
+
pool_options[:size] = options.delete(:pool_size) if options[:pool_size]
|
157
|
+
pool_options[:timeout] = options.delete(:pool_timeout) if options[:pool_timeout]
|
157
158
|
end
|
158
159
|
end
|
159
160
|
|
160
|
-
def
|
161
|
-
|
161
|
+
def ensure_connection_pool_added!
|
162
|
+
require 'connection_pool'
|
163
|
+
rescue LoadError => e
|
164
|
+
warn "You don't have connection_pool installed in your application. "\
|
165
|
+
'Please add it to your Gemfile and run bundle install'
|
166
|
+
raise e
|
167
|
+
end
|
168
|
+
|
169
|
+
def with_dalli_client(result_on_error = nil, &block)
|
170
|
+
@data.with(&block)
|
162
171
|
rescue ::Dalli::DalliError, Errno::ECONNREFUSED
|
163
172
|
raise if /undefined class/.match?($ERROR_INFO.message)
|
164
173
|
|
@@ -166,7 +175,7 @@ module Rack
|
|
166
175
|
warn "#{self} is unable to find memcached server."
|
167
176
|
warn $ERROR_INFO.inspect
|
168
177
|
end
|
169
|
-
|
178
|
+
result_on_error
|
170
179
|
end
|
171
180
|
|
172
181
|
def ttl(expire_after)
|