当前位置:   article > 正文

python botos s3 aws_boto3 s3 session.client

boto3 s3 session.client

https://boto3.amazonaws.com/v1/documentation/api/latest/reference/services/s3.html

AWS是亚马逊的云服务,其提供了非常丰富的套件,以及支持多种语言的SDK/API。本文针对其S3云储存服务的Python SDK(boto3)的使用进行介绍。

关键词:AWS,S3,Python,boto3,endpoint,client

背景

AWS是一整套亚马逊云服务套件(云存储及其上的基础设施和服务),包括云存储(主要是对象存储)、微服务、数据库等,其中S3对象存储受到众多国内开发者的欢迎。AWS提供了包括console、client、sdk等多种方式进行连接使用,并支持包括python在内的许多语言。为了便捷地在Python程序内使用S3对象存储,我们考虑两种途径:

  • 在子进程中召唤aws client命令行程序;
  • 在python中调用boto3模块的api调用服务

其中boto3途径由于和python语言(和其他语言)有较好的适配,因此更适合开发者使用。此外,处于安全考虑,开发者可能只能获得AWS的有限访问权限,比如endpoint,这使得aws官方教程中的一些范例不可用。比如,访问对象存储至少存在三种方式:Resource、Session、Client,而借助endpoint我们只能访问client,这限制了开发者权限、无法使用高级功能的同时,也提高了数据操作的安全性。

本文将针对如何调用boto3和endpoint来实现aws S3服务的功能进行介绍。

相关信息

在正式介绍之前,有必要对aws及boto3的相关组件和功能进行介绍。

从AWS到S3

从AWS到其中的S3服务的关系链可以简单地描述为:AWS -> VPC -> S3 -> Endppoint -> EC2

意思是AWS到私有云(VPC)到S3存储到EC2服务实例,Endpoint则是S3到EC2的桥梁。如下图所示:

“Amazon Virtual Private Cloud (Amazon VPC),简单理解,就是在云上建个大楼,大楼里面的网络、门禁,安检等都一应俱全,我们根据需要在大楼里选择房间(创建ec2)办公,这个房间自己也有相应的门禁系统”

参考:https://www.bioaws.com/blogs/2020-02-02-vpc-endpoint-s3/

AWS的命令行client

aws提供了一个便捷的命令行程序以供使用,其需要先去官网下载一个zip安装包,然后解压安装即可:

安装aws cli:How to Install AWS CLI on Ubuntu 20.04

  1. curl "https://awscli.amazonaws.com/awscli-exe-linux-x86_64.zip" -o "awscliv2.zip"
  2. unzip awscliv2.zip
  3. sudo ./aws/install

配置awscli

  1. aws configure
  2. # 输入access key和security key:后两项可以忽略(假如只需要使用S3的话)

连接S3存储桶

  1. # view folder
  2. aws [option] --endpoint-url [endpoint_url] s3 [action] s3://[bucket]
  3. # download single file
  4. aws [option] --endpoint-url [endpoint_url] s3 cp s3://[bucket]/[file_path] [local_path]
  5. # download folder
  6. aws [option] --endpoint-url [endpoint_url] s3 sync s3://[bucket]/[folder_path] [local_path]

参考:通过 AWS CLI 使用高级别 (s3) 命令

boto3: python sdk

SimpleQueueService(SQS)
Amazon Simple Queue Service (Amazon SQS) 是一种完全托管的消息队列服务,可以轻松解耦和扩展微服务、分布式系统和无服务器应用程序。 Amazon SQS 在分布式应用程序组件之间移动数据并帮助您解耦这些组件。

  1. import boto3
  2. '''send messages'''
  3. # Get the service resource
  4. sqs = boto3.resource('sqs')
  5. # Get the queue
  6. queue = sqs.get_queue_by_name(QueueName='test')
  7. # Create a new message
  8. response = queue.send_message(MessageBody='world')
  9. # The response is NOT a resource, but gives you a message ID and MD5
  10. print(response.get('MessageId'))
  11. print(response.get('MD5OfMessageBody'))
  12. '''process messages'''
  13. # Process messages by printing out body and optional author name
  14. for message in queue.receive_messages(MessageAttributeNames=['Author']):
  15. # Get the custom author message attribute if it was set
  16. author_text = ''
  17. if message.message_attributes is not None:
  18. author_name = message.message_attributes.get('Author').get('StringValue')
  19. if author_name:
  20. author_text = ' ({0})'.format(author_name)
  21. # Print out the body and author (if set)
  22. print('Hello, {0}!{1}'.format(message.body, author_text))
  23. # Let the queue know that the message is processed
  24. message.delete()

