khipu-api-client 2.0.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.
@@ -0,0 +1,304 @@
1
+ require 'date'
2
+ require 'json'
3
+ require 'logger'
4
+ require 'tempfile'
5
+ require 'typhoeus'
6
+ require 'uri'
7
+ require 'net/http'
8
+ require 'openssl'
9
+ require 'base64'
10
+
11
+ module Khipu
12
+ class ApiClient
13
+
14
+ attr_accessor :host
15
+
16
+ # Defines the headers to be used in HTTP requests of all API calls by default.
17
+ #
18
+ # @return [Hash]
19
+ attr_accessor :default_headers
20
+
21
+ # Stores the HTTP response from the last API call using this API client.
22
+ attr_accessor :last_response
23
+
24
+ def initialize(host = nil)
25
+ @host = host || Configuration.base_url
26
+ @format = 'json'
27
+ @user_agent = "khipu-api-ruby-client/#{VERSION}"
28
+ @default_headers = {
29
+ 'Content-Type' => "application/#{@format.downcase}",
30
+ 'User-Agent' => @user_agent
31
+ }
32
+ end
33
+
34
+ def call_api(http_method, path, opts = {})
35
+ request = build_request(http_method, path, opts)
36
+ response = request.run
37
+
38
+ # record as last response
39
+ @last_response = response
40
+
41
+ if Configuration.debugging
42
+ Configuration.logger.debug "HTTP response body ~BEGIN~\n#{response.body}\n~END~\n"
43
+ end
44
+
45
+ unless response.success?
46
+ fail ApiError.new(:code => response.code,
47
+ :response_headers => response.headers,
48
+ :response_body => response.body),
49
+ response.status_message
50
+ end
51
+
52
+ if opts[:return_type]
53
+ deserialize(response, opts[:return_type])
54
+ else
55
+ nil
56
+ end
57
+ end
58
+
59
+ def build_request(http_method, path, opts = {})
60
+ url = build_request_url(path)
61
+ http_method = http_method.to_sym.downcase
62
+
63
+ header_params = @default_headers.merge(opts[:header_params] || {})
64
+ query_params = opts[:query_params] || {}
65
+ form_params = opts[:form_params] || {}
66
+
67
+
68
+ update_params_for_auth! @host, path, http_method, header_params, query_params, form_params, opts[:auth_names]
69
+
70
+
71
+ req_opts = {
72
+ :method => http_method,
73
+ :headers => header_params,
74
+ :params => query_params,
75
+ :ssl_verifypeer => Configuration.verify_ssl,
76
+ :sslcert => Configuration.cert_file,
77
+ :sslkey => Configuration.key_file,
78
+ :cainfo => Configuration.ssl_ca_cert,
79
+ :verbose => Configuration.debugging
80
+ }
81
+
82
+ if [:post, :patch, :put, :delete].include?(http_method)
83
+ req_body = build_request_body(header_params, form_params, opts[:body])
84
+ req_opts.update :body => req_body
85
+ if Configuration.debugging
86
+ Configuration.logger.debug "HTTP request body param ~BEGIN~\n#{req_body}\n~END~\n"
87
+ end
88
+ end
89
+
90
+ Typhoeus::Request.new(url, req_opts)
91
+ end
92
+
93
+ # Deserialize the response to the given return type.
94
+ #
95
+ # @param [String] return_type some examples: "User", "Array[User]", "Hash[String,Integer]"
96
+ def deserialize(response, return_type)
97
+ body = response.body
98
+ return nil if body.nil? || body.empty?
99
+
100
+ # handle file downloading - save response body into a tmp file and return the File instance
101
+ return download_file(response) if return_type == 'File'
102
+
103
+ # ensuring a default content type
104
+ content_type = response.headers['Content-Type'] || 'application/json'
105
+
106
+ unless content_type.start_with?('application/json')
107
+ fail "Content-Type is not supported: #{content_type}"
108
+ end
109
+
110
+ begin
111
+ data = JSON.parse("[#{body}]", :symbolize_names => true)[0]
112
+ rescue JSON::ParserError => e
113
+ if %w(String Date DateTime).include?(return_type)
114
+ data = body
115
+ else
116
+ raise e
117
+ end
118
+ end
119
+
120
+ convert_to_type data, return_type
121
+ end
122
+
123
+ # Convert data to the given return type.
124
+ def convert_to_type(data, return_type)
125
+ return nil if data.nil?
126
+ case return_type
127
+ when 'String'
128
+ data.to_s
129
+ when 'Integer'
130
+ data.to_i
131
+ when 'Float'
132
+ data.to_f
133
+ when 'BOOLEAN'
134
+ data == true
135
+ when 'DateTime'
136
+ # parse date time (expecting ISO 8601 format)
137
+ DateTime.parse data
138
+ when 'Date'
139
+ # parse date time (expecting ISO 8601 format)
140
+ Date.parse data
141
+ when 'Object'
142
+ # generic object, return directly
143
+ data
144
+ when /\AArray<(.+)>\z/
145
+ # e.g. Array<Pet>
146
+ sub_type = $1
147
+ data.map {|item| convert_to_type(item, sub_type) }
148
+ when /\AHash\<String, (.+)\>\z/
149
+ # e.g. Hash<String, Integer>
150
+ sub_type = $1
151
+ {}.tap do |hash|
152
+ data.each {|k, v| hash[k] = convert_to_type(v, sub_type) }
153
+ end
154
+ else
155
+ # models, e.g. Pet
156
+ Khipu.const_get(return_type).new.tap do |model|
157
+ model.build_from_hash data
158
+ end
159
+ end
160
+ end
161
+
162
+ # Save response body into a file in (the defined) temporary folder, using the filename
163
+ # from the "Content-Disposition" header if provided, otherwise a random filename.
164
+ #
165
+ # @see Configuration#temp_folder_path
166
+ # @return [File] the file downloaded
167
+ def download_file(response)
168
+ tmp_file = Tempfile.new '', Configuration.temp_folder_path
169
+ content_disposition = response.headers['Content-Disposition']
170
+ if content_disposition
171
+ filename = content_disposition[/filename=['"]?([^'"\s]+)['"]?/, 1]
172
+ path = File.join File.dirname(tmp_file), filename
173
+ else
174
+ path = tmp_file.path
175
+ end
176
+ # close and delete temp file
177
+ tmp_file.close!
178
+
179
+ File.open(path, 'w') { |file| file.write(response.body) }
180
+ Configuration.logger.info "File written to #{path}. Please move the file to a proper "\
181
+ "folder for further processing and delete the temp afterwards"
182
+ File.new(path)
183
+ end
184
+
185
+ def build_request_url(path)
186
+ # Add leading and trailing slashes to path
187
+ path = "/#{path}".gsub(/\/+/, '/')
188
+ URI.encode(host + path)
189
+ end
190
+
191
+ def build_request_body(header_params, form_params, body)
192
+ # http form
193
+ if header_params['Content-Type'] == 'application/x-www-form-urlencoded' ||
194
+ header_params['Content-Type'] == 'multipart/form-data'
195
+ data = form_params.dup
196
+ data.each do |key, value|
197
+ data[key] = value.to_s if value && !value.is_a?(File)
198
+ end
199
+ elsif body
200
+ data = body.is_a?(String) ? body : body.to_json
201
+ else
202
+ data = nil
203
+ end
204
+ data
205
+ end
206
+
207
+ def percent_encode(v)
208
+ return URI::escape(v.to_s.to_str, /[^a-zA-Z0-9\-\.\_\~]/)
209
+ end
210
+
211
+ # Update hearder and query params based on authentication settings.
212
+ def update_params_for_auth!(host, path, http_method, header_params, query_params, form_params, auth_names)
213
+ Array(auth_names).each do |auth_name|
214
+ if auth_name == "khipu"
215
+ params = query_params.merge(form_params)
216
+
217
+ encoded = {}
218
+ params.each do |k, v|
219
+ encoded[percent_encode(k)] = percent_encode(v)
220
+ end
221
+
222
+ to_sign = http_method.to_s.upcase + "&" + percent_encode(host + path)
223
+
224
+ encoded.keys.sort.each do |key|
225
+ to_sign += "&#{key}=" + encoded[key]
226
+ end
227
+
228
+ if Configuration.debugging
229
+ Configuration.logger.debug "encoded params: #{encoded}"
230
+ Configuration.logger.debug "string to sign: #{to_sign}"
231
+ end
232
+
233
+ hash = OpenSSL::HMAC.hexdigest(OpenSSL::Digest.new('sha256'), Configuration.secret, to_sign)
234
+ header_params['Authorization'] = Configuration.receiver_id.to_s + ":" + hash
235
+
236
+ next
237
+ end
238
+ auth_setting = Configuration.auth_settings[auth_name]
239
+ next unless auth_setting
240
+ case auth_setting[:in]
241
+ when 'header' then header_params[auth_setting[:key]] = auth_setting[:value]
242
+ when 'query' then query_params[auth_setting[:key]] = auth_setting[:value]
243
+ else fail ArgumentError, 'Authentication token must be in `query` of `header`'
244
+ end
245
+ end
246
+ end
247
+
248
+ def user_agent=(user_agent)
249
+ @user_agent = user_agent
250
+ @default_headers['User-Agent'] = @user_agent
251
+ end
252
+
253
+ # Return Accept header based on an array of accepts provided.
254
+ # @param [Array] accepts array for Accept
255
+ # @return [String] the Accept header (e.g. application/json)
256
+ def select_header_accept(accepts)
257
+ if accepts.empty?
258
+ return
259
+ elsif accepts.any?{ |s| s.casecmp('application/json') == 0 }
260
+ 'application/json' # look for json data by default
261
+ else
262
+ accepts.join(',')
263
+ end
264
+ end
265
+
266
+ # Return Content-Type header based on an array of content types provided.
267
+ # @param [Array] content_types array for Content-Type
268
+ # @return [String] the Content-Type header (e.g. application/json)
269
+ def select_header_content_type(content_types)
270
+ if content_types.empty?
271
+ 'application/json' # use application/json by default
272
+ elsif content_types.any?{ |s| s.casecmp('application/json')==0 }
273
+ 'application/json' # use application/json if it's included
274
+ else
275
+ content_types[0] # otherwise, use the first one
276
+ end
277
+ end
278
+
279
+ # Convert object (array, hash, object, etc) to JSON string.
280
+ # @param [Object] model object to be converted into JSON string
281
+ # @return [String] JSON string representation of the object
282
+ def object_to_http_body(model)
283
+ return if model.nil?
284
+ _body = nil
285
+ if model.is_a?(Array)
286
+ _body = model.map{|m| object_to_hash(m) }
287
+ else
288
+ _body = object_to_hash(model)
289
+ end
290
+ _body.to_json
291
+ end
292
+
293
+ # Convert object(non-array) to hash.
294
+ # @param [Object] obj object to be converted into JSON string
295
+ # @return [String] JSON string representation of the object
296
+ def object_to_hash(obj)
297
+ if obj.respond_to?(:to_hash)
298
+ obj.to_hash
299
+ else
300
+ obj
301
+ end
302
+ end
303
+ end
304
+ end
@@ -0,0 +1,24 @@
1
+ module Khipu
2
+ class ApiError < StandardError
3
+ attr_reader :code, :response_headers, :response_body
4
+
5
+ # Usage examples:
6
+ # ApiError.new
7
+ # ApiError.new("message")
8
+ # ApiError.new(:code => 500, :response_headers => {}, :response_body => "")
9
+ # ApiError.new(:code => 404, :message => "Not Found")
10
+ def initialize(arg = nil)
11
+ if arg.is_a? Hash
12
+ arg.each do |k, v|
13
+ if k.to_s == 'message'
14
+ super v
15
+ else
16
+ instance_variable_set "@#{k}", v
17
+ end
18
+ end
19
+ else
20
+ super arg
21
+ end
22
+ end
23
+ end
24
+ end
@@ -0,0 +1,171 @@
1
+ require 'uri'
2
+ require 'singleton'
3
+
4
+ module Khipu
5
+ class Configuration
6
+
7
+ include Singleton
8
+
9
+ # Default api client
10
+ attr_accessor :api_client
11
+
12
+ # Defines url scheme
13
+ attr_accessor :scheme
14
+
15
+ # Defines url host
16
+ attr_accessor :host
17
+
18
+ # Defines url base path
19
+ attr_accessor :base_path
20
+
21
+ # Defines API keys used with API Key authentications.
22
+ #
23
+ # @return [Hash] key: parameter name, value: parameter value (API key)
24
+ #
25
+ # @example parameter name is "api_key", API key is "xxx" (e.g. "api_key=xxx" in query string)
26
+ # config.api_key['api_key'] = 'xxx'
27
+ attr_accessor :api_key
28
+
29
+ # Defines API key prefixes used with API Key authentications.
30
+ #
31
+ # @return [Hash] key: parameter name, value: API key prefix
32
+ #
33
+ # @example parameter name is "Authorization", API key prefix is "Token" (e.g. "Authorization: Token xxx" in headers)
34
+ # config.api_key_prefix['api_key'] = 'Token'
35
+ attr_accessor :api_key_prefix
36
+
37
+ # Defines the username used with HTTP basic authentication.
38
+ #
39
+ # @return [String]
40
+ attr_accessor :username
41
+
42
+ # Defines the password used with HTTP basic authentication.
43
+ #
44
+ # @return [String]
45
+ attr_accessor :password
46
+
47
+ # Set this to enable/disable debugging. When enabled (set to true), HTTP request/response
48
+ # details will be logged with `logger.debug` (see the `logger` attribute).
49
+ # Default to false.
50
+ #
51
+ # @return [true, false]
52
+ attr_accessor :debugging
53
+
54
+ # Defines the logger used for debugging.
55
+ # Default to `Rails.logger` (when in Rails) or logging to STDOUT.
56
+ #
57
+ # @return [#debug]
58
+ attr_accessor :logger
59
+
60
+ # Defines the temporary folder to store downloaded files
61
+ # (for API endpoints that have file response).
62
+ # Default to use `Tempfile`.
63
+ #
64
+ # @return [String]
65
+ attr_accessor :temp_folder_path
66
+
67
+ ### TLS/SSL
68
+ # Set this to false to skip verifying SSL certificate when calling API from https server.
69
+ # Default to true.
70
+ #
71
+ # @note Do NOT set it to false in production code, otherwise you would face multiple types of cryptographic attacks.
72
+ #
73
+ # @return [true, false]
74
+ attr_accessor :verify_ssl
75
+
76
+ # Set this to customize the certificate file to verify the peer.
77
+ #
78
+ # @return [String] the path to the certificate file
79
+ #
80
+ # @see The `cainfo` option of Typhoeus, `--cert` option of libcurl. Related source code:
81
+ # https://github.com/typhoeus/typhoeus/blob/master/lib/typhoeus/easy_factory.rb#L145
82
+ attr_accessor :ssl_ca_cert
83
+
84
+ # Client certificate file (for client certificate)
85
+ attr_accessor :cert_file
86
+
87
+ # Client private key file (for client certificate)
88
+ attr_accessor :key_file
89
+
90
+ attr_accessor :inject_format
91
+
92
+ attr_accessor :force_ending_format
93
+
94
+ attr_accessor :secret
95
+
96
+ attr_accessor :receiver_id
97
+
98
+ class << self
99
+ def method_missing(method_name, *args, &block)
100
+ config = Configuration.instance
101
+ if config.respond_to?(method_name)
102
+ config.send(method_name, *args, &block)
103
+ else
104
+ super
105
+ end
106
+ end
107
+ end
108
+
109
+ def initialize
110
+ @scheme = 'https'
111
+ @host = 'khipu.com'
112
+ @base_path = '/api/2.0'
113
+ @api_key = {}
114
+ @api_key_prefix = {}
115
+ @verify_ssl = true
116
+ @cert_file = nil
117
+ @key_file = nil
118
+ @debugging = false
119
+ @inject_format = false
120
+ @force_ending_format = false
121
+ @logger = defined?(Rails) ? Rails.logger : Logger.new(STDOUT)
122
+ end
123
+
124
+ def api_client
125
+ @api_client ||= ApiClient.new
126
+ end
127
+
128
+ def scheme=(scheme)
129
+ # remove :// from scheme
130
+ @scheme = scheme.sub(/:\/\//, '')
131
+ end
132
+
133
+ def host=(host)
134
+ # remove http(s):// and anything after a slash
135
+ @host = host.sub(/https?:\/\//, '').split('/').first
136
+ end
137
+
138
+ def base_path=(base_path)
139
+ # Add leading and trailing slashes to base_path
140
+ @base_path = "/#{base_path}".gsub(/\/+/, '/')
141
+ @base_path = "" if @base_path == "/"
142
+ end
143
+
144
+ def base_url
145
+ url = "#{scheme}://#{[host, base_path].join('/').gsub(/\/+/, '/')}".sub(/\/+\z/, '')
146
+ URI.encode(url)
147
+ end
148
+
149
+ # Gets API key (with prefix if set).
150
+ # @param [String] param_name the parameter name of API key auth
151
+ def api_key_with_prefix(param_name)
152
+ if @api_key_prefix[param_name]
153
+ "#{@api_key_prefix[param_name]} #{@api_key[param_name]}"
154
+ else
155
+ @api_key[param_name]
156
+ end
157
+ end
158
+
159
+ # Gets Basic Auth token string
160
+ def basic_auth_token
161
+ 'Basic ' + ["#{username}:#{password}"].pack('m').delete("\r\n")
162
+ end
163
+
164
+ # Returns Auth Settings hash for api client.
165
+ def auth_settings
166
+ {
167
+ 'khipu' => {}
168
+ }
169
+ end
170
+ end
171
+ end