-
Notifications
You must be signed in to change notification settings - Fork 559
Added GCS access utility module. #1230
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or 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
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,205 @@ | ||
# To use this module the Google Cloud Storage libraries need to be installed: | ||
# | ||
# pip install --upgrade google-cloud-storage | ||
# | ||
# For information on how to setup authentication follow the link below: | ||
# | ||
# https://cloud.google.com/storage/docs/reference/libraries | ||
# | ||
|
||
from __future__ import division | ||
from __future__ import print_function | ||
|
||
import collections | ||
import io | ||
import os | ||
import re | ||
import tempfile | ||
import sys | ||
|
||
try: | ||
from google.cloud import storage as gcs | ||
except: | ||
msg = """Google Cloud Storage libraries are missing. | ||
Please install them using the following command: | ||
|
||
pip install --upgrade google-cloud-storage | ||
|
||
Also follow the instructions in the link below to configure authentication: | ||
|
||
https://cloud.google.com/storage/docs/reference/libraries | ||
|
||
""" | ||
print(msg, file=sys.stderr) | ||
raise | ||
|
||
GcsBlob = collections.namedtuple('GcsBlob', 'path size') | ||
|
||
|
||
class WriteableFile(io.RawIOBase): | ||
|
||
def __init__(self, path, init_data=None, append=False): | ||
super(WriteableFile, self).__init__() | ||
self._path = path | ||
self._gcs_client = gcs.Client() | ||
self._blob = gcs.Blob.from_string(path, client=self._gcs_client) | ||
self._wfile = tempfile.NamedTemporaryFile() | ||
if init_data is not None: | ||
self._wfile.write(init_data) | ||
if not append: | ||
self._wfile.seek(0, os.SEEK_SET) | ||
|
||
def close(self): | ||
if self._wfile is not None: | ||
self._sync() | ||
self._wfile = None | ||
|
||
def _sync(self): | ||
self._wfile.flush() | ||
offset = self._wfile.tell() | ||
self._wfile.seek(0, os.SEEK_SET) | ||
self._blob.upload_from_file(self._wfile) | ||
self._wfile.seek(offset, os.SEEK_SET) | ||
|
||
@property | ||
def closed(self): | ||
return self._closed | ||
|
||
def fileno(self): | ||
raise OSError('Not supported on GCS files: {}'.format(self._path)) | ||
|
||
def isatty(self): | ||
return False | ||
|
||
def flush(self): | ||
self._sync() | ||
|
||
def readable(self): | ||
return True | ||
|
||
def writable(self): | ||
return True | ||
|
||
def tell(self): | ||
return self._wfile.tell() | ||
|
||
def seekable(self): | ||
return True | ||
|
||
def truncate(self, size=None): | ||
return self._wfile.truncate(size=size) | ||
|
||
def seek(self, offset, whence=os.SEEK_SET): | ||
return self._wfile.seek(offset, whence) | ||
|
||
def readline(self, size=-1): | ||
return self._wfile.readline(size=size) | ||
|
||
def readlines(self, hint=-1): | ||
return self._wfile.readlines(hint=hint) | ||
|
||
def writelines(self, lines): | ||
return self._wfile.writelines(lines) | ||
|
||
def read(self, size=-1): | ||
return self._wfile.read(size=-1) | ||
|
||
def readall(self): | ||
return self._wfile.readall() | ||
|
||
def readinto(self, bbuf): | ||
return self._wfile.readinto(bbuf) | ||
|
||
def write(self, bbuf): | ||
return self._wfile.write(bbuf) | ||
|
||
def __enter__(self): | ||
return self | ||
|
||
def __exit__(self, type, value, traceback): | ||
self.close() | ||
|
||
|
||
def open(path, mode='r', encoding='utf-8'): | ||
"""Opens a Google Cloud Storage (GCS) file for reading or writing. | ||
|
||
Args: | ||
path (string): The GCS path of the file. Must be "gs://BUCKET_NAME/PATH" | ||
where ``BUCKET_NAME`` is the name of the GCS bucket, and ``PATH`` is a `/` | ||
delimited path. | ||
mode (string, optional): The open mode, similar to the ``open()`` API. | ||
Default: 'r' | ||
encoding (string, optional): The character encoding to be used to decode | ||
bytes into strings when opening in text mode. | ||
Default: 'utf-8' | ||
|
||
Returns: | ||
The GCS file object. | ||
""" | ||
if mode.startswith('w'): | ||
return WriteableFile(path) | ||
gcs_client = gcs.Client() | ||
blob = gcs.Blob.from_string(path, client=gcs_client) | ||
if mode.startswith('a') or mode.startswith('r+'): | ||
data = blob.download_as_string() if blob.exists() else None | ||
return WriteableFile(path, init_data=data, append=mode.startswith('a')) | ||
data = blob.download_as_string() | ||
if mode.find('t') >= 0: | ||
return io.StringIO(data.decode(encoding)) | ||
return io.BytesIO(data) | ||
|
||
|
||
def _get_blob_path(bpath): | ||
# The paths returned by the list_blobs() API have the | ||
# '/b/BUCKET_NAME/o/BLOB_PATH' format. | ||
m = re.match(r'/b/[^/]+/o/(.+)', bpath) | ||
if not m: | ||
raise RuntimeError('GCS invalid blob path: {}'.format(bpath)) | ||
return m.group(1) | ||
|
||
|
||
def list(path): | ||
"""Lists the content of a GCS bucket. | ||
|
||
Args: | ||
path (string): The GCS path of the file. Must be "gs://BUCKET_NAME/PATH" | ||
where ``BUCKET_NAME`` is the name of the GCS bucket, and ``PATH`` is a `/` | ||
delimited path. | ||
|
||
Returns: | ||
A list of ``GcsBlob`` object, having ``path`` and ``size`` fields. | ||
|
||
Raises: | ||
ValueError: If an invalid GCS path is supplied. | ||
""" | ||
m = re.match(r'gs://([^/]+)(.*)', path) | ||
if not m: | ||
raise ValueError('GCS invalid path: {}'.format(path)) | ||
bucket_name = m.group(1) | ||
bpath = m.group(2) if len(m.group(2)) > 1 else None | ||
gcs_client = gcs.Client() | ||
blobs = [] | ||
for blob in gcs_client.list_blobs(bucket_name, prefix=bpath, delimiter='/'): | ||
blobs.append(GcsBlob(path=_get_blob_path(blob.path), size=blob.size)) | ||
return blobs | ||
|
||
|
||
def remove(path): | ||
"""Removes a GCS blob. | ||
|
||
Args: | ||
path (string): The GCS path of the file. Must be "gs://BUCKET_NAME/PATH" | ||
where ``BUCKET_NAME`` is the name of the GCS bucket, and ``PATH`` is a `/` | ||
delimited path. | ||
|
||
Raises: | ||
ValueError: If an invalid GCS path is supplied. | ||
""" | ||
m = re.match(r'gs://([^/]+)/(.+)', path) | ||
if not m: | ||
raise ValueError('GCS invalid path: {}'.format(path)) | ||
dlibenzi marked this conversation as resolved.
Show resolved
Hide resolved
|
||
bucket_name = m.group(1) | ||
bpath = m.group(2) | ||
gcs_client = gcs.Client() | ||
bucket = gcs_client.get_bucket(bucket_name) | ||
bucket.delete_blob(bpath) |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.