Resource

资源表示 Amazon Web Services (AWS) 的面向对象的接口。 它们提供了比服务客户端进行的原始低级调用更高级别的抽象。

每个资源实例都有许多属性和方法。 这些在概念上可以分为标识符、属性、操作、引用、子资源和集合。资源本身也可以在概念上分为服务资源(如 sqs、s3、ec2 等)和单个资源(如 sqs.Queue 或 s3.Bucket)。 服务资源没有标识符或属性。 否则,两者共享相同的组件。

  1. # Get resources from the default session
  2. sqs = boto3.resource('sqs')
  3. s3 = boto3.resource('s3')
  4. '''example'''
  5. # S3 Object (bucket_name and key are identifiers)
  6. obj = s3.Object(bucket_name='boto3', key='test.py')
  7. print(obj.bucket_name)print(obj.key)
  8. # S3 Object attributes
  9. obj.last_modifie
  10. dobj.e_tag
  11. # S3 Object actions
  12. obj = s3.Object(bucket_name='boto3', key='test.py')
  13. response = obj.get()
  14. data = response['Body'].read()
  15. # S3 sub-resources
  16. obj = bucket.Object(key='new_file.txt')
  17. print(obj.bucket_name)
  18. print(obj.key)
  19. # S3: Wait for a bucket to exist.
  20. bucket.wait_until_exists()

资源实例不是线程安全的,不应跨线程或进程共享。 这些特殊类包含无法共享的附加元数据。 建议在多线程或多处理中为每个线程或进程创建一个新资源。

Collections

集合为一组资源提供了一个可迭代的接口。

Session

会话管理有关特定配置的状态。 会话通常存储以下内容:

  • 证书
  • AWS 区域
  • 与您的个人资料相关的其他配置
  1. '''Using the default session'''
  2. sqs = boto3.client('sqs')
  3. s3 = boto3.resource('s3')
  4. '''Create your own session'''
  5. my_session = boto3.session.Session()
  6. # Now we can create low-level clients or resource clients from our custom session
  7. sqs = my_session.client('sqs')
  8. s3 = my_session.resource('s3')

与 Resource 对象类似,Session 对象不是线程安全的,不应在线程和进程之间共享。 建议在多线程或多处理中为每个线程或进程创建一个新的 Session 对象。

Client

客户端为 AWS 提供了一个低级接口,其方法与服务 API 的映射接近 1:1。 所有服务操作均由客户端支持。

  1. import boto3
  2. sqs = boto3.client('sqs')
  3. # It is also possible to access the low-level client from an existing resource:
  4. # Create the resource
  5. sqs_resource = boto3.resource('sqs')
  6. # Get the client from the resource
  7. sqs = sqs_resource.meta.client
  8. # send messages
  9. response = sqs.send_message(QueueUrl='...', MessageBody='...')
  10. # handling messages
  11. response = sqs.list_queues()
  12. for url in response.get('QueueUrls', []):
  13. print(url)
  14. # waiters
  15. sqs.waiter_names

多处理:虽然客户端是线程安全的,但由于它们的网络实现,它们不能跨进程共享。 这样做可能会导致调用服务时响应顺序不正确。

共享元数据:客户端通过一些属性(即元、异常和服务员名称)向最终用户公开元数据。 这些是可以安全阅读的,但任何突变都不应该被认为是线程安全的

自定义 Botocore 事件:Botocore(构建 Boto3 库)允许高级用户提供他们自己的自定义事件挂钩,这些挂钩可以与 boto3 的客户端交互。 大多数用户不需要使用这些接口,但是那些不需要仔细审查的用户不应再考虑他们的客户端线程安全。

参考:Botocore Events - botocore 1.27.25 documentation

  1. import boto3.session
  2. from concurrent.futures import ThreadPoolExecutor
  3. def do_s3_task(client, task_definition):
  4. # Put your thread-safe code here
  5. def my_workflow():
  6. # Create a session and use it to make our client
  7. session = boto3.session.Session()
  8. s3_client = session.client('s3')
  9. # Define some work to be done, this can be anything
  10. my_tasks = [ ... ]
  11. # Dispatch work tasks with our s3_client
  12. with ThreadPoolExecutor(max_workers=8) as executor:
  13. futures = [executor.submit(do_s3_task, s3_client, task) for task in my_tasks]

Endpoint (AWS PrivateLink for S3)

