ghazel-aws-s3 0.6.4

Sign up to get free protection for your applications and to get access to all the features.
@@ -0,0 +1,314 @@
1
+ module AWS
2
+ module S3
3
+ # A bucket can be set to log the requests made on it. By default logging is turned off. You can check if a bucket has logging enabled:
4
+ #
5
+ # Bucket.logging_enabled_for? 'jukebox'
6
+ # # => false
7
+ #
8
+ # Enabling it is easy:
9
+ #
10
+ # Bucket.enable_logging_for('jukebox')
11
+ #
12
+ # Unless you specify otherwise, logs will be written to the bucket you want to log. The logs are just like any other object. By default they will start with the prefix 'log-'. You can customize what bucket you want the logs to be delivered to, as well as customize what the log objects' key is prefixed with by setting the <tt>target_bucket</tt> and <tt>target_prefix</tt> option:
13
+ #
14
+ # Bucket.enable_logging_for(
15
+ # 'jukebox', 'target_bucket' => 'jukebox-logs'
16
+ # )
17
+ #
18
+ # Now instead of logging right into the jukebox bucket, the logs will go into the bucket called jukebox-logs.
19
+ #
20
+ # Once logs have accumulated, you can access them using the <tt>logs</tt> method:
21
+ #
22
+ # pp Bucket.logs('jukebox')
23
+ # [#<AWS::S3::Logging::Log '/jukebox-logs/log-2006-11-14-07-15-24-2061C35880A310A1'>,
24
+ # #<AWS::S3::Logging::Log '/jukebox-logs/log-2006-11-14-08-15-27-D8EEF536EC09E6B3'>,
25
+ # #<AWS::S3::Logging::Log '/jukebox-logs/log-2006-11-14-08-15-29-355812B2B15BD789'>]
26
+ #
27
+ # Each log has a <tt>lines</tt> method that gives you information about each request in that log. All the fields are available
28
+ # as named methods. More information is available in Logging::Log::Line.
29
+ #
30
+ # logs = Bucket.logs('jukebox')
31
+ # log = logs.first
32
+ # line = log.lines.first
33
+ # line.operation
34
+ # # => 'REST.GET.LOGGING_STATUS'
35
+ # line.request_uri
36
+ # # => 'GET /jukebox?logging HTTP/1.1'
37
+ # line.remote_ip
38
+ # # => "67.165.183.125"
39
+ #
40
+ # Disabling logging is just as simple as enabling it:
41
+ #
42
+ # Bucket.disable_logging_for('jukebox')
43
+ module Logging
44
+ # Logging status captures information about the calling bucket's logging settings. If logging is enabled for the bucket
45
+ # the status object will indicate what bucket the logs are written to via the <tt>target_bucket</tt> method as well as
46
+ # the logging key prefix with via <tt>target_prefix</tt>.
47
+ #
48
+ # See the documentation for Logging::Management::ClassMethods for more information on how to get the logging status of a bucket.
49
+ class Status
50
+ include SelectiveAttributeProxy
51
+ attr_reader :enabled
52
+ alias_method :logging_enabled?, :enabled
53
+
54
+ def initialize(attributes = {}) #:nodoc:
55
+ attributes = {'target_bucket' => nil, 'target_prefix' => nil}.merge(attributes)
56
+ @enabled = attributes.has_key?('logging_enabled')
57
+ @attributes = attributes.delete('logging_enabled') || attributes
58
+ end
59
+
60
+ def to_xml #:nodoc:
61
+ Builder.new(self).to_s
62
+ end
63
+
64
+ private
65
+ attr_reader :attributes
66
+
67
+ class Builder < XmlGenerator #:nodoc:
68
+ attr_reader :logging_status
69
+ def initialize(logging_status)
70
+ @logging_status = logging_status
71
+ super()
72
+ end
73
+
74
+ def build
75
+ xml.tag!('BucketLoggingStatus', 'xmlns' => 'http://s3.amazonaws.com/doc/2006-03-01/') do
76
+ if logging_status.target_bucket && logging_status.target_prefix
77
+ xml.LoggingEnabled do
78
+ xml.TargetBucket logging_status.target_bucket
79
+ xml.TargetPrefix logging_status.target_prefix
80
+ end
81
+ end
82
+ end
83
+ end
84
+ end
85
+ end
86
+
87
+ # A bucket log exposes requests made on the given bucket. Lines of the log represent a single request. The lines of a log
88
+ # can be accessed with the lines method.
89
+ #
90
+ # log = Bucket.logs_for('marcel').first
91
+ # log.lines
92
+ #
93
+ # More information about the logged requests can be found in the documentation for Log::Line.
94
+ class Log
95
+ def initialize(log_object) #:nodoc:
96
+ @log = log_object
97
+ end
98
+
99
+ # Returns the lines for the log. Each line is wrapped in a Log::Line.
100
+ if RUBY_VERSION >= '1.8.7'
101
+ def lines
102
+ log.value.lines.map {|line| Line.new(line)}
103
+ end
104
+ else
105
+ def lines
106
+ log.value.map {|line| Line.new(line)}
107
+ end
108
+ end
109
+ memoized :lines
110
+
111
+ def path
112
+ log.path
113
+ end
114
+
115
+ def inspect #:nodoc:
116
+ "#<%s:0x%s '%s'>" % [self.class.name, object_id, path]
117
+ end
118
+
119
+ private
120
+ attr_reader :log
121
+
122
+ # Each line of a log exposes the raw line, but it also has method accessors for all the fields of the logged request.
123
+ #
124
+ # The list of supported log line fields are listed in the S3 documentation: http://docs.amazonwebservices.com/AmazonS3/2006-03-01/LogFormat.html
125
+ #
126
+ # line = log.lines.first
127
+ # line.remote_ip
128
+ # # => '72.21.206.5'
129
+ #
130
+ # If a certain field does not apply to a given request (for example, the <tt>key</tt> field does not apply to a bucket request),
131
+ # or if it was unknown or unavailable, it will return <tt>nil</tt>.
132
+ #
133
+ # line.operation
134
+ # # => 'REST.GET.BUCKET'
135
+ # line.key
136
+ # # => nil
137
+ class Line < String
138
+ DATE = /\[([^\]]+)\]/
139
+ QUOTED_STRING = /"([^"]+)"/
140
+ REST = /(\S+)/
141
+ LINE_SCANNER = /#{DATE}|#{QUOTED_STRING}|#{REST}/
142
+
143
+ cattr_accessor :decorators
144
+ @@decorators = Hash.new {|hash, key| hash[key] = lambda {|entry| CoercibleString.coerce(entry)}}
145
+ cattr_reader :fields
146
+ @@fields = []
147
+
148
+ class << self
149
+ def field(name, offset, type = nil, &block) #:nodoc:
150
+ decorators[name] = block if block_given?
151
+ fields << name
152
+ class_eval(<<-EVAL, __FILE__, __LINE__)
153
+ def #{name}
154
+ value = parts[#{offset} - 1]
155
+ if value == '-'
156
+ nil
157
+ else
158
+ self.class.decorators[:#{name}].call(value)
159
+ end
160
+ end
161
+ memoized :#{name}
162
+ EVAL
163
+ end
164
+
165
+ # Time.parse doesn't like %d/%B/%Y:%H:%M:%S %z so we have to transform it unfortunately
166
+ def typecast_time(datetime) #:nodoc:
167
+ datetime.sub!(%r|^(\w{2})/(\w{3})/(\w{4})|, '\2 \1 \3')
168
+ datetime.sub!(':', ' ')
169
+ Time.parse(datetime)
170
+ end
171
+ end
172
+
173
+ def initialize(line) #:nodoc:
174
+ super(line)
175
+ @parts = parse
176
+ end
177
+
178
+ field(:owner, 1) {|entry| Owner.new('id' => entry) }
179
+ field :bucket, 2
180
+ field(:time, 3) {|entry| typecast_time(entry)}
181
+ field :remote_ip, 4
182
+ field(:requestor, 5) {|entry| Owner.new('id' => entry) }
183
+ field :request_id, 6
184
+ field :operation, 7
185
+ field :key, 8
186
+ field :request_uri, 9
187
+ field :http_status, 10
188
+ field :error_code, 11
189
+ field :bytes_sent, 12
190
+ field :object_size, 13
191
+ field :total_time, 14
192
+ field :turn_around_time, 15
193
+ field :referrer, 16
194
+ field :user_agent, 17
195
+
196
+ # Returns all fields of the line in a hash of the form <tt>:field_name => :field_value</tt>.
197
+ #
198
+ # line.attributes.values_at(:bucket, :key)
199
+ # # => ['marcel', 'kiss.jpg']
200
+ def attributes
201
+ self.class.fields.inject({}) do |attribute_hash, field|
202
+ attribute_hash[field] = send(field)
203
+ attribute_hash
204
+ end
205
+ end
206
+
207
+ private
208
+ attr_reader :parts
209
+
210
+ def parse
211
+ scan(LINE_SCANNER).flatten.compact
212
+ end
213
+ end
214
+ end
215
+
216
+ module Management #:nodoc:
217
+ def self.included(klass) #:nodoc:
218
+ klass.extend(ClassMethods)
219
+ klass.extend(LoggingGrants)
220
+ end
221
+
222
+ module ClassMethods
223
+ # Returns the logging status for the bucket named <tt>name</tt>. From the logging status you can determine the bucket logs are delivered to
224
+ # and what the bucket object's keys are prefixed with. For more information see the Logging::Status class.
225
+ #
226
+ # Bucket.logging_status_for 'marcel'
227
+ def logging_status_for(name = nil, status = nil)
228
+ if name.is_a?(Status)
229
+ status = name
230
+ name = nil
231
+ end
232
+
233
+ path = path(name) << '?logging'
234
+ status ? put(path, {}, status.to_xml) : Status.new(get(path).parsed)
235
+ end
236
+ alias_method :logging_status, :logging_status_for
237
+
238
+ # Enables logging for the bucket named <tt>name</tt>. You can specify what bucket to log to with the <tt>'target_bucket'</tt> option as well
239
+ # as what prefix to add to the log files with the <tt>'target_prefix'</tt> option. Unless you specify otherwise, logs will be delivered to
240
+ # the same bucket that is being logged and will be prefixed with <tt>log-</tt>.
241
+ def enable_logging_for(name = nil, options = {})
242
+ name = bucket_name(name)
243
+ default_options = {'target_bucket' => name, 'target_prefix' => 'log-'}
244
+ options = default_options.merge(options)
245
+ grant_logging_access_to_target_bucket(options['target_bucket'])
246
+ logging_status(name, Status.new(options))
247
+ end
248
+ alias_method :enable_logging, :enable_logging_for
249
+
250
+ # Disables logging for the bucket named <tt>name</tt>.
251
+ def disable_logging_for(name = nil)
252
+ logging_status(bucket_name(name), Status.new)
253
+ end
254
+ alias_method :disable_logging, :disable_logging_for
255
+
256
+ # Returns true if logging has been enabled for the bucket named <tt>name</tt>.
257
+ def logging_enabled_for?(name = nil)
258
+ logging_status(bucket_name(name)).logging_enabled?
259
+ end
260
+ alias_method :logging_enabled?, :logging_enabled_for?
261
+
262
+ # Returns the collection of logs for the bucket named <tt>name</tt>.
263
+ #
264
+ # Bucket.logs_for 'marcel'
265
+ #
266
+ # Accepts the same options as Bucket.find, such as <tt>:max_keys</tt> and <tt>:marker</tt>.
267
+ def logs_for(name = nil, options = {})
268
+ if name.is_a?(Hash)
269
+ options = name
270
+ name = nil
271
+ end
272
+
273
+ name = bucket_name(name)
274
+ logging_status = logging_status_for(name)
275
+ return [] unless logging_status.logging_enabled?
276
+ objects(logging_status.target_bucket, options.merge(:prefix => logging_status.target_prefix)).map do |log_object|
277
+ Log.new(log_object)
278
+ end
279
+ end
280
+ alias_method :logs, :logs_for
281
+ end
282
+
283
+ module LoggingGrants #:nodoc:
284
+ def grant_logging_access_to_target_bucket(target_bucket)
285
+ acl = acl(target_bucket)
286
+ acl.grants << ACL::Grant.grant(:logging_write)
287
+ acl.grants << ACL::Grant.grant(:logging_read_acp)
288
+ acl(target_bucket, acl)
289
+ end
290
+ end
291
+
292
+ def logging_status
293
+ self.class.logging_status_for(name)
294
+ end
295
+
296
+ def enable_logging(*args)
297
+ self.class.enable_logging_for(name, *args)
298
+ end
299
+
300
+ def disable_logging(*args)
301
+ self.class.disable_logging_for(name, *args)
302
+ end
303
+
304
+ def logging_enabled?
305
+ self.class.logging_enabled_for?(name)
306
+ end
307
+
308
+ def logs(options = {})
309
+ self.class.logs_for(name, options)
310
+ end
311
+ end
312
+ end
313
+ end
314
+ end
@@ -0,0 +1,624 @@
1
+ module AWS
2
+ module S3
3
+ # S3Objects represent the data you store on S3. They have a key (their name) and a value (their data). All objects belong to a
4
+ # bucket.
5
+ #
6
+ # You can store an object on S3 by specifying a key, its data and the name of the bucket you want to put it in:
7
+ #
8
+ # S3Object.store('me.jpg', open('headshot.jpg'), 'photos')
9
+ #
10
+ # The content type of the object will be inferred by its extension. If the appropriate content type can not be inferred, S3 defaults
11
+ # to <tt>binary/octet-stream</tt>.
12
+ #
13
+ # If you want to override this, you can explicitly indicate what content type the object should have with the <tt>:content_type</tt> option:
14
+ #
15
+ # file = 'black-flowers.m4a'
16
+ # S3Object.store(
17
+ # file,
18
+ # open(file),
19
+ # 'jukebox',
20
+ # :content_type => 'audio/mp4a-latm'
21
+ # )
22
+ #
23
+ # You can read more about storing files on S3 in the documentation for S3Object.store.
24
+ #
25
+ # If you just want to fetch an object you've stored on S3, you just specify its name and its bucket:
26
+ #
27
+ # picture = S3Object.find 'headshot.jpg', 'photos'
28
+ #
29
+ # N.B. The actual data for the file is not downloaded in both the example where the file appeared in the bucket and when fetched directly.
30
+ # You get the data for the file like this:
31
+ #
32
+ # picture.value
33
+ #
34
+ # You can fetch just the object's data directly:
35
+ #
36
+ # S3Object.value 'headshot.jpg', 'photos'
37
+ #
38
+ # Or stream it by passing a block to <tt>stream</tt>:
39
+ #
40
+ # open('song.mp3', 'w') do |file|
41
+ # S3Object.stream('song.mp3', 'jukebox') do |chunk|
42
+ # file.write chunk
43
+ # end
44
+ # end
45
+ #
46
+ # The data of the file, once download, is cached, so subsequent calls to <tt>value</tt> won't redownload the file unless you
47
+ # tell the object to reload its <tt>value</tt>:
48
+ #
49
+ # # Redownloads the file's data
50
+ # song.value(:reload)
51
+ #
52
+ # Other functionality includes:
53
+ #
54
+ # # Check if an object exists?
55
+ # S3Object.exists? 'headshot.jpg', 'photos'
56
+ #
57
+ # # Copying an object
58
+ # S3Object.copy 'headshot.jpg', 'headshot2.jpg', 'photos'
59
+ #
60
+ # # Renaming an object
61
+ # S3Object.rename 'headshot.jpg', 'portrait.jpg', 'photos'
62
+ #
63
+ # # Deleting an object
64
+ # S3Object.delete 'headshot.jpg', 'photos'
65
+ #
66
+ # ==== More about objects and their metadata
67
+ #
68
+ # You can find out the content type of your object with the <tt>content_type</tt> method:
69
+ #
70
+ # song.content_type
71
+ # # => "audio/mpeg"
72
+ #
73
+ # You can change the content type as well if you like:
74
+ #
75
+ # song.content_type = 'application/pdf'
76
+ # song.store
77
+ #
78
+ # A bevie of information about an object can be had using the <tt>about</tt> method:
79
+ #
80
+ # pp song.about
81
+ # {"last-modified" => "Sat, 28 Oct 2006 21:29:26 GMT",
82
+ # "content-type" => "binary/octet-stream",
83
+ # "etag" => "\"dc629038ffc674bee6f62eb64ff3a\"",
84
+ # "date" => "Sat, 28 Oct 2006 21:30:41 GMT",
85
+ # "x-amz-request-id" => "B7BC68F55495B1C8",
86
+ # "server" => "AmazonS3",
87
+ # "content-length" => "3418766"}
88
+ #
89
+ # You can get and set metadata for an object:
90
+ #
91
+ # song.metadata
92
+ # # => {}
93
+ # song.metadata[:album] = "A River Ain't Too Much To Love"
94
+ # # => "A River Ain't Too Much To Love"
95
+ # song.metadata[:released] = 2005
96
+ # pp song.metadata
97
+ # {"x-amz-meta-released" => 2005,
98
+ # "x-amz-meta-album" => "A River Ain't Too Much To Love"}
99
+ # song.store
100
+ #
101
+ # That metadata will be saved in S3 and is hence forth available from that object:
102
+ #
103
+ # song = S3Object.find('black-flowers.mp3', 'jukebox')
104
+ # pp song.metadata
105
+ # {"x-amz-meta-released" => "2005",
106
+ # "x-amz-meta-album" => "A River Ain't Too Much To Love"}
107
+ # song.metadata[:released]
108
+ # # => "2005"
109
+ # song.metadata[:released] = 2006
110
+ # pp song.metadata
111
+ # {"x-amz-meta-released" => 2006,
112
+ # "x-amz-meta-album" => "A River Ain't Too Much To Love"}
113
+ class S3Object < Base
114
+ class << self
115
+ # Returns the value of the object with <tt>key</tt> in the specified bucket.
116
+ #
117
+ # === Conditional GET options
118
+ #
119
+ # * <tt>:if_modified_since</tt> - Return the object only if it has been modified since the specified time,
120
+ # otherwise return a 304 (not modified).
121
+ # * <tt>:if_unmodified_since</tt> - Return the object only if it has not been modified since the specified time,
122
+ # otherwise raise PreconditionFailed.
123
+ # * <tt>:if_match</tt> - Return the object only if its entity tag (ETag) is the same as the one specified,
124
+ # otherwise raise PreconditionFailed.
125
+ # * <tt>:if_none_match</tt> - Return the object only if its entity tag (ETag) is different from the one specified,
126
+ # otherwise return a 304 (not modified).
127
+ #
128
+ # === Other options
129
+ # * <tt>:range</tt> - Return only the bytes of the object in the specified range.
130
+ def value(key, bucket = nil, options = {}, &block)
131
+ Value.new(get(path!(bucket, key, options), options, &block))
132
+ end
133
+
134
+ def stream(key, bucket = nil, options = {}, &block)
135
+ value(key, bucket, options) do |response|
136
+ response.read_body(&block)
137
+ end
138
+ end
139
+
140
+ # Returns the object whose key is <tt>name</tt> in the specified bucket. If the specified key does not
141
+ # exist, a NoSuchKey exception will be raised.
142
+ def find(key, bucket = nil)
143
+ # N.B. This is arguably a hack. From what the current S3 API exposes, when you retrieve a bucket, it
144
+ # provides a listing of all the files in that bucket (assuming you haven't limited the scope of what it returns).
145
+ # Each file in the listing contains information about that file. It is from this information that an S3Object is built.
146
+ #
147
+ # If you know the specific file that you want, S3 allows you to make a get request for that specific file and it returns
148
+ # the value of that file in its response body. This response body is used to build an S3Object::Value object.
149
+ # If you want information about that file, you can make a head request and the headers of the response will contain
150
+ # information about that file. There is no way, though, to say, give me the representation of just this given file the same
151
+ # way that it would appear in a bucket listing.
152
+ #
153
+ # When fetching a bucket, you can provide options which narrow the scope of what files should be returned in that listing.
154
+ # Of those options, one is <tt>marker</tt> which is a string and instructs the bucket to return only object's who's key comes after
155
+ # the specified marker according to alphabetic order. Another option is <tt>max-keys</tt> which defaults to 1000 but allows you
156
+ # to dictate how many objects should be returned in the listing. With a combination of <tt>marker</tt> and <tt>max-keys</tt> you can
157
+ # *almost* specify exactly which file you'd like it to return, but <tt>marker</tt> is not inclusive. In other words, if there is a bucket
158
+ # which contains three objects who's keys are respectively 'a', 'b' and 'c', then fetching a bucket listing with marker set to 'b' will only
159
+ # return 'c', not 'b'.
160
+ #
161
+ # Given all that, my hack to fetch a bucket with only one specific file, is to set the marker to the result of calling String#previous on
162
+ # the desired object's key, which functionally makes the key ordered one degree higher than the desired object key according to
163
+ # alphabetic ordering. This is a hack, but it should work around 99% of the time. I can't think of a scenario where it would return
164
+ # something incorrect.
165
+
166
+ # We need to ensure the key doesn't have extended characters but not uri escape it before doing the lookup and comparing since if the object exists,
167
+ # the key on S3 will have been normalized
168
+ key = key.remove_extended unless key.valid_utf8?
169
+ bucket = Bucket.find(bucket_name(bucket), :marker => key.previous, :max_keys => 1)
170
+ # If our heuristic failed, trigger a NoSuchKey exception
171
+ if (object = bucket.objects.first) && object.key == key
172
+ object
173
+ else
174
+ raise NoSuchKey.new("No such key `#{key}'", bucket)
175
+ end
176
+ end
177
+
178
+ # Makes a copy of the object with <tt>key</tt> to <tt>copy_key</tt>, preserving the ACL of the existing object if the <tt>:copy_acl</tt> option is true (default false).
179
+ def copy(key, copy_key, bucket = nil, options = {})
180
+ bucket = bucket_name(bucket)
181
+ source_key = path!(bucket, key)
182
+ default_options = {'x-amz-copy-source' => source_key}
183
+ target_key = path!(bucket, copy_key)
184
+ returning put(target_key, default_options) do
185
+ acl(copy_key, bucket, acl(key, bucket)) if options[:copy_acl]
186
+ end
187
+ end
188
+
189
+ # Updates the object with <tt>key</tt> by copying it in-place, preserving the ACL of the existing object.
190
+ # Useful for updating an object's metadata without having to re-PUT the data.
191
+ def update(key, bucket = nil, options = {})
192
+ bucket = bucket_name(bucket)
193
+ source_key = path!(bucket, key)
194
+ default_options = {'x-amz-copy-source' => source_key, 'x-amz-metadata-directive' => 'REPLACE'}
195
+ returning put(source_key, options.merge(default_options)) do
196
+ acl(key, bucket, acl(key, bucket))
197
+ end
198
+ end
199
+
200
+ # Rename the object with key <tt>from</tt> to have key in <tt>to</tt>.
201
+ def rename(from, to, bucket = nil, options = {})
202
+ copy(from, to, bucket, options)
203
+ delete(from, bucket)
204
+ end
205
+
206
+ # Fetch information about the object with <tt>key</tt> from <tt>bucket</tt>. Information includes content type, content length,
207
+ # last modified time, and others.
208
+ #
209
+ # If the specified key does not exist, NoSuchKey is raised.
210
+ def about(key, bucket = nil, options = {})
211
+ response = head(path!(bucket, key, options), options)
212
+ raise NoSuchKey.new("No such key `#{key}'", bucket) if response.code == 404
213
+ About.new(response.headers)
214
+ end
215
+
216
+ # Checks if the object with <tt>key</tt> in <tt>bucket</tt> exists.
217
+ #
218
+ # S3Object.exists? 'kiss.jpg', 'marcel'
219
+ # # => true
220
+ def exists?(key, bucket = nil)
221
+ about(key, bucket)
222
+ true
223
+ rescue NoSuchKey
224
+ false
225
+ end
226
+
227
+ # Delete object with <tt>key</tt> from <tt>bucket</tt>.
228
+ def delete(key, bucket = nil, options = {})
229
+ # A bit confusing. Calling super actually makes an HTTP DELETE request. The delete method is
230
+ # defined in the Base class. It happens to have the same name.
231
+ super(path!(bucket, key, options), options).success?
232
+ end
233
+
234
+ # When storing an object on the S3 servers using S3Object.store, the <tt>data</tt> argument can be a string or an I/O stream.
235
+ # If <tt>data</tt> is an I/O stream it will be read in segments and written to the socket incrementally. This approach
236
+ # may be desirable for very large files so they are not read into memory all at once.
237
+ #
238
+ # # Non streamed upload
239
+ # S3Object.store('greeting.txt', 'hello world!', 'marcel')
240
+ #
241
+ # # Streamed upload
242
+ # S3Object.store('roots.mpeg', open('roots.mpeg'), 'marcel')
243
+ def store(key, data, bucket = nil, options = {})
244
+ validate_key!(key)
245
+ # Must build path before infering content type in case bucket is being used for options
246
+ path = path!(bucket, key, options)
247
+ infer_content_type!(key, options)
248
+
249
+ put(path, options, data) # Don't call .success? on response. We want to get the etag.
250
+ end
251
+ alias_method :create, :store
252
+ alias_method :save, :store
253
+
254
+ # All private objects are accessible via an authenticated GET request to the S3 servers. You can generate an
255
+ # authenticated url for an object like this:
256
+ #
257
+ # S3Object.url_for('beluga_baby.jpg', 'marcel_molina')
258
+ #
259
+ # By default authenticated urls expire 5 minutes after they were generated.
260
+ #
261
+ # Expiration options can be specified either with an absolute time since the epoch with the <tt>:expires</tt> options,
262
+ # or with a number of seconds relative to now with the <tt>:expires_in</tt> options:
263
+ #
264
+ # # Absolute expiration date
265
+ # # (Expires January 18th, 2038)
266
+ # doomsday = Time.mktime(2038, 1, 18).to_i
267
+ # S3Object.url_for('beluga_baby.jpg',
268
+ # 'marcel',
269
+ # :expires => doomsday)
270
+ #
271
+ # # Expiration relative to now specified in seconds
272
+ # # (Expires in 3 hours)
273
+ # S3Object.url_for('beluga_baby.jpg',
274
+ # 'marcel',
275
+ # :expires_in => 60 * 60 * 3)
276
+ #
277
+ # You can specify whether the url should go over SSL with the <tt>:use_ssl</tt> option:
278
+ #
279
+ # # Url will use https protocol
280
+ # S3Object.url_for('beluga_baby.jpg',
281
+ # 'marcel',
282
+ # :use_ssl => true)
283
+ #
284
+ # By default, the ssl settings for the current connection will be used.
285
+ #
286
+ # If you have an object handy, you can use its <tt>url</tt> method with the same objects:
287
+ #
288
+ # song.url(:expires_in => 30)
289
+ #
290
+ # To get an unauthenticated url for the object, such as in the case
291
+ # when the object is publicly readable, pass the
292
+ # <tt>:authenticated</tt> option with a value of <tt>false</tt>.
293
+ #
294
+ # S3Object.url_for('beluga_baby.jpg',
295
+ # 'marcel',
296
+ # :authenticated => false)
297
+ # # => http://s3.amazonaws.com/marcel/beluga_baby.jpg
298
+ def url_for(name, bucket = nil, options = {})
299
+ connection.url_for(path!(bucket, name, options), options) # Do not normalize options
300
+ end
301
+
302
+ def path!(bucket, name, options = {}) #:nodoc:
303
+ # We're using the second argument for options
304
+ if bucket.is_a?(Hash)
305
+ options.replace(bucket)
306
+ bucket = nil
307
+ end
308
+ '/' << File.join(bucket_name(bucket), name)
309
+ end
310
+
311
+ private
312
+
313
+ def validate_key!(key)
314
+ raise InvalidKeyName.new(key) unless key && key.size <= 1024
315
+ end
316
+
317
+ def infer_content_type!(key, options)
318
+ return if options.has_key?(:content_type)
319
+ if mime_type = MIME::Types.type_for(key).first
320
+ options[:content_type] = mime_type.content_type
321
+ end
322
+ end
323
+ end
324
+
325
+ class Value < String #:nodoc:
326
+ attr_reader :response
327
+ def initialize(response)
328
+ super(response.body)
329
+ @response = response
330
+ end
331
+ end
332
+
333
+ class About < Hash #:nodoc:
334
+ def initialize(headers)
335
+ super()
336
+ replace(headers)
337
+ metadata
338
+ end
339
+
340
+ def [](header)
341
+ super(header.to_header)
342
+ end
343
+
344
+ def []=(header, value)
345
+ super(header.to_header, value)
346
+ end
347
+
348
+ def to_headers
349
+ self.merge(metadata.to_headers)
350
+ end
351
+
352
+ def metadata
353
+ Metadata.new(self)
354
+ end
355
+ memoized :metadata
356
+ end
357
+
358
+ class Metadata < Hash #:nodoc:
359
+ HEADER_PREFIX = 'x-amz-meta-'
360
+ SIZE_LIMIT = 2048 # 2 kilobytes
361
+
362
+ def initialize(headers)
363
+ @headers = headers
364
+ super()
365
+ extract_metadata!
366
+ end
367
+
368
+ def []=(header, value)
369
+ super(header_name(header.to_header), value)
370
+ end
371
+
372
+ def [](header)
373
+ super(header_name(header.to_header))
374
+ end
375
+
376
+ def to_headers
377
+ validate!
378
+ self
379
+ end
380
+
381
+ private
382
+ attr_reader :headers
383
+
384
+ def extract_metadata!
385
+ headers.keys.grep(Regexp.new(HEADER_PREFIX)).each do |metadata_header|
386
+ self[metadata_header] = headers.delete(metadata_header)
387
+ end
388
+ end
389
+
390
+ def header_name(name)
391
+ name =~ Regexp.new(HEADER_PREFIX) ? name : [HEADER_PREFIX, name].join
392
+ end
393
+
394
+ def validate!
395
+ invalid_headers = inject([]) do |invalid, (name, value)|
396
+ invalid << name unless valid?(value)
397
+ invalid
398
+ end
399
+
400
+ raise InvalidMetadataValue.new(invalid_headers) unless invalid_headers.empty?
401
+ end
402
+
403
+ def valid?(value)
404
+ value && value.size < SIZE_LIMIT
405
+ end
406
+ end
407
+
408
+ attr_writer :value #:nodoc:
409
+
410
+ # Provides readers and writers for all valid header settings listed in <tt>valid_header_settings</tt>.
411
+ # Subsequent saves to the object after setting any of the valid headers settings will be reflected in
412
+ # information about the object.
413
+ #
414
+ # some_s3_object.content_type
415
+ # => nil
416
+ # some_s3_object.content_type = 'text/plain'
417
+ # => "text/plain"
418
+ # some_s3_object.content_type
419
+ # => "text/plain"
420
+ # some_s3_object.store
421
+ # S3Object.about(some_s3_object.key, some_s3_object.bucket.name)['content-type']
422
+ # => "text/plain"
423
+ include SelectiveAttributeProxy #:nodoc
424
+
425
+ proxy_to :about, :exclusively => false
426
+
427
+ # Initializes a new S3Object.
428
+ def initialize(attributes = {}, &block)
429
+ super
430
+ self.value = attributes.delete(:value)
431
+ self.bucket = attributes.delete(:bucket)
432
+ yield self if block_given?
433
+ end
434
+
435
+ # The current object's bucket. If no bucket has been set, a NoBucketSpecified exception will be raised. For
436
+ # cases where you are not sure if the bucket has been set, you can use the belongs_to_bucket? method.
437
+ def bucket
438
+ @bucket or raise NoBucketSpecified
439
+ end
440
+
441
+ # Sets the bucket that the object belongs to.
442
+ def bucket=(bucket)
443
+ @bucket = bucket
444
+ self
445
+ end
446
+
447
+ # Returns true if the current object has been assigned to a bucket yet. Objects must belong to a bucket before they
448
+ # can be saved onto S3.
449
+ def belongs_to_bucket?
450
+ !@bucket.nil?
451
+ end
452
+ alias_method :orphan?, :belongs_to_bucket?
453
+
454
+ # Returns the key of the object. If the key is not set, a NoKeySpecified exception will be raised. For cases
455
+ # where you are not sure if the key has been set, you can use the key_set? method. Objects must have a key
456
+ # set to be saved onto S3. Objects which have already been saved onto S3 will always have their key set.
457
+ def key
458
+ attributes['key'] or raise NoKeySpecified
459
+ end
460
+
461
+ # Sets the key for the current object.
462
+ def key=(value)
463
+ attributes['key'] = value
464
+ end
465
+
466
+ # Returns true if the current object has had its key set yet. Objects which have already been saved will
467
+ # always return true. This method is useful for objects which have not been saved yet so you know if you
468
+ # need to set the object's key since you can not save an object unless its key has been set.
469
+ #
470
+ # object.store if object.key_set? && object.belongs_to_bucket?
471
+ def key_set?
472
+ !attributes['key'].nil?
473
+ end
474
+
475
+ # Lazily loads object data.
476
+ #
477
+ # Force a reload of the data by passing <tt>:reload</tt>.
478
+ #
479
+ # object.value(:reload)
480
+ #
481
+ # When loading the data for the first time you can optionally yield to a block which will
482
+ # allow you to stream the data in segments.
483
+ #
484
+ # object.value do |segment|
485
+ # send_data segment
486
+ # end
487
+ #
488
+ # The full list of options are listed in the documentation for its class method counter part, S3Object::value.
489
+ def value(options = {}, &block)
490
+ if options.is_a?(Hash)
491
+ reload = !options.empty?
492
+ else
493
+ reload = options
494
+ options = {}
495
+ end
496
+ expirable_memoize(reload) do
497
+ self.class.stream(key, bucket.name, options, &block)
498
+ end
499
+ end
500
+
501
+ # Interface to information about the current object. Information is read only, though some of its data
502
+ # can be modified through specific methods, such as content_type and content_type=.
503
+ #
504
+ # pp some_object.about
505
+ # {"last-modified" => "Sat, 28 Oct 2006 21:29:26 GMT",
506
+ # "x-amz-id-2" => "LdcQRk5qLwxJQiZ8OH50HhoyKuqyWoJ67B6i+rOE5MxpjJTWh1kCkL+I0NQzbVQn",
507
+ # "content-type" => "binary/octet-stream",
508
+ # "etag" => "\"dc629038ffc674bee6f62eb68454ff3a\"",
509
+ # "date" => "Sat, 28 Oct 2006 21:30:41 GMT",
510
+ # "x-amz-request-id" => "B7BC68F55495B1C8",
511
+ # "server" => "AmazonS3",
512
+ # "content-length" => "3418766"}
513
+ #
514
+ # some_object.content_type
515
+ # # => "binary/octet-stream"
516
+ # some_object.content_type = 'audio/mpeg'
517
+ # some_object.content_type
518
+ # # => 'audio/mpeg'
519
+ # some_object.store
520
+ def about
521
+ stored? ? self.class.about(key, bucket.name) : About.new
522
+ end
523
+ memoized :about
524
+
525
+ # Interface to viewing and editing metadata for the current object. To be treated like a Hash.
526
+ #
527
+ # some_object.metadata
528
+ # # => {}
529
+ # some_object.metadata[:author] = 'Dave Thomas'
530
+ # some_object.metadata
531
+ # # => {"x-amz-meta-author" => "Dave Thomas"}
532
+ # some_object.metadata[:author]
533
+ # # => "Dave Thomas"
534
+ def metadata
535
+ about.metadata
536
+ end
537
+ memoized :metadata
538
+
539
+ # Saves the current object with the specified <tt>options</tt>. Valid options are listed in the documentation for S3Object::store.
540
+ def store(options = {})
541
+ raise DeletedObject if frozen?
542
+ options = about.to_headers.merge(options) if stored?
543
+ response = self.class.store(key, value, bucket.name, options)
544
+ bucket.update(:stored, self)
545
+ response.success?
546
+ end
547
+ alias_method :create, :store
548
+ alias_method :save, :store
549
+
550
+ # Updates the the current object by copying it in place.
551
+ def update
552
+ self.class.update(key, bucket.name, about.to_headers)
553
+ end
554
+
555
+ # Deletes the current object. Trying to save an object after it has been deleted will
556
+ # raise a DeletedObject exception.
557
+ def delete
558
+ bucket.update(:deleted, self)
559
+ freeze
560
+ self.class.delete(key, bucket.name)
561
+ end
562
+
563
+ # Copies the current object, giving it the name <tt>copy_name</tt>.
564
+ def copy(copy_name, options = {})
565
+ self.class.copy(key, copy_name, bucket.name, options)
566
+ end
567
+
568
+ # Rename the current object. Keep in mind that due to limitations in S3's API, this operation requires
569
+ # retransmitting the entire object to S3.
570
+ def rename(to, options = {})
571
+ self.class.rename(key, to, bucket.name, options)
572
+ end
573
+
574
+ def etag(reload = false)
575
+ return nil unless stored?
576
+ expirable_memoize(reload) do
577
+ reload ? about(reload)['etag'][1...-1] : attributes['e_tag'][1...-1]
578
+ end
579
+ end
580
+
581
+ # Returns the owner of the current object.
582
+ def owner
583
+ Owner.new(attributes['owner'])
584
+ end
585
+ memoized :owner
586
+
587
+ # Generates an authenticated url for the current object. Accepts the same options as its class method
588
+ # counter part S3Object.url_for.
589
+ def url(options = {})
590
+ self.class.url_for(key, bucket.name, options)
591
+ end
592
+
593
+ # Returns true if the current object has been stored on S3 yet.
594
+ def stored?
595
+ !attributes['e_tag'].nil?
596
+ end
597
+
598
+ def ==(s3object) #:nodoc:
599
+ path == s3object.path
600
+ end
601
+
602
+ def path #:nodoc:
603
+ self.class.path!(
604
+ belongs_to_bucket? ? bucket.name : '(no bucket)',
605
+ key_set? ? key : '(no key)'
606
+ )
607
+ end
608
+
609
+ # Don't dump binary data :)
610
+ def inspect #:nodoc:
611
+ "#<%s:0x%s '%s'>" % [self.class, object_id, path]
612
+ end
613
+
614
+ private
615
+ def proxiable_attribute?(name)
616
+ valid_header_settings.include?(name)
617
+ end
618
+
619
+ def valid_header_settings
620
+ %w(cache_control content_type content_length content_md5 content_disposition content_encoding expires)
621
+ end
622
+ end
623
+ end
624
+ end