Last active
September 10, 2024 22:07
-
-
Save tobywf/079b36898d39eeb1824977c6c2f6d51e to your computer and use it in GitHub Desktop.
GZIP compressing files for S3 uploads with boto3
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
from io import BytesIO | |
import gzip | |
import shutil | |
def upload_gzipped(bucket, key, fp, compressed_fp=None, content_type='text/plain'): | |
"""Compress and upload the contents from fp to S3. | |
If compressed_fp is None, the compression is performed in memory. | |
""" | |
if not compressed_fp: | |
compressed_fp = BytesIO() | |
with gzip.GzipFile(fileobj=compressed_fp, mode='wb') as gz: | |
shutil.copyfileobj(fp, gz) | |
compressed_fp.seek(0) | |
bucket.upload_fileobj( | |
compressed_fp, | |
key, | |
{'ContentType': content_type, 'ContentEncoding': 'gzip'}) | |
def download_gzipped(bucket, key, fp, compressed_fp=None): | |
"""Download and uncompress contents from S3 to fp. | |
If compressed_fp is None, the compression is performed in memory. | |
""" | |
if not compressed_fp: | |
compressed_fp = BytesIO() | |
bucket.download_fileobj(key, compressed_fp) | |
compressed_fp.seek(0) | |
with gzip.GzipFile(fileobj=compressed_fp, mode='rb') as gz: | |
shutil.copyfileobj(gz, fp) | |
import boto3 | |
from tempfile import TemporaryFile | |
from io import BytesIO | |
s3 = boto3.resource('s3') | |
bucket = s3.Bucket('test') # CHANGE ME | |
def example1(bucket): | |
"""In memory compression""" | |
with open('foo.txt', 'rb') as fp: | |
upload_gzipped(bucket, 'test.txt', fp) | |
with open('bar.txt', 'wb') as fp: | |
download_gzipped(bucket, 'test.txt', fp) | |
def example2(bucket): | |
"""Using a temporary file for compression""" | |
with open('foo.txt', 'rb') as fp, TemporaryFile() as helper_fp: | |
upload_gzipped(bucket, 'test.txt', fp, compressed_fp=helper_fp) | |
with open('bar.txt', 'wb') as fp, TemporaryFile() as helper_fp: | |
download_gzipped(bucket, 'test.txt', fp, compressed_fp=helper_fp) | |
# Some actual tests | |
original = BytesIO(b'Jackdaws love my big sphinx of quartz.') | |
original.seek(0) | |
upload_gzipped(bucket, 'test.txt', original) | |
gzipped = BytesIO() | |
bucket.download_fileobj('test.txt', gzipped) | |
assert original.getvalue() != gzipped.getvalue() | |
ungzipped = BytesIO() | |
download_gzipped(bucket, 'test.txt', ungzipped) | |
assert original.getvalue() == ungzipped.getvalue() |
thanks!
You sure, it's 100% async?
What the point otherwise...
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Nice