Upload image AWS S3 bucket in swift

I Have modified your code, try this

 let ext = "jpg"
let imageURL = NSBundle.mainBundle().URLForResource("imagename", withExtension: ext)
print("imageURL:\(imageURL)")

let uploadRequest = AWSS3TransferManagerUploadRequest()
uploadRequest.body = imageURL
uploadRequest.key = "\(NSProcessInfo.processInfo().globallyUniqueString).\(ext)"
uploadRequest.bucket = S3BucketName
uploadRequest.contentType = "image/\(ext)"


let transferManager = AWSS3TransferManager.defaultS3TransferManager()
transferManager.upload(uploadRequest).continueWithBlock { (task) -> AnyObject! in
if let error = task.error {
print("Upload failed ❌ (\(error))")
}
if let exception = task.exception {
print("Upload failed ❌ (\(exception))")
}
if task.result != nil {
let s3URL = NSURL(string: "http://s3.amazonaws.com/\(self.S3BucketName)/\(uploadRequest.key!)")!
print("Uploaded to:\n\(s3URL)")
}
else {
print("Unexpected empty result.")
}
return nil
}

or you can use my code below to upload to AWS s3, its worked fine for me. This code is written in swift 3.

func uploadButtonPressed(_ sender: AnyObject) {
if documentImageView.image == nil {
   // Do something to wake up user :) 
} else {
    let image = documentImageView.image!
    let fileManager = FileManager.default
    let path = (NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0] as NSString).appendingPathComponent("\(imageName!).jpeg")
    let imageData = UIImageJPEGRepresentation(image, 0.99)
    fileManager.createFile(atPath: path as String, contents: imageData, attributes: nil)

    let fileUrl = NSURL(fileURLWithPath: path)
    var uploadRequest = AWSS3TransferManagerUploadRequest()
    uploadRequest?.bucket = "BucketName"
    uploadRequest?.key = "key.jpeg"
    uploadRequest?.contentType = "image/jpeg"
    uploadRequest?.body = fileUrl as URL!
    uploadRequest?.serverSideEncryption = AWSS3ServerSideEncryption.awsKms
    uploadRequest?.uploadProgress = { (bytesSent, totalBytesSent, totalBytesExpectedToSend) -> Void in
        DispatchQueue.main.async(execute: {
            self.amountUploaded = totalBytesSent // To show the updating data status in label.
            self.fileSize = totalBytesExpectedToSend
        })
    }

    let transferManager = AWSS3TransferManager.default()
    transferManager?.upload(uploadRequest).continue(with: AWSExecutor.mainThread(), withSuccessBlock: { (taskk: AWSTask) -> Any? in
        if taskk.error != nil {
           // Error.
        } else {
            // Do something with your result.
        }
        return nil
    })
}
}

Thanks :)


AWSS3TransferManager is deprecated. Use AWSS3TransferUtility instead.

The transfer utility provides methods for both single-part and multipart uploads. When a transfer uses multipart upload, the data is chunked into a number of 5 MB parts which are transferred in parallel for increased speed.

 func uploadFile(withImage image: UIImage) {

    let access = "YOUR ACCESS KEY"
    let secret = "YOUR SECRET KEY"
    let credentials = AWSStaticCredentialsProvider(accessKey: access, secretKey: secret)
    let configuration = AWSServiceConfiguration(region: AWSRegionType.USEast1, credentialsProvider: credentials)

    AWSServiceManager.default().defaultServiceConfiguration = configuration

    let s3BucketName = "YOUR BUCKET NAME"
    let compressedImage = image.resizedImage(newSize: CGSize(width: 80, height: 80))
    let data: Data = compressedImage.pngData()!
    let remoteName = generateRandomStringWithLength(length: 12)+"."+data.format
    print("REMOTE NAME : ",remoteName)

    let expression = AWSS3TransferUtilityUploadExpression()
    expression.progressBlock = { (task, progress) in
        DispatchQueue.main.async(execute: {
            // Update a progress bar
        })
    }

   var completionHandler: AWSS3TransferUtilityUploadCompletionHandlerBlock?
    completionHandler = { (task, error) -> Void in
        DispatchQueue.main.async(execute: {
            // Do something e.g. Alert a user for transfer completion.
            // On failed uploads, `error` contains the error object.
        })
    }

    let transferUtility = AWSS3TransferUtility.default()
    transferUtility.uploadData(data, bucket: s3BucketName, key: remoteName, contentType: "image/"+data.format, expression: expression, completionHandler: completionHandler).continueWith { (task) -> Any? in
        if let error = task.error {
            print("Error : \(error.localizedDescription)")
        }

        if task.result != nil {
            let url = AWSS3.default().configuration.endpoint.url
            let publicURL = url?.appendingPathComponent(S3BucketName).appendingPathComponent(remoteName)
            if let absoluteString = publicURL?.absoluteString {
                // Set image with URL
                print("Image URL : ",absoluteString)
            }
        }

        return nil
    }

}

For generating random strings for remote name.