在将 S3 客户端配置为使用接口 VPC 终端节点时,请务必注意,只有终端节点中指定的资源类型才能使用该客户端进行寻址( only the resource type specified in the endpoint can be addressed)。 访问存储桶和访问点需要实例化两个客户端,每个资源类型一个。

  1. import boto3
  2. s3_client = boto3.client(
  3. service_name='s3',
  4. endpoint_url='https://bucket.vpce-abc123-abcdefgh.s3.us-east-1.vpce.amazonaws.com')

Paginators

一些 AWS 操作返回的结果不完整,需要后续请求才能获得整个结果集。 发送后续请求以在前一个请求中断的地方继续的过程称为分页。

Error handling

Boto3 提供了许多功能来帮助导航您在与 AWS 服务交互时可能遇到的错误和异常。

1. 确定要捕获的异常

  • Botocore 异常
  • AWS 服务异常:AWS 服务异常被底层的 botocore 异常 ClientError 捕获。有关您正在使用的服务的错误响应的完整列表,请参阅各个服务的 AWS 文档。

2. 使用低级客户端时捕获异常

3. 解析错误响应并从 AWS 服务中捕获异常

4. 从错误响应中辨别有用信息

  1. try:
  2. client.some_api_call(SomeParam='some_param')
  3. except botocore.exceptions.ClientError as error:
  4. # Put your error handling logic here
  5. raise error
  6. except botocore.exceptions.ParamValidationError as error:
  7. raise ValueError('The parameters you provided are incorrect: {}'.format(error))
  8. '''Error message structure
  9. {
  10. 'Error': {
  11. 'Code': 'SomeServiceException',
  12. 'Message': 'Details/context around the exception or error'
  13. },
  14. 'ResponseMetadata': {
  15. 'RequestId': '1234567890ABCDEF',
  16. 'HostId': 'host ID data will appear here as a hash',
  17. 'HTTPStatusCode': 400,
  18. 'HTTPHeaders': {'header metadata key/values will appear here'},
  19. 'RetryAttempts': 0
  20. }
  21. }
  22. except botocore.exceptions.ClientError as err:
  23. if err.response['Error']['Code'] == 'InternalError': # Generic error
  24. print('Error Message: {}'.format(err.response['Error']['Message']))
  25. '''

使用boto3操作S3

准备工作

考虑以下问题:

1. 你有什么访问权限? 在使用low-level client处理存储桶时,必须使用具有访问 ID/密钥的端点(Endpoint with access id / key)。 如果您想在 AWS 中尝试其他高级服务,请检查您的授权。 所拥有的 AWS 权限决定使用什么链接方式

2. 您处理的文件的大小。 请参考file-size limitationFile transfer configuration。 操作文件的大小

  • 本地-> AWS:多部分
  • AWS -> 本地:分页器

3.错误处理策略。 异常处理

  • 单文件进程中断:同名再次上传并重写
  • 文件夹进程中断:检查数据库,上传和重写
  • 重复处理:检查数据库,上传和重写
  • 线程安全:创建单个客户端来处理所有文件

4. 快速api参考。 API查询

查询/上传/下载/删除 操作step-by-step

本节介绍了如何利用endpoint连接存储并操作。

  1. Configure aws
  1. aws configure
  2. # -> input aws_access_key_id & aws_secret_access_key

然后你会在 ~/.aws/credentials 找到你的配置文件。也可以忽略这一步,在python程序中设置。

2. Create an s3 client & explore buckects(查询)

  1. s3_client = boto3.client(service_name='s3', endpoint_url=aws_s3_endpoint_url)
  2. response = s3_client.list_buckets()
  3. buckets = [bucket['Name'] for bucket in response['Buckets']]
  4. print(buckets)

3. Upload files(上传,覆盖写)

s3默认采用覆盖写模式,如果希望避免这一问题,可以认为设置version属性进行控制。

response = s3_client.upload_file(local_file_path, bucket_name, target_path_in_bucket)

4. Upload large files(上传大文件)

在上传、下载或复制文件或 S3 对象时,适用于 Python 的 AWS 开发工具包会自动管理重试以及multipart 和非multipart 传输。 通过使用非常适合大多数场景的合理默认设置来执行管理操作。 为了处理特殊情况,可以配置默认设置以满足要求。

  1. # using simple upload
  2. self.client.upload_file(local_file_path, bucket_name, target_path_in_bucket)
  3. # using multi-part upload to extend size limitation
  4. GB = 1024 ** 3
  5. config = TransferConfig(multipart_threshold=5*GB)
  6. self.client.upload_file(local_file_path, bucket_name, target_path_in_bucket, Config=config)

速度对比:

Test fileDefault uploadSpecified multi-part upload
2GB221MB/s150~212MB/s
13GB232MB/s224~240MB/s

