eventflit 0.1.0

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.
data/lib/eventflit.rb ADDED
@@ -0,0 +1,69 @@
1
+ autoload 'Logger', 'logger'
2
+ require 'uri'
3
+ require 'forwardable'
4
+
5
+ require 'eventflit/client'
6
+
7
+ # Used for configuring API credentials and creating Channel objects
8
+ #
9
+ module Eventflit
10
+ # All errors descend from this class so they can be easily rescued
11
+ #
12
+ # @example
13
+ # begin
14
+ # Eventflit.trigger('channel_name', 'event_name, {:some => 'data'})
15
+ # rescue Eventflit::Error => e
16
+ # # Do something on error
17
+ # end
18
+ class Error < RuntimeError; end
19
+ class AuthenticationError < Error; end
20
+ class ConfigurationError < Error
21
+ def initialize(key)
22
+ super "missing key `#{key}' in the client configuration"
23
+ end
24
+ end
25
+ class HTTPError < Error; attr_accessor :original_error; end
26
+
27
+ class << self
28
+ extend Forwardable
29
+
30
+ def_delegators :default_client, :scheme, :host, :port, :app_id, :key, :secret, :http_proxy
31
+ def_delegators :default_client, :notification_host, :notification_scheme
32
+ def_delegators :default_client, :scheme=, :host=, :port=, :app_id=, :key=, :secret=, :http_proxy=
33
+ def_delegators :default_client, :notification_host=, :notification_scheme=
34
+
35
+ def_delegators :default_client, :authentication_token, :url, :cluster
36
+ def_delegators :default_client, :encrypted=, :url=, :cluster=
37
+ def_delegators :default_client, :timeout=, :connect_timeout=, :send_timeout=, :receive_timeout=, :keep_alive_timeout=
38
+
39
+ def_delegators :default_client, :get, :get_async, :post, :post_async
40
+ def_delegators :default_client, :channels, :channel_info, :channel_users
41
+ def_delegators :default_client, :trigger, :trigger_batch, :trigger_async, :trigger_batch_async
42
+ def_delegators :default_client, :authenticate, :webhook, :channel, :[]
43
+ def_delegators :default_client, :notify
44
+
45
+ attr_writer :logger
46
+
47
+ def logger
48
+ @logger ||= begin
49
+ log = Logger.new($stdout)
50
+ log.level = Logger::INFO
51
+ log
52
+ end
53
+ end
54
+
55
+ def default_client
56
+ @default_client ||= begin
57
+ cli = Eventflit::Client
58
+ ENV['EVENTFLIT_URL'] ? cli.from_env : cli.new
59
+ end
60
+ end
61
+ end
62
+ end
63
+
64
+ require 'eventflit/version'
65
+ require 'eventflit/channel'
66
+ require 'eventflit/request'
67
+ require 'eventflit/resource'
68
+ require 'eventflit/webhook'
69
+ require 'eventflit/native_notification/client'
@@ -0,0 +1,185 @@
1
+ require 'openssl'
2
+ require 'multi_json'
3
+
4
+ module Eventflit
5
+ # Delegates operations for a specific channel from a client
6
+ class Channel
7
+ attr_reader :name
8
+ INVALID_CHANNEL_REGEX = /[^A-Za-z0-9_\-=@,.;]/
9
+
10
+ def initialize(_, name, client = Eventflit)
11
+ if Eventflit::Channel::INVALID_CHANNEL_REGEX.match(name)
12
+ raise Eventflit::Error, "Illegal channel name '#{name}'"
13
+ elsif name.length > 200
14
+ raise Eventflit::Error, "Channel name too long (limit 164 characters) '#{name}'"
15
+ end
16
+ @name = name
17
+ @client = client
18
+ end
19
+
20
+ # Trigger event asynchronously using EventMachine::HttpRequest
21
+ #
22
+ # [Deprecated] This method will be removed in a future gem version. Please
23
+ # switch to Eventflit.trigger_async or Eventflit::Client#trigger_async instead
24
+ #
25
+ # @param (see #trigger!)
26
+ # @return [EM::DefaultDeferrable]
27
+ # Attach a callback to be notified of success (with no parameters).
28
+ # Attach an errback to be notified of failure (with an error parameter
29
+ # which includes the HTTP status code returned)
30
+ # @raise [LoadError] unless em-http-request gem is available
31
+ # @raise [Eventflit::Error] unless the eventmachine reactor is running. You
32
+ # probably want to run your application inside a server such as thin
33
+ #
34
+ def trigger_async(event_name, data, socket_id = nil)
35
+ params = {}
36
+ if socket_id
37
+ validate_socket_id(socket_id)
38
+ params[:socket_id] = socket_id
39
+ end
40
+ @client.trigger_async(name, event_name, data, params)
41
+ end
42
+
43
+ # Trigger event
44
+ #
45
+ # [Deprecated] This method will be removed in a future gem version. Please
46
+ # switch to Eventflit.trigger or Eventflit::Client#trigger instead
47
+ #
48
+ # @example
49
+ # begin
50
+ # Eventflit['my-channel'].trigger!('an_event', {:some => 'data'})
51
+ # rescue Eventflit::Error => e
52
+ # # Do something on error
53
+ # end
54
+ #
55
+ # @param data [Object] Event data to be triggered in javascript.
56
+ # Objects other than strings will be converted to JSON
57
+ # @param socket_id Allows excluding a given socket_id from receiving the
58
+ # event - see http://eventflit.com/docs/publisher_api_guide/publisher_excluding_recipients for more info
59
+ #
60
+ # @raise [Eventflit::Error] on invalid Eventflit response - see the error message for more details
61
+ # @raise [Eventflit::HTTPError] on any error raised inside http client - the original error is available in the original_error attribute
62
+ #
63
+ def trigger!(event_name, data, socket_id = nil)
64
+ params = {}
65
+ if socket_id
66
+ validate_socket_id(socket_id)
67
+ params[:socket_id] = socket_id
68
+ end
69
+ @client.trigger(name, event_name, data, params)
70
+ end
71
+
72
+ # Trigger event, catching and logging any errors.
73
+ #
74
+ # [Deprecated] This method will be removed in a future gem version. Please
75
+ # switch to Eventflit.trigger or Eventflit::Client#trigger instead
76
+ #
77
+ # @note CAUTION! No exceptions will be raised on failure
78
+ # @param (see #trigger!)
79
+ #
80
+ def trigger(event_name, data, socket_id = nil)
81
+ trigger!(event_name, data, socket_id)
82
+ rescue Eventflit::Error => e
83
+ Eventflit.logger.error("#{e.message} (#{e.class})")
84
+ Eventflit.logger.debug(e.backtrace.join("\n"))
85
+ end
86
+
87
+ # Request info for a channel
88
+ #
89
+ # @example Response
90
+ # [{:occupied=>true, :subscription_count => 12}]
91
+ #
92
+ # @param info [Array] Array of attributes required (as lowercase strings)
93
+ # @return [Hash] Hash of requested attributes for this channel
94
+ # @raise [Eventflit::Error] on invalid Eventflit response - see the error message for more details
95
+ # @raise [Eventflit::HTTPError] on any error raised inside http client - the original error is available in the original_error attribute
96
+ #
97
+ def info(attributes = [])
98
+ @client.channel_info(name, :info => attributes.join(','))
99
+ end
100
+
101
+ # Request users for a presence channel
102
+ # Only works on presence channels (see: http://docs.eventflit.com/client_api_guide/client_presence_channels and https://eventflit.com/docs/rest_api)
103
+ #
104
+ # @example Response
105
+ # [{:id=>"4"}]
106
+ #
107
+ # @param params [Hash] Hash of parameters for the API - see REST API docs
108
+ # @return [Hash] Array of user hashes for this channel
109
+ # @raise [Eventflit::Error] on invalid Eventflit response - see the error message for more details
110
+ # @raise [Eventflit::HTTPError] on any error raised inside Net::HTTP - the original error is available in the original_error attribute
111
+ #
112
+ def users(params = {})
113
+ @client.channel_users(name, params)[:users]
114
+ end
115
+
116
+ # Compute authentication string required as part of the authentication
117
+ # endpoint response. Generally the authenticate method should be used in
118
+ # preference to this one
119
+ #
120
+ # @param socket_id [String] Each Eventflit socket connection receives a
121
+ # unique socket_id. This is sent from eventflit.js to your server when
122
+ # channel authentication is required.
123
+ # @param custom_string [String] Allows signing additional data
124
+ # @return [String]
125
+ #
126
+ # @raise [Eventflit::Error] if socket_id or custom_string invalid
127
+ #
128
+ def authentication_string(socket_id, custom_string = nil)
129
+ validate_socket_id(socket_id)
130
+
131
+ unless custom_string.nil? || custom_string.kind_of?(String)
132
+ raise Error, 'Custom argument must be a string'
133
+ end
134
+
135
+ string_to_sign = [socket_id, name, custom_string].
136
+ compact.map(&:to_s).join(':')
137
+ Eventflit.logger.debug "Signing #{string_to_sign}"
138
+ token = @client.authentication_token
139
+ digest = OpenSSL::Digest::SHA256.new
140
+ signature = OpenSSL::HMAC.hexdigest(digest, token.secret, string_to_sign)
141
+
142
+ return "#{token.key}:#{signature}"
143
+ end
144
+
145
+ # Generate the expected response for an authentication endpoint.
146
+ # See http://docs.eventflit.com/authenticating_users for details.
147
+ #
148
+ # @example Private channels
149
+ # render :json => Eventflit['private-my_channel'].authenticate(params[:socket_id])
150
+ #
151
+ # @example Presence channels
152
+ # render :json => Eventflit['presence-my_channel'].authenticate(params[:socket_id], {
153
+ # :user_id => current_user.id, # => required
154
+ # :user_info => { # => optional - for example
155
+ # :name => current_user.name,
156
+ # :email => current_user.email
157
+ # }
158
+ # })
159
+ #
160
+ # @param socket_id [String]
161
+ # @param custom_data [Hash] used for example by private channels
162
+ #
163
+ # @return [Hash]
164
+ #
165
+ # @raise [Eventflit::Error] if socket_id or custom_data is invalid
166
+ #
167
+ # @private Custom data is sent to server as JSON-encoded string
168
+ #
169
+ def authenticate(socket_id, custom_data = nil)
170
+ custom_data = MultiJson.encode(custom_data) if custom_data
171
+ auth = authentication_string(socket_id, custom_data)
172
+ r = {:auth => auth}
173
+ r[:channel_data] = custom_data if custom_data
174
+ r
175
+ end
176
+
177
+ private
178
+
179
+ def validate_socket_id(socket_id)
180
+ unless socket_id && /\A\d+\.\d+\z/.match(socket_id)
181
+ raise Eventflit::Error, "Invalid socket ID #{socket_id.inspect}"
182
+ end
183
+ end
184
+ end
185
+ end
@@ -0,0 +1,437 @@
1
+ require 'eventflit-signature'
2
+
3
+ module Eventflit
4
+ class Client
5
+ attr_accessor :scheme, :host, :port, :app_id, :key, :secret, :notification_host, :notification_scheme
6
+ attr_reader :http_proxy, :proxy
7
+ attr_writer :connect_timeout, :send_timeout, :receive_timeout,
8
+ :keep_alive_timeout
9
+
10
+ ## CONFIGURATION ##
11
+
12
+ # Loads the configuration from an url in the environment
13
+ def self.from_env(key = 'EVENTFLIT_URL')
14
+ url = ENV[key] || raise(ConfigurationError, key)
15
+ from_url(url)
16
+ end
17
+
18
+ # Loads the configuration from a url
19
+ def self.from_url(url)
20
+ client = new
21
+ client.url = url
22
+ client
23
+ end
24
+
25
+ def initialize(options = {})
26
+ default_options = {
27
+ :scheme => 'http',
28
+ :port => 80,
29
+ }
30
+ merged_options = default_options.merge(options)
31
+
32
+ if options.has_key?(:host)
33
+ merged_options[:host] = options[:host]
34
+ elsif options.has_key?(:cluster)
35
+ merged_options[:host] = "api-#{options[:cluster]}.eventflit.com"
36
+ else
37
+ merged_options[:host] = "service.eventflit.com"
38
+ end
39
+
40
+ # TODO: Change host name when finalized
41
+ merged_options[:notification_host] =
42
+ options.fetch(:notification_host, "push.eventflit.com")
43
+
44
+ merged_options[:notification_scheme] =
45
+ options.fetch(:notification_scheme, "https")
46
+
47
+ @scheme, @host, @port, @app_id, @key, @secret, @notification_host, @notification_scheme =
48
+ merged_options.values_at(
49
+ :scheme, :host, :port, :app_id, :key, :secret, :notification_host, :notification_scheme
50
+ )
51
+
52
+ @http_proxy = nil
53
+ self.http_proxy = options[:http_proxy] if options[:http_proxy]
54
+
55
+ # Default timeouts
56
+ @connect_timeout = 5
57
+ @send_timeout = 5
58
+ @receive_timeout = 5
59
+ @keep_alive_timeout = 30
60
+ end
61
+
62
+ # @private Returns the authentication token for the client
63
+ def authentication_token
64
+ raise ConfigurationError, :key unless @key
65
+ raise ConfigurationError, :secret unless @secret
66
+ Eventflit::Signature::Token.new(@key, @secret)
67
+ end
68
+
69
+ # @private Builds a url for this app, optionally appending a path
70
+ def url(path = nil)
71
+ raise ConfigurationError, :app_id unless @app_id
72
+ URI::Generic.build({
73
+ :scheme => @scheme,
74
+ :host => @host,
75
+ :port => @port,
76
+ :path => "/apps/#{@app_id}#{path}"
77
+ })
78
+ end
79
+
80
+ # Configure Eventflit connection by providing a url rather than specifying
81
+ # scheme, key, secret, and app_id separately.
82
+ #
83
+ # @example
84
+ # Eventflit.url = http://KEY:SECRET@service.eventflit.com/apps/APP_ID
85
+ #
86
+ def url=(url)
87
+ uri = URI.parse(url)
88
+ @scheme = uri.scheme
89
+ @app_id = uri.path.split('/').last
90
+ @key = uri.user
91
+ @secret = uri.password
92
+ @host = uri.host
93
+ @port = uri.port
94
+ end
95
+
96
+ def http_proxy=(http_proxy)
97
+ @http_proxy = http_proxy
98
+ uri = URI.parse(http_proxy)
99
+ @proxy = {
100
+ :scheme => uri.scheme,
101
+ :host => uri.host,
102
+ :port => uri.port,
103
+ :user => uri.user,
104
+ :password => uri.password
105
+ }
106
+ @http_proxy
107
+ end
108
+
109
+ # Configure whether Eventflit API calls should be made over SSL
110
+ # (default false)
111
+ #
112
+ # @example
113
+ # Eventflit.encrypted = true
114
+ #
115
+ def encrypted=(boolean)
116
+ @scheme = boolean ? 'https' : 'http'
117
+ # Configure port if it hasn't already been configured
118
+ @port = boolean ? 443 : 80
119
+ end
120
+
121
+ def encrypted?
122
+ @scheme == 'https'
123
+ end
124
+
125
+ def cluster=(cluster)
126
+ @host = "api-#{cluster}.eventflit.com"
127
+ end
128
+
129
+ # Convenience method to set all timeouts to the same value (in seconds).
130
+ # For more control, use the individual writers.
131
+ def timeout=(value)
132
+ @connect_timeout, @send_timeout, @receive_timeout = value, value, value
133
+ end
134
+
135
+ ## INTERACT WITH THE API ##
136
+
137
+ def resource(path)
138
+ Resource.new(self, path)
139
+ end
140
+
141
+ # GET arbitrary REST API resource using a synchronous http client.
142
+ # All request signing is handled automatically.
143
+ #
144
+ # @example
145
+ # begin
146
+ # Eventflit.get('/channels', filter_by_prefix: 'private-')
147
+ # rescue Eventflit::Error => e
148
+ # # Handle error
149
+ # end
150
+ #
151
+ # @param path [String] Path excluding /apps/APP_ID
152
+ # @param params [Hash] API params (see http://docs.eventflit.com/rest_api)
153
+ #
154
+ # @return [Hash] See Eventflit API docs
155
+ #
156
+ # @raise [Eventflit::Error] Unsuccessful response - see the error message
157
+ # @raise [Eventflit::HTTPError] Error raised inside http client. The original error is wrapped in error.original_error
158
+ #
159
+ def get(path, params = {})
160
+ resource(path).get(params)
161
+ end
162
+
163
+ # GET arbitrary REST API resource using an asynchronous http client.
164
+ # All request signing is handled automatically.
165
+ #
166
+ # When the eventmachine reactor is running, the em-http-request gem is used;
167
+ # otherwise an async request is made using httpclient. See README for
168
+ # details and examples.
169
+ #
170
+ # @param path [String] Path excluding /apps/APP_ID
171
+ # @param params [Hash] API params (see http://docs.eventflit.com/rest_api)
172
+ #
173
+ # @return Either an EM::DefaultDeferrable or a HTTPClient::Connection
174
+ #
175
+ def get_async(path, params = {})
176
+ resource(path).get_async(params)
177
+ end
178
+
179
+ # POST arbitrary REST API resource using a synchronous http client.
180
+ # Works identially to get method, but posts params as JSON in post body.
181
+ def post(path, params = {})
182
+ resource(path).post(params)
183
+ end
184
+
185
+ # POST arbitrary REST API resource using an asynchronous http client.
186
+ # Works identially to get_async method, but posts params as JSON in post
187
+ # body.
188
+ def post_async(path, params = {})
189
+ resource(path).post_async(params)
190
+ end
191
+
192
+ ## HELPER METHODS ##
193
+
194
+ # Convenience method for creating a new WebHook instance for validating
195
+ # and extracting info from a received WebHook
196
+ #
197
+ # @param request [Rack::Request] Either a Rack::Request or a Hash containing :key, :signature, :body, and optionally :content_type.
198
+ #
199
+ def webhook(request)
200
+ WebHook.new(request, self)
201
+ end
202
+
203
+ # Return a convenience channel object by name that delegates operations
204
+ # on a channel. No API request is made.
205
+ #
206
+ # @example
207
+ # Eventflit['my-channel']
208
+ # @return [Channel]
209
+ # @raise [Eventflit::Error] if the channel name is invalid.
210
+ # Channel names should be less than 200 characters, and
211
+ # should not contain anything other than letters, numbers, or the
212
+ # characters "_\-=@,.;"
213
+ def channel(channel_name)
214
+ Channel.new(nil, channel_name, self)
215
+ end
216
+
217
+ alias :[] :channel
218
+
219
+ # Request a list of occupied channels from the API
220
+ #
221
+ # GET /apps/[id]/channels
222
+ #
223
+ # @param params [Hash] Hash of parameters for the API - see REST API docs
224
+ #
225
+ # @return [Hash] See Eventflit API docs
226
+ #
227
+ # @raise [Eventflit::Error] Unsuccessful response - see the error message
228
+ # @raise [Eventflit::HTTPError] Error raised inside http client. The original error is wrapped in error.original_error
229
+ #
230
+ def channels(params = {})
231
+ get('/channels', params)
232
+ end
233
+
234
+ # Request info for a specific channel
235
+ #
236
+ # GET /apps/[id]/channels/[channel_name]
237
+ #
238
+ # @param channel_name [String] Channel name (max 200 characters)
239
+ # @param params [Hash] Hash of parameters for the API - see REST API docs
240
+ #
241
+ # @return [Hash] See Eventflit API docs
242
+ #
243
+ # @raise [Eventflit::Error] Unsuccessful response - see the error message
244
+ # @raise [Eventflit::HTTPError] Error raised inside http client. The original error is wrapped in error.original_error
245
+ #
246
+ def channel_info(channel_name, params = {})
247
+ get("/channels/#{channel_name}", params)
248
+ end
249
+
250
+ # Request info for users of a presence channel
251
+ #
252
+ # GET /apps/[id]/channels/[channel_name]/users
253
+ #
254
+ # @param channel_name [String] Channel name (max 200 characters)
255
+ # @param params [Hash] Hash of parameters for the API - see REST API docs
256
+ #
257
+ # @return [Hash] See Eventflit API docs
258
+ #
259
+ # @raise [Eventflit::Error] Unsuccessful response - see the error message
260
+ # @raise [Eventflit::HTTPError] Error raised inside http client. The original error is wrapped in error.original_error
261
+ #
262
+ def channel_users(channel_name, params = {})
263
+ get("/channels/#{channel_name}/users", params)
264
+ end
265
+
266
+ # Trigger an event on one or more channels
267
+ #
268
+ # POST /apps/[app_id]/events
269
+ #
270
+ # @param channels [String or Array] 1-10 channel names
271
+ # @param event_name [String]
272
+ # @param data [Object] Event data to be triggered in javascript.
273
+ # Objects other than strings will be converted to JSON
274
+ # @param params [Hash] Additional parameters to send to api, e.g socket_id
275
+ #
276
+ # @return [Hash] See Eventflit API docs
277
+ #
278
+ # @raise [Eventflit::Error] Unsuccessful response - see the error message
279
+ # @raise [Eventflit::HTTPError] Error raised inside http client. The original error is wrapped in error.original_error
280
+ #
281
+ def trigger(channels, event_name, data, params = {})
282
+ post('/events', trigger_params(channels, event_name, data, params))
283
+ end
284
+
285
+ # Trigger multiple events at the same time
286
+ #
287
+ # POST /apps/[app_id]/batch_events
288
+ #
289
+ # @param events [Array] List of events to publish
290
+ #
291
+ # @return [Hash] See Eventflit API docs
292
+ #
293
+ # @raise [Eventflit::Error] Unsuccessful response - see the error message
294
+ # @raise [Eventflit::HTTPError] Error raised inside http client. The original error is wrapped in error.original_error
295
+ #
296
+ def trigger_batch(*events)
297
+ post('/batch_events', trigger_batch_params(events.flatten))
298
+ end
299
+
300
+ # Trigger an event on one or more channels asynchronously.
301
+ # For parameters see #trigger
302
+ #
303
+ def trigger_async(channels, event_name, data, params = {})
304
+ post_async('/events', trigger_params(channels, event_name, data, params))
305
+ end
306
+
307
+ # Trigger multiple events asynchronously.
308
+ # For parameters see #trigger_batch
309
+ #
310
+ def trigger_batch_async(*events)
311
+ post_async('/batch_events', trigger_batch_params(events.flatten))
312
+ end
313
+
314
+ def notification_client
315
+ @notification_client ||=
316
+ NativeNotification::Client.new(@app_id, @notification_host, @notification_scheme, self)
317
+ end
318
+
319
+
320
+ # Send a push notification
321
+ #
322
+ # POST /apps/[app_id]/notifications
323
+ #
324
+ # @param interests [Array] An array of interests
325
+ # @param message [String] Message to send
326
+ # @param options [Hash] Additional platform specific options
327
+ #
328
+ # @return [Hash]
329
+ def notify(interests, data = {})
330
+ notification_client.notify(interests, data)
331
+ end
332
+
333
+ # Generate the expected response for an authentication endpoint.
334
+ # See http://docs.eventflit.com/authenticating_users for details.
335
+ #
336
+ # @example Private channels
337
+ # render :json => Eventflit.authenticate('private-my_channel', params[:socket_id])
338
+ #
339
+ # @example Presence channels
340
+ # render :json => Eventflit.authenticate('presence-my_channel', params[:socket_id], {
341
+ # :user_id => current_user.id, # => required
342
+ # :user_info => { # => optional - for example
343
+ # :name => current_user.name,
344
+ # :email => current_user.email
345
+ # }
346
+ # })
347
+ #
348
+ # @param socket_id [String]
349
+ # @param custom_data [Hash] used for example by private channels
350
+ #
351
+ # @return [Hash]
352
+ #
353
+ # @raise [Eventflit::Error] if channel_name or socket_id are invalid
354
+ #
355
+ # @private Custom data is sent to server as JSON-encoded string
356
+ #
357
+ def authenticate(channel_name, socket_id, custom_data = nil)
358
+ channel_instance = channel(channel_name)
359
+ channel_instance.authenticate(socket_id, custom_data)
360
+ end
361
+
362
+ # @private Construct a net/http http client
363
+ def sync_http_client
364
+ @client ||= begin
365
+ require 'httpclient'
366
+
367
+ HTTPClient.new(@http_proxy).tap do |c|
368
+ c.connect_timeout = @connect_timeout
369
+ c.send_timeout = @send_timeout
370
+ c.receive_timeout = @receive_timeout
371
+ c.keep_alive_timeout = @keep_alive_timeout
372
+ end
373
+ end
374
+ end
375
+
376
+ # @private Construct an em-http-request http client
377
+ def em_http_client(uri)
378
+ begin
379
+ unless defined?(EventMachine) && EventMachine.reactor_running?
380
+ raise Error, "In order to use async calling you must be running inside an eventmachine loop"
381
+ end
382
+ require 'em-http' unless defined?(EventMachine::HttpRequest)
383
+
384
+ connection_opts = {
385
+ :connect_timeout => @connect_timeout,
386
+ :inactivity_timeout => @receive_timeout,
387
+ }
388
+
389
+ if defined?(@proxy)
390
+ proxy_opts = {
391
+ :host => @proxy[:host],
392
+ :port => @proxy[:port]
393
+ }
394
+ if @proxy[:user]
395
+ proxy_opts[:authorization] = [@proxy[:user], @proxy[:password]]
396
+ end
397
+ connection_opts[:proxy] = proxy_opts
398
+ end
399
+
400
+ EventMachine::HttpRequest.new(uri, connection_opts)
401
+ end
402
+ end
403
+
404
+ private
405
+
406
+ def trigger_params(channels, event_name, data, params)
407
+ channels = Array(channels).map(&:to_s)
408
+ raise Eventflit::Error, "Too many channels (#{channels.length}), max 10" if channels.length > 10
409
+
410
+ params.merge({
411
+ name: event_name,
412
+ channels: channels,
413
+ data: encode_data(data),
414
+ })
415
+ end
416
+
417
+ def trigger_batch_params(events)
418
+ {
419
+ batch: events.map do |event|
420
+ event.dup.tap do |e|
421
+ e[:data] = encode_data(e[:data])
422
+ end
423
+ end
424
+ }
425
+ end
426
+
427
+ # JSON-encode the data if it's not a string
428
+ def encode_data(data)
429
+ return data if data.is_a? String
430
+ MultiJson.encode(data)
431
+ end
432
+
433
+ def configured?
434
+ host && scheme && key && secret && app_id
435
+ end
436
+ end
437
+ end