func generateRandomStringWithLength(length: Int) -> String {
    let randomString: NSMutableString = NSMutableString(capacity: length)
    let letters: NSMutableString = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789"
    var i: Int = 0

    while i < length {
        let randomIndex: Int = Int(arc4random_uniform(UInt32(letters.length)))
        randomString.append("\(Character( UnicodeScalar( letters.character(at: randomIndex))!))")
        i += 1
    }
    return String(randomString)
}

For resizing the image and data formatting. Use below Image and Data extensions.

extension UIImage {

  func resizedImage(newSize: CGSize) -> UIImage {
    guard self.size != newSize else { return self }

    UIGraphicsBeginImageContextWithOptions(newSize, false, 0.0);
    self.draw(in: CGRect(x: 0, y: 0, width: newSize.width, height: newSize.height))
    let newImage: UIImage = UIGraphicsGetImageFromCurrentImageContext()!
    UIGraphicsEndImageContext()
    return newImage
   }

 }

extension Data {

  var format: String {
    let array = [UInt8](self)
    let ext: String
    switch (array[0]) {
    case 0xFF:
        ext = "jpg"
    case 0x89:
        ext = "png"
    case 0x47:
        ext = "gif"
    case 0x49, 0x4D :
        ext = "tiff"
    default:
        ext = "unknown"
    }
    return ext
   }

}

This is the latest code based on SWIFT 4 syntax

I am using the code of @Karthick Selvaraj.

I think now its help to other developers to understand new syntax

func uploadButtonPressed() {
            if myimageView.image == nil {
                // Do something to wake up user :)
            } else {
                let image = myimageView.image!
                let fileManager = FileManager.default
                let path = (NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0] as NSString).appendingPathComponent("test3.jpeg")
                let imageData = UIImageJPEGRepresentation(image, 0)
                fileManager.createFile(atPath: path as String, contents: imageData, attributes: nil)

                let fileUrl = NSURL(fileURLWithPath: path)
                let uploadRequest = AWSS3TransferManagerUploadRequest()
                uploadRequest?.bucket = "<Your Bucket Name>"
                uploadRequest?.key = "<Image Name>"
                uploadRequest?.contentType = "image/jpeg"
                uploadRequest?.body = fileUrl as URL!
                uploadRequest?.serverSideEncryption = AWSS3ServerSideEncryption.awsKms
                uploadRequest?.uploadProgress = { (bytesSent, totalBytesSent, totalBytesExpectedToSend) -> Void in
                    DispatchQueue.main.async(execute: {
    //                    print("totalBytesSent",totalBytesSent)
    //                    print("totalBytesExpectedToSend",totalBytesExpectedToSend)

    //                    self.amountUploaded = totalBytesSent // To show the updating data status in label.
    //                    self.fileSize = totalBytesExpectedToSend
                    })
                }

                let transferManager = AWSS3TransferManager.default()
                transferManager.upload(uploadRequest!).continueWith(executor: AWSExecutor.mainThread(), block: { (task:AWSTask<AnyObject>) -> Any? in
                if task.error != nil {
                        // Error.
                    print("error")
                    } else {
                        // Do something with your result.
                    print("No error Upload Done")
                    }
                    return nil
                })
            }
        }

Enjoy !!!


We should use AWSS3TransferUtility now because AWSS3TransferManagerUploadRequest is deprecated, here is the jpeg upload function in Swift 4.2 but it can be easily changed for any data type:

func uploadS3(image: UIImage,
              name: String,
              progressHandler: @escaping (Progress) -> Void,
              completionHandler: @escaping (Error?) -> Void) {

    guard let data = UIImageJPEGRepresentation(image, Constants.uploadImageQuality) else {
        DispatchQueue.main.async {
            completionHandler(NetErrors.imageFormatError) // Replace your error
        }
        return
    }

    let credentialsProvider = AWSStaticCredentialsProvider(accessKey: Constants.accessKeyS3, secretKey: Constants.secretKeyS3)
    let configuration = AWSServiceConfiguration(region: Constants.regionS3, credentialsProvider: credentialsProvider)
    AWSServiceManager.default().defaultServiceConfiguration = configuration
    let expression = AWSS3TransferUtilityUploadExpression()
    expression.progressBlock = { task, progress in
        DispatchQueue.main.async {
            progressHandler(progress)
        }
    }

    AWSS3TransferUtility.default().uploadData(
        data,
        bucket: Constants.bucketS3,
        key: name,
        contentType: "image/jpg",
        expression: expression) { task, error in
            DispatchQueue.main.async {
                completionHandler(error)
            }
            print("Success")

        }.continueWith { task -> AnyObject? in
            if let error = task.error {
                DispatchQueue.main.async {
                    completionHandler(error)
                }
            }
            return nil
    }
}

Do not forget to define or change Constants in the code. If you don't want to give public access, you should also define a user in IAM, and put this code in your bucket policy:

{
  "Version": "2012-10-17",
  "Id": "S3AccessPolicy",
  "Statement": [
    {
      "Sid": "GiveAppAccess",
      "Effect": "Allow",
      "Principal": {
        "AWS": "arn:aws:iam::123456789012:user/YOUR_USER"
      },
      "Action": [
        "s3:GetObject",
        "s3:PutObject"
      ],
      "Resource": "arn:aws:s3:::YOUR_BUCKET/*"
    }
  ]
}