总体而言,自行配置的速度不一定比默认自适应的速度高,而高也高不到哪里去。

5. Download files(下载)

  1. # download single file
  2. self.client.download_file(bucket_name, target_path_in_bucket, local_file_path)
  3. # download single file as object
  4. with open('FILE_NAME', 'wb') as f: # binary mode only
  5. s3.download_fileobj('BUCKET_NAME', 'OBJECT_NAME', f)
  6. # download folder
  7. list_objects_v2() -> download_file()

6. Delete files in buckets(删除)

self.client.delete_object(Bucket=bucket_name, Key=target_path_in_bucket)

7. Using Calback as ProgressBar(监控进度条)

使用进度条来监控操作状态。

示例来自 Uploading files ‒ Boto3 Docs 1.24.25 documentation 和 How can I increase my AWS s3 upload speed when using boto3?

方法一:官方示例,速度程序运行降速80%!

  1. import threading
  2. class ProgressPercentage(object):
  3. def __init__(self, filename):
  4. self._filename = filename
  5. self._size = float(os.path.getsize(filename))
  6. self._seen_so_far = 0
  7. self._lock = threading.Lock()
  8. def __call__(self, bytes_amount):
  9. # To simplify, assume this is hooked up to a single filename
  10. with self._lock:
  11. self._seen_so_far += bytes_amount
  12. percentage = (self._seen_so_far / self._size) * 100
  13. sys.stdout.write(
  14. "\r%s %s / %s (%.2f%%)" % (
  15. self._filename, self._seen_so_far, self._size,
  16. percentage))
  17. sys.stdout.flush()
  18. s3.upload_file(
  19. 'FILE_NAME', 'BUCKET_NAME', 'OBJECT_NAME',
  20. Callback=ProgressPercentage('FILE_NAME'))

方法二:民间示例,程序运行降速10%

  1. from tqdm import tqdm
  2. import boto3.s3.transfer as s3transfer
  3. class Tool():
  4. def __init__():
  5. pass
  6. def client_upload_files(self, bucket, local_path, aws_path, progress_func):
  7. transfer_config = s3transfer.TransferConfig(
  8. use_threads=True,
  9. max_concurrency=10,
  10. )
  11. s3t = s3transfer.create_transfer_manager(
  12. self.client, transfer_config)
  13. s3t.upload(
  14. local_path, bucket, aws_path,
  15. subscribers=[
  16. s3transfer.ProgressCallbackInvoker(progress_func),
  17. ]
  18. )
  19. s3t.shutdown()
  20. with tqdm(desc='upload', ncols=60,
  21. total=totalsize, unit='B', unit_scale=1) as pbar:
  22. tool.client_upload_files(
  23. bucket_name, large_file, large_target_file, pbar.update)

实验(坑)

aws的操作其实是非常繁琐的,因为它基本上很多事情都存在多种实现,而作为初学者难以判断这些实现有哪些坑,以下列举几个基本问题:

  • 为什么我无法使用session/resource/queue/DynamicDB等服务?
    • 因为没有权限或没有购买相关服务
  • 使用endpoint可以做什么事情?
    • endpoint用于创建low-level client,是aws服务最基础的api之一,基本上client和服务是一对一的关系,所以endpoint的权限是非常基本的,这取决于创建endpoint的时候所指定的权限。
  • 在实践中,client应该被call多次还是reuse?
    • 事实上,这取决于aws的收费政策!目前aws仅对服务类型和条件收费,对client的call次数不收费,因此原则上recall和reuse是等价的。然而,从程序规范而言,应该reuse。
  • 上传和下载有哪些关注点?
    • S3对不同层次的资源调用存在速度限制,对于low-level调用存在5GB/单个文件的限制,除非通过multi-part模式处理。然而,在boto3中对此进行了优化和封装,可以自动根据处理文件的大小选择合适的模式进行上传,最多支持5TB。
    • 文件的上传默认采用覆盖写。
    • client处理数据的时候是线程安全的,但无法处理突变的数据,因此不应该同时对S3中的单个数据同时读写。
  • 线程安全:
    • 最佳策略是,认为所有类型的连接都不是线程安全的!以免出现意外的错误。
    • 由于不是线程安全的,因此最好不要使用多线程,至少不要使用互相沟通的多线程,除非你对boto3的属性非常熟悉。
  • 查询数据:
    • 尽管S3采用了桶存储策略,但创建了一张数据表来存储所有的meta信息,因此可以使用SQL语句进行检索。
声明:本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:【wpsshop博客】
推荐阅读
相关标签
  

闽ICP备14008679号