alancse-aws-s3 0.4.1

Sign up to get free protection for your applications and to get access to all the features.
@@ -0,0 +1,219 @@
1
+ module AWS
2
+ module S3
3
+ # All authentication is taken care of for you by the AWS::S3 library. None the less, some details of the two types
4
+ # of authentication and when they are used may be of interest to some.
5
+ #
6
+ # === Header based authentication
7
+ #
8
+ # Header based authentication is achieved by setting a special <tt>Authorization</tt> header whose value
9
+ # is formatted like so:
10
+ #
11
+ # "AWS #{access_key_id}:#{encoded_canonical}"
12
+ #
13
+ # The <tt>access_key_id</tt> is the public key that is assigned by Amazon for a given account which you use when
14
+ # establishing your initial connection. The <tt>encoded_canonical</tt> is computed according to rules layed out
15
+ # by Amazon which we will describe presently.
16
+ #
17
+ # ==== Generating the encoded canonical string
18
+ #
19
+ # The "canonical string", generated by the CanonicalString class, is computed by collecting the current request method,
20
+ # a set of significant headers of the current request, and the current request path into a string.
21
+ # That canonical string is then encrypted with the <tt>secret_access_key</tt> assigned by Amazon. The resulting encrypted canonical
22
+ # string is then base 64 encoded.
23
+ #
24
+ # === Query string based authentication
25
+ #
26
+ # When accessing a restricted object from the browser, you can authenticate via the query string, by setting the following parameters:
27
+ #
28
+ # "AWSAccessKeyId=#{access_key_id}&Expires=#{expires}&Signature=#{encoded_canonical}"
29
+ #
30
+ # The QueryString class is responsible for generating the appropriate parameters for authentication via the
31
+ # query string.
32
+ #
33
+ # The <tt>access_key_id</tt> and <tt>encoded_canonical</tt> are the same as described in the Header based authentication section.
34
+ # The <tt>expires</tt> value dictates for how long the current url is valid (by default, it will expire in 5 minutes). Expiration can be specified
35
+ # either by an absolute time (expressed in seconds since the epoch), or in relative time (in number of seconds from now).
36
+ # Details of how to customize the expiration of the url are provided in the documentation for the QueryString class.
37
+ #
38
+ # All requests made by this library use header authentication. When a query string authenticated url is needed,
39
+ # the S3Object#url method will include the appropriate query string parameters.
40
+ #
41
+ # === Full authentication specification
42
+ #
43
+ # The full specification of the authentication protocol can be found at
44
+ # http://docs.amazonwebservices.com/AmazonS3/2006-03-01/RESTAuthentication.html
45
+ class Authentication
46
+ constant :AMAZON_HEADER_PREFIX, 'x-amz-'
47
+
48
+ # Signature is the abstract super class for the Header and QueryString authentication methods. It does the job
49
+ # of computing the canonical_string using the CanonicalString class as well as encoding the canonical string. The subclasses
50
+ # parameterize these computations and arrange them in a string form appropriate to how they are used, in one case a http request
51
+ # header value, and in the other case key/value query string parameter pairs.
52
+ class Signature < String #:nodoc:
53
+ attr_reader :request, :access_key_id, :secret_access_key, :current_host
54
+
55
+ def initialize(request, access_key_id, secret_access_key, current_host = nil, options = {})
56
+ super()
57
+ @request, @access_key_id, @secret_access_key, @current_host = request, access_key_id, secret_access_key, current_host
58
+ @options = options
59
+ end
60
+
61
+ private
62
+
63
+ def canonical_string
64
+ options = {}
65
+ options[:expires] = expires if expires?
66
+ CanonicalString.new(request, current_host, options)
67
+ end
68
+ memoized :canonical_string
69
+
70
+ def encoded_canonical
71
+ digest = OpenSSL::Digest::Digest.new('sha1')
72
+ b64_hmac = Base64.encode64(OpenSSL::HMAC.digest(digest, secret_access_key, canonical_string)).strip
73
+ url_encode? ? CGI.escape(b64_hmac) : b64_hmac
74
+ end
75
+
76
+ def url_encode?
77
+ !@options[:url_encode].nil?
78
+ end
79
+
80
+ def expires?
81
+ is_a? QueryString
82
+ end
83
+
84
+ def date
85
+ request['date'].to_s.strip.empty? ? Time.now : Time.parse(request['date'])
86
+ end
87
+ end
88
+
89
+ # Provides header authentication by computing the value of the Authorization header. More details about the
90
+ # various authentication schemes can be found in the docs for its containing module, Authentication.
91
+ class Header < Signature #:nodoc:
92
+ def initialize(*args)
93
+ super
94
+ self << "AWS #{access_key_id}:#{encoded_canonical}"
95
+ end
96
+ end
97
+
98
+ # Provides query string authentication by computing the three authorization parameters: AWSAccessKeyId, Expires and Signature.
99
+ # More details about the various authentication schemes can be found in the docs for its containing module, Authentication.
100
+ class QueryString < Signature #:nodoc:
101
+ constant :DEFAULT_EXPIRY, 300 # 5 minutes
102
+
103
+ def initialize(*args)
104
+ super
105
+ @options[:url_encode] = true
106
+ self << build
107
+ end
108
+
109
+ private
110
+
111
+ # Will return one of three values, in the following order of precedence:
112
+ #
113
+ # 1) Seconds since the epoch explicitly passed in the +:expires+ option
114
+ # 2) The current time in seconds since the epoch plus the number of seconds passed in
115
+ # the +:expires_in+ option
116
+ # 3) The current time in seconds since the epoch plus the default number of seconds (60 seconds)
117
+ def expires
118
+ return @options[:expires] if @options[:expires]
119
+ date.to_i + (@options[:expires_in] || DEFAULT_EXPIRY)
120
+ end
121
+
122
+ # Keep in alphabetical order
123
+ def build
124
+ "AWSAccessKeyId=#{access_key_id}&Expires=#{expires}&Signature=#{encoded_canonical}"
125
+ end
126
+ end
127
+
128
+ # The CanonicalString is used to generate an encrypted signature, signed with your secrect access key. It is composed of
129
+ # data related to the given request for which it provides authentication. This data includes the request method, request headers,
130
+ # and the request path. Both Header and QueryString use it to generate their signature.
131
+ class CanonicalString < String #:nodoc:
132
+ class << self
133
+ def default_headers
134
+ %w(content-type content-md5)
135
+ end
136
+
137
+ def interesting_headers
138
+ ['content-md5', 'content-type', 'date', 'Host', amazon_header_prefix]
139
+ end
140
+
141
+ def amazon_header_prefix
142
+ /^#{AMAZON_HEADER_PREFIX}/io
143
+ end
144
+ end
145
+
146
+ attr_reader :request, :headers, :current_host
147
+
148
+ def initialize(request, current_host, options = {})
149
+ super()
150
+ @request = request
151
+ @current_host = current_host
152
+ @headers = {}
153
+ @options = options
154
+ # "For non-authenticated or anonymous requests. A NotImplemented error result code will be returned if
155
+ # an authenticated (signed) request specifies a Host: header other than 's3.amazonaws.com'"
156
+ # (from http://docs.amazonwebservices.com/AmazonS3/2006-03-01/VirtualHosting.html)
157
+ request['Host'] ||= DEFAULT_HOST
158
+ build
159
+ end
160
+
161
+ private
162
+ def build
163
+ self << "#{request.method}\n"
164
+ ensure_date_is_valid
165
+
166
+ initialize_headers
167
+ set_expiry!
168
+
169
+ headers.sort_by {|k, _| k}.each do |key, value|
170
+ value = value.to_s.strip
171
+ self << (key =~ self.class.amazon_header_prefix ? "#{key}:#{value}" : value)
172
+ self << "\n"
173
+ end
174
+ self << path
175
+ end
176
+
177
+ def initialize_headers
178
+ identify_interesting_headers
179
+ set_default_headers
180
+ end
181
+
182
+ def set_expiry!
183
+ self.headers['date'] = @options[:expires] if @options[:expires]
184
+ end
185
+
186
+ def ensure_date_is_valid
187
+ request['Date'] ||= Time.now.httpdate
188
+ end
189
+
190
+ def identify_interesting_headers
191
+ request.each do |key, value|
192
+ key = key.downcase # Can't modify frozen string so no bang
193
+ if self.class.interesting_headers.any? {|header| header === key}
194
+ self.headers[key] = value.to_s.strip
195
+ end
196
+ end
197
+ end
198
+
199
+ def set_default_headers
200
+ self.class.default_headers.each do |header|
201
+ self.headers[header] ||= ''
202
+ end
203
+ end
204
+
205
+ def path
206
+ [only_path, extract_significant_parameter].compact.join('?')
207
+ end
208
+
209
+ def extract_significant_parameter
210
+ request.path[/[&?](acl|torrent|logging)(?:&|=|$)/, 1]
211
+ end
212
+
213
+ def only_path
214
+ (current_host.nil? ? '' : "/#{current_host}") << request.path[/^[^?]*/]
215
+ end
216
+ end
217
+ end
218
+ end
219
+ end
@@ -0,0 +1,262 @@
1
+ module AWS #:nodoc:
2
+ # AWS::S3 is a Ruby library for Amazon's Simple Storage Service's REST API (http://aws.amazon.com/s3).
3
+ # Full documentation of the currently supported API can be found at http://docs.amazonwebservices.com/AmazonS3/2006-03-01.
4
+ #
5
+ # == Getting started
6
+ #
7
+ # To get started you need to require 'aws/s3':
8
+ #
9
+ # % irb -rubygems
10
+ # irb(main):001:0> require 'aws/s3'
11
+ # # => true
12
+ #
13
+ # The AWS::S3 library ships with an interactive shell called <tt>s3sh</tt>. From within it, you have access to all the operations the library exposes from the command line.
14
+ #
15
+ # % s3sh
16
+ # >> Version
17
+ #
18
+ # Before you can do anything, you must establish a connection using Base.establish_connection!. A basic connection would look something like this:
19
+ #
20
+ # AWS::S3::Base.establish_connection!(
21
+ # :access_key_id => 'abc',
22
+ # :secret_access_key => '123'
23
+ # )
24
+ #
25
+ # The minimum connection options that you must specify are your access key id and your secret access key.
26
+ #
27
+ # (If you don't already have your access keys, all you need to sign up for the S3 service is an account at Amazon. You can sign up for S3 and get access keys by visiting http://aws.amazon.com/s3.)
28
+ #
29
+ # For convenience, if you set two special environment variables with the value of your access keys, the console will automatically create a default connection for you. For example:
30
+ #
31
+ # % cat .amazon_keys
32
+ # export AMAZON_ACCESS_KEY_ID='abcdefghijklmnop'
33
+ # export AMAZON_SECRET_ACCESS_KEY='1234567891012345'
34
+ #
35
+ # Then load it in your shell's rc file.
36
+ #
37
+ # % cat .zshrc
38
+ # if [[ -f "$HOME/.amazon_keys" ]]; then
39
+ # source "$HOME/.amazon_keys";
40
+ # fi
41
+ #
42
+ # See more connection details at AWS::S3::Connection::Management::ClassMethods.
43
+ module S3
44
+ constant :DEFAULT_HOST, 's3.amazonaws.com'
45
+
46
+ # AWS::S3::Base is the abstract super class of all classes who make requests against S3, such as the built in
47
+ # Service, Bucket and S3Object classes. It provides methods for making requests, inferring or setting response classes,
48
+ # processing request options, and accessing attributes from S3's response data.
49
+ #
50
+ # Establishing a connection with the Base class is the entry point to using the library:
51
+ #
52
+ # AWS::S3::Base.establish_connection!(:access_key_id => '...', :secret_access_key => '...')
53
+ #
54
+ # The <tt>:access_key_id</tt> and <tt>:secret_access_key</tt> are the two required connection options. More
55
+ # details can be found in the docs for Connection::Management::ClassMethods.
56
+ #
57
+ # Extensive examples can be found in the README[link:files/README.html].
58
+ class Base
59
+
60
+ cattr_accessor :current_host
61
+
62
+ class << self
63
+ # Wraps the current connection's request method and picks the appropriate response class to wrap the response in.
64
+ # If the response is an error, it will raise that error as an exception. All such exceptions can be caught by rescuing
65
+ # their superclass, the ResponseError exception class.
66
+ #
67
+ # It is unlikely that you would call this method directly. Subclasses of Base have convenience methods for each http request verb
68
+ # that wrap calls to request.
69
+ def request(verb, path, options = {}, body = nil, attempts = 0, &block)
70
+ Service.response = nil
71
+ process_options!(options, verb)
72
+ response = response_class.new(connection.request(verb, path, options, body, attempts, current_host, &block))
73
+ Service.response = response
74
+
75
+ Error::Response.new(response.response).error.raise if response.error?
76
+ if attempts > 0 && !current_host.match(".#{DEFAULT_HOST}")
77
+ establish_connection!(:server => DEFAULT_HOST)
78
+ end
79
+ response
80
+ # Once in a while, a request to S3 returns an internal error. A glitch in the matrix I presume. Since these
81
+ # errors are few and far between the request method will rescue InternalErrors the first three times they encouter them
82
+ # and will retry the request again. Most of the time the second attempt will work.
83
+ rescue *retry_exceptions
84
+ attempts == 3 ? raise : (attempts += 1; retry)
85
+ rescue
86
+ raise unless response
87
+ if response.redirect?
88
+ new_host = response.parsed['endpoint']
89
+ establish_connection!(:server => new_host)
90
+ end
91
+ attempts == 3 || !response.redirect? ? raise : (attempts += 1; retry)
92
+ end
93
+
94
+ [:get, :post, :put, :delete, :head].each do |verb|
95
+ class_eval(<<-EVAL, __FILE__, __LINE__)
96
+ def #{verb}(path, headers = {}, body = nil, &block)
97
+ request(:#{verb}, path, headers, body, &block)
98
+ end
99
+ EVAL
100
+ end
101
+
102
+ # Called when a method which requires a bucket name is called without that bucket name specified. It will try to
103
+ # infer the current bucket by looking for it as the subdomain of the current connection's address. If no subdomain
104
+ # is found, CurrentBucketNotSpecified will be raised.
105
+ #
106
+ # MusicBucket.establish_connection! :server => 'jukeboxzero.s3.amazonaws.com'
107
+ # MusicBucket.connection.server
108
+ # => 'jukeboxzero.s3.amazonaws.com'
109
+ # MusicBucket.current_bucket
110
+ # => 'jukeboxzero'
111
+ #
112
+ # Rather than infering the current bucket from the subdomain, the current class' bucket can be explicitly set with
113
+ # set_current_bucket_to.
114
+
115
+ def current_host
116
+ @@current_host
117
+ end
118
+
119
+ def current_host=(host)
120
+ @@current_host = host
121
+ end
122
+
123
+ def current_bucket
124
+ connection.subdomain or raise CurrentBucketNotSpecified.new(connection.http.address)
125
+ end
126
+
127
+ # If you plan on always using a specific bucket for certain files, you can skip always having to specify the bucket by creating
128
+ # a subclass of Bucket or S3Object and telling it what bucket to use:
129
+ #
130
+ # class JukeBoxSong < AWS::S3::S3Object
131
+ # set_current_bucket_to 'jukebox'
132
+ # end
133
+ #
134
+ # For all methods that take a bucket name as an argument, the current bucket will be used if the bucket name argument is omitted.
135
+ #
136
+ # other_song = 'baby-please-come-home.mp3'
137
+ # JukeBoxSong.store(other_song, open(other_song))
138
+ #
139
+ # This time we didn't have to explicitly pass in the bucket name, as the JukeBoxSong class knows that it will
140
+ # always use the 'jukebox' bucket.
141
+ #
142
+ # "Astute readers", as they say, may have noticed that we used the third parameter to pass in the content type,
143
+ # rather than the fourth parameter as we had the last time we created an object. If the bucket can be inferred, or
144
+ # is explicitly set, as we've done in the JukeBoxSong class, then the third argument can be used to pass in
145
+ # options.
146
+ #
147
+ # Now all operations that would have required a bucket name no longer do.
148
+ #
149
+ # other_song = JukeBoxSong.find('baby-please-come-home.mp3')
150
+ def set_current_bucket_to(name)
151
+ raise ArgumentError, "`#{__method__}' must be called on a subclass of #{self.name}" if self == AWS::S3::Base
152
+ instance_eval(<<-EVAL)
153
+ def current_bucket
154
+ '#{name}'
155
+ end
156
+ EVAL
157
+ end
158
+ alias_method :current_bucket=, :set_current_bucket_to
159
+
160
+ private
161
+
162
+ def response_class
163
+ FindResponseClass.for(self)
164
+ end
165
+
166
+ def process_options!(options, verb)
167
+ options.replace(RequestOptions.process(options, verb))
168
+ end
169
+
170
+ # Using the conventions layed out in the <tt>response_class</tt> works for more than 80% of the time.
171
+ # There are a few edge cases though where we want a given class to wrap its responses in different
172
+ # response classes depending on which method is being called.
173
+ def respond_with(klass)
174
+ eval(<<-EVAL, binding, __FILE__, __LINE__)
175
+ def new_response_class
176
+ #{klass}
177
+ end
178
+
179
+ class << self
180
+ alias_method :old_response_class, :response_class
181
+ alias_method :response_class, :new_response_class
182
+ end
183
+ EVAL
184
+
185
+ yield
186
+ ensure
187
+ # Restore the original version
188
+ eval(<<-EVAL, binding, __FILE__, __LINE__)
189
+ class << self
190
+ alias_method :response_class, :old_response_class
191
+ end
192
+ EVAL
193
+ end
194
+
195
+ def bucket_name(name)
196
+ name || current_bucket
197
+ end
198
+
199
+ def retry_exceptions
200
+ [InternalError, RequestTimeout]
201
+ end
202
+
203
+ class RequestOptions < Hash #:nodoc:
204
+ attr_reader :options, :verb
205
+
206
+ class << self
207
+ def process(*args, &block)
208
+ new(*args, &block).process!
209
+ end
210
+ end
211
+
212
+ def initialize(options, verb = :get)
213
+ @options = options.to_normalized_options
214
+ @verb = verb
215
+ super()
216
+ end
217
+
218
+ def process!
219
+ set_access_controls! if verb == :put
220
+ replace(options)
221
+ end
222
+
223
+ private
224
+ def set_access_controls!
225
+ ACL::OptionProcessor.process!(options)
226
+ end
227
+ end
228
+ end
229
+
230
+ def initialize(attributes = {}) #:nodoc:
231
+ @attributes = attributes
232
+ end
233
+
234
+ private
235
+ attr_reader :attributes
236
+
237
+ def current_host
238
+ self.class.current_host
239
+ end
240
+
241
+ def current_host=(host)
242
+ self.class.current_host = host
243
+ end
244
+
245
+ def connection
246
+ self.class.connection
247
+ end
248
+
249
+ def http
250
+ connection.http
251
+ end
252
+
253
+ def request(*args, &block)
254
+ self.class.request(*args, &block)
255
+ end
256
+
257
+ def method_missing(method, *args, &block)
258
+ attributes[method.to_s] || attributes[method] || super
259
+ end
260
+ end
261
+ end
262
+ end