オブジェクトのダウンロード

このページでは、Cloud Storage のバケットから永続ストレージにオブジェクトをダウンロードする方法について説明します。オブジェクトをメモリにダウンロードすることもできます。

必要なロール

オブジェクトのダウンロードに必要な権限を取得するには、バケットに対するストレージ オブジェクト閲覧者(roles/storage.objectViewer)ロールを付与するよう管理者に依頼してください。Google Cloud コンソールを使用する場合は、バケットに対するストレージ管理者(roles/storage.admin)ロールを付与するように管理者へ依頼してください。

これらのロールには、オブジェクトをダウンロードするために必要な権限が含まれています。必要とされる正確な権限については、「必要な権限」セクションを開いてご確認ください。

必要な権限

  • storage.buckets.list
    • この権限は、 Google Cloud コンソールを使用してこのページのタスクを実行する場合にのみ必要です。
  • storage.objects.get
  • storage.objects.list
    • この権限は、 Google Cloud コンソールを使用してこのページのタスクを実行する場合にのみ必要です。

これらの権限は、他の事前定義ロールカスタムロールを使用して取得することもできます。

バケットに対するロールを付与する手順については、バケットでの IAM ポリシーの設定と管理をご覧ください。

バケットからオブジェクトをダウンロードする

バケットからオブジェクトをダウンロードするには、次の手順を行います。

コンソール

  1. Google Cloud コンソールで Cloud Storage の [バケット] ページに移動します。

    [バケット] に移動

  2. バケットのリストで、ダウンロードするオブジェクトを含むバケットの名前をクリックします。

    [バケットの詳細] ページが開き、[オブジェクト] タブが選択されています。

  3. フォルダ内にあるオブジェクトに移動します。

  4. オブジェクトに関連付けられた [ダウンロード] アイコンをクリックします。

    ブラウザの設定で、オブジェクトのダウンロード場所を制御します。

失敗した Cloud Storage オペレーションの詳細なエラー情報を Google Cloud コンソールで確認する方法については、トラブルシューティングをご覧ください。

コマンドライン

gcloud storage cp コマンドを使用します。

gcloud storage cp gs://BUCKET_NAME/OBJECT_NAME SAVE_TO_LOCATION

ここで

  • BUCKET_NAME は、ダウンロードするオブジェクトが格納されているバケットの名前です。たとえば my-bucket です。

  • OBJECT_NAME は、ダウンロードするオブジェクトの名前です。たとえば pets/dog.png です。

  • SAVE_TO_LOCATION は、オブジェクトを保存するローカルパスです。例: Desktop/Images

成功した場合は、次の例のようなレスポンスになります。

Completed files 1/1 | 164.3kiB/164.3kiB

完了前にダウンロードが中断した場合は、同じ cp コマンドを実行して、中断した場所からダウンロードを再開します。

クライアント ライブラリ

C++

詳細については、Cloud Storage C++ API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

namespace gcs = ::google::cloud::storage; [](gcs::Client client, std::string const& bucket_name,  std::string const& object_name) {  gcs::ObjectReadStream stream = client.ReadObject(bucket_name, object_name);  int count = 0;  std::string line;  while (std::getline(stream, line, '\n')) {  ++count;  }  if (stream.bad()) throw google::cloud::Status(stream.status());  std::cout << "The object has " << count << " lines\n"; }

C#

詳細については、Cloud Storage C# API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

 using Google.Cloud.Storage.V1; using System; using System.IO; public class DownloadFileSample {  public void DownloadFile(  string bucketName = "your-unique-bucket-name",  string objectName = "my-file-name",  string localPath = "my-local-path/my-file-name")  {  var storage = StorageClient.Create();  using var outputFile = File.OpenWrite(localPath);  storage.DownloadObject(bucketName, objectName, outputFile);  Console.WriteLine($"Downloaded {objectName} to {localPath}.");  } } 

Go

詳細については、Cloud Storage Go API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

import ( "context" "fmt" "io" "os" "time" "cloud.google.com/go/storage" ) // downloadFile downloads an object to a file. func downloadFile(w io.Writer, bucket, object string, destFileName string) error { // bucket := "bucket-name" // object := "object-name" // destFileName := "file.txt" ctx := context.Background() client, err := storage.NewClient(ctx) if err != nil { return fmt.Errorf("storage.NewClient: %w", err) } defer client.Close() ctx, cancel := context.WithTimeout(ctx, time.Second*50) defer cancel() f, err := os.Create(destFileName) if err != nil { return fmt.Errorf("os.Create: %w", err) } rc, err := client.Bucket(bucket).Object(object).NewReader(ctx) if err != nil { return fmt.Errorf("Object(%q).NewReader: %w", object, err) } defer rc.Close() if _, err := io.Copy(f, rc); err != nil { return fmt.Errorf("io.Copy: %w", err) } if err = f.Close(); err != nil { return fmt.Errorf("f.Close: %w", err) } fmt.Fprintf(w, "Blob %v downloaded to local file %v\n", object, destFileName) return nil } 

Java

詳細については、Cloud Storage Java API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

次のサンプルでは、個々のオブジェクトをダウンロードします。

 import com.google.cloud.storage.BlobId; import com.google.cloud.storage.Storage; import com.google.cloud.storage.StorageOptions; import java.nio.file.Paths; public class DownloadObject {  public static void downloadObject(  String projectId, String bucketName, String objectName, String destFilePath)  throws Exception {  // The ID of your GCP project  // String projectId = "your-project-id";  // The ID of your GCS bucket  // String bucketName = "your-unique-bucket-name";  // The ID of your GCS object  // String objectName = "your-object-name";  // The path to which the file should be downloaded  // String destFilePath = "/local/path/to/file.txt";  StorageOptions storageOptions = StorageOptions.newBuilder().setProjectId(projectId).build();  try (Storage storage = storageOptions.getService()) {  storage.downloadTo(BlobId.of(bucketName, objectName), Paths.get(destFilePath));  System.out.println(  "Downloaded object "  + objectName  + " from bucket name "  + bucketName  + " to "  + destFilePath);  }  } }

次のサンプルでは、複数のプロセスを使用して複数のオブジェクトをダウンロードします。

import com.google.cloud.storage.BlobInfo; import com.google.cloud.storage.transfermanager.DownloadResult; import com.google.cloud.storage.transfermanager.ParallelDownloadConfig; import com.google.cloud.storage.transfermanager.TransferManager; import com.google.cloud.storage.transfermanager.TransferManagerConfig; import java.nio.file.Path; import java.util.List; class DownloadMany {  public static void downloadManyBlobs(  String bucketName, List<BlobInfo> blobs, Path destinationDirectory) throws Exception {  try (TransferManager transferManager =  TransferManagerConfig.newBuilder().build().getService()) {  ParallelDownloadConfig parallelDownloadConfig =  ParallelDownloadConfig.newBuilder()  .setBucketName(bucketName)  .setDownloadDirectory(destinationDirectory)  .build();  List<DownloadResult> results =  transferManager.downloadBlobs(blobs, parallelDownloadConfig).getDownloadResults();  for (DownloadResult result : results) {  System.out.println(  "Download of "  + result.getInput().getName()  + " completed with status "  + result.getStatus());  }  }  } }

次の例では、複数のプロセスを使用して、共通の接頭辞を持つすべてのオブジェクトをダウンロードします。

import com.google.cloud.storage.BlobInfo; import com.google.cloud.storage.Storage; import com.google.cloud.storage.StorageOptions; import com.google.cloud.storage.transfermanager.DownloadResult; import com.google.cloud.storage.transfermanager.ParallelDownloadConfig; import com.google.cloud.storage.transfermanager.TransferManager; import com.google.cloud.storage.transfermanager.TransferManagerConfig; import java.nio.file.Path; import java.util.List; import java.util.stream.Collectors; class DownloadBucket {  public static void downloadBucketContents(  String projectId, String bucketName, Path destinationDirectory) {  Storage storage = StorageOptions.newBuilder().setProjectId(projectId).build().getService();  List<BlobInfo> blobs =  storage  .list(bucketName)  .streamAll()  .map(blob -> blob.asBlobInfo())  .collect(Collectors.toList());  TransferManager transferManager = TransferManagerConfig.newBuilder().build().getService();  ParallelDownloadConfig parallelDownloadConfig =  ParallelDownloadConfig.newBuilder()  .setBucketName(bucketName)  .setDownloadDirectory(destinationDirectory)  .build();  List<DownloadResult> results =  transferManager.downloadBlobs(blobs, parallelDownloadConfig).getDownloadResults();  for (DownloadResult result : results) {  System.out.println(  "Download of "  + result.getInput().getName()  + " completed with status "  + result.getStatus());  }  } }

Node.js

詳細については、Cloud Storage Node.js API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

次のサンプルでは、個々のオブジェクトをダウンロードします。

/**  * TODO(developer): Uncomment the following lines before running the sample.  */ // The ID of your GCS bucket // const bucketName = 'your-unique-bucket-name'; // The ID of your GCS file // const fileName = 'your-file-name'; // The path to which the file should be downloaded // const destFileName = '/local/path/to/file.txt'; // Imports the Google Cloud client library const {Storage} = require('@google-cloud/storage'); // Creates a client const storage = new Storage(); async function downloadFile() {  const options = {  destination: destFileName,  };  // Downloads the file  await storage.bucket(bucketName).file(fileName).download(options);  console.log(  `gs://${bucketName}/${fileName} downloaded to ${destFileName}.`  ); } downloadFile().catch(console.error);

次のサンプルでは、複数のプロセスを使用して複数のオブジェクトをダウンロードします。

/**  * TODO(developer): Uncomment the following lines before running the sample.  */ // The ID of your GCS bucket // const bucketName = 'your-unique-bucket-name'; // The ID of the first GCS file to download // const firstFileName = 'your-first-file-name'; // The ID of the second GCS file to download // const secondFileName = 'your-second-file-name; // Imports the Google Cloud client library const {Storage, TransferManager} = require('@google-cloud/storage'); // Creates a client const storage = new Storage(); // Creates a transfer manager client const transferManager = new TransferManager(storage.bucket(bucketName)); async function downloadManyFilesWithTransferManager() {  // Downloads the files  await transferManager.downloadManyFiles([firstFileName, secondFileName]);  for (const fileName of [firstFileName, secondFileName]) {  console.log(`gs://${bucketName}/${fileName} downloaded to ${fileName}.`);  } } downloadManyFilesWithTransferManager().catch(console.error);

次の例では、複数のプロセスを使用して、共通の接頭辞を持つすべてのオブジェクトをダウンロードします。

/**  * TODO(developer): Uncomment the following lines before running the sample.  */ // The ID of your GCS bucket // const bucketName = 'your-unique-bucket-name'; // The ID of the GCS folder to download. The folder will be downloaded to the local path of the executing code. // const folderName = 'your-folder-name'; // Imports the Google Cloud client library const {Storage, TransferManager} = require('@google-cloud/storage'); // Creates a client const storage = new Storage(); // Creates a transfer manager client const transferManager = new TransferManager(storage.bucket(bucketName)); async function downloadFolderWithTransferManager() {  // Downloads the folder  await transferManager.downloadManyFiles(folderName);  console.log(  `gs://${bucketName}/${folderName} downloaded to ${folderName}.`  ); } downloadFolderWithTransferManager().catch(console.error);

PHP

詳細については、Cloud Storage PHP API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

use Google\Cloud\Storage\StorageClient; /**  * Download an object from Cloud Storage and save it as a local file.  *  * @param string $bucketName The name of your Cloud Storage bucket.  * (e.g. 'my-bucket')  * @param string $objectName The name of your Cloud Storage object.  * (e.g. 'my-object')  * @param string $destination The local destination to save the object.  * (e.g. '/path/to/your/file')  */ function download_object(string $bucketName, string $objectName, string $destination): void {  $storage = new StorageClient();  $bucket = $storage->bucket($bucketName);  $object = $bucket->object($objectName);  $object->downloadToFile($destination);  printf(  'Downloaded gs://%s/%s to %s' . PHP_EOL,  $bucketName,  $objectName,  basename($destination)  ); }

Python

詳細については、Cloud Storage Python API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

次のサンプルでは、個々のオブジェクトをダウンロードします。

from google.cloud import storage def download_blob(bucket_name, source_blob_name, destination_file_name):  """Downloads a blob from the bucket.""" # The ID of your GCS bucket # bucket_name = "your-bucket-name" # The ID of your GCS object # source_blob_name = "storage-object-name" # The path to which the file should be downloaded # destination_file_name = "local/path/to/file" storage_client = storage.Client() bucket = storage_client.bucket(bucket_name) # Construct a client side representation of a blob. # Note `Bucket.blob` differs from `Bucket.get_blob` as it doesn't retrieve # any content from Google Cloud Storage. As we don't need additional data, # using `Bucket.blob` is preferred here. blob = bucket.blob(source_blob_name) blob.download_to_filename(destination_file_name) print( "Downloaded storage object {} from bucket {} to local file {}.".format( source_blob_name, bucket_name, destination_file_name ) ) 

次のサンプルでは、複数のプロセスを使用して複数のオブジェクトをダウンロードします。

def download_many_blobs_with_transfer_manager( bucket_name, blob_names, destination_directory="", workers=8 ):  """Download blobs in a list by name, concurrently in a process pool.  The filename of each blob once downloaded is derived from the blob name and  the `destination_directory `parameter. For complete control of the filename  of each blob, use transfer_manager.download_many() instead.  Directories will be created automatically as needed to accommodate blob  names that include slashes.  """ # The ID of your GCS bucket # bucket_name = "your-bucket-name" # The list of blob names to download. The names of each blobs will also # be the name of each destination file (use transfer_manager.download_many() # instead to control each destination file name). If there is a "/" in the # blob name, then corresponding directories will be created on download. # blob_names = ["myblob", "myblob2"] # The directory on your computer to which to download all of the files. This # string is prepended (with os.path.join()) to the name of each blob to form # the full path. Relative paths and absolute paths are both accepted. An # empty string means "the current working directory". Note that this # parameter allows accepts directory traversal ("../" etc.) and is not # intended for unsanitized end user input. # destination_directory = "" # The maximum number of processes to use for the operation. The performance # impact of this value depends on the use case, but smaller files usually # benefit from a higher number of processes. Each additional process occupies # some CPU and memory resources until finished. Threads can be used instead # of processes by passing `worker_type=transfer_manager.THREAD`. # workers=8 from google.cloud.storage import Client, transfer_manager storage_client = Client() bucket = storage_client.bucket(bucket_name) results = transfer_manager.download_many_to_path( bucket, blob_names, destination_directory=destination_directory, max_workers=workers ) for name, result in zip(blob_names, results): # The results list is either `None` or an exception for each blob in # the input list, in order. if isinstance(result, Exception): print("Failed to download {} due to exception: {}".format(name, result)) else: print("Downloaded {} to {}.".format(name, destination_directory + name))

次のサンプルでは、複数のプロセスを使用してバケット内のすべてのオブジェクトをダウンロードします。

def download_bucket_with_transfer_manager( bucket_name, destination_directory="", workers=8, max_results=1000 ):  """Download all of the blobs in a bucket, concurrently in a process pool.  The filename of each blob once downloaded is derived from the blob name and  the `destination_directory `parameter. For complete control of the filename  of each blob, use transfer_manager.download_many() instead.  Directories will be created automatically as needed, for instance to  accommodate blob names that include slashes.  """ # The ID of your GCS bucket # bucket_name = "your-bucket-name" # The directory on your computer to which to download all of the files. This # string is prepended (with os.path.join()) to the name of each blob to form # the full path. Relative paths and absolute paths are both accepted. An # empty string means "the current working directory". Note that this # parameter allows accepts directory traversal ("../" etc.) and is not # intended for unsanitized end user input. # destination_directory = "" # The maximum number of processes to use for the operation. The performance # impact of this value depends on the use case, but smaller files usually # benefit from a higher number of processes. Each additional process occupies # some CPU and memory resources until finished. Threads can be used instead # of processes by passing `worker_type=transfer_manager.THREAD`. # workers=8 # The maximum number of results to fetch from bucket.list_blobs(). This # sample code fetches all of the blobs up to max_results and queues them all # for download at once. Though they will still be executed in batches up to # the processes limit, queueing them all at once can be taxing on system # memory if buckets are very large. Adjust max_results as needed for your # system environment, or set it to None if you are sure the bucket is not # too large to hold in memory easily. # max_results=1000 from google.cloud.storage import Client, transfer_manager storage_client = Client() bucket = storage_client.bucket(bucket_name) blob_names = [blob.name for blob in bucket.list_blobs(max_results=max_results)] results = transfer_manager.download_many_to_path( bucket, blob_names, destination_directory=destination_directory, max_workers=workers ) for name, result in zip(blob_names, results): # The results list is either `None` or an exception for each blob in # the input list, in order. if isinstance(result, Exception): print("Failed to download {} due to exception: {}".format(name, result)) else: print("Downloaded {} to {}.".format(name, destination_directory + name))

Ruby

詳細については、Cloud Storage Ruby API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

def download_file bucket_name:, file_name:, local_file_path:  # The ID of your GCS bucket  # bucket_name = "your-unique-bucket-name"  # The ID of your GCS object  # file_name = "your-file-name"  # The path to which the file should be downloaded  # local_file_path = "/local/path/to/file.txt"  require "google/cloud/storage"  storage = Google::Cloud::Storage.new  bucket = storage.bucket bucket_name, skip_lookup: true  file = bucket.file file_name  file.download local_file_path  puts "Downloaded #{file.name} to #{local_file_path}" end

REST API

JSON API

  1. gcloud CLI をインストールして初期化します。これにより、Authorization ヘッダーのアクセス トークンを生成できます。

  2. cURL使用して、GET Object リクエストで JSON API を呼び出します。

    curl -X GET \ -H "Authorization: Bearer $(gcloud auth print-access-token)" \ -o "SAVE_TO_LOCATION" \ "https://storage.googleapis.com/storage/v1/b/BUCKET_NAME/o/OBJECT_NAME?alt=media"

    ここで

    • SAVE_TO_LOCATION は、オブジェクトを保存する場所へのパスです。例: Desktop/dog.png
    • BUCKET_NAME は、ダウンロードするオブジェクトが格納されているバケットの名前です。例: my-bucket
    • OBJECT_NAME は、ダウンロードするオブジェクトの URL エンコードされた名前です。例: pets%2Fdog.png として URL エンコードされている pets/dog.png

XML API

  1. gcloud CLI をインストールして初期化します。これにより、Authorization ヘッダーのアクセス トークンを生成できます。

  2. cURL使用して、GET Object リクエストで XML API を呼び出します。

    curl -X GET \ -H "Authorization: Bearer $(gcloud auth print-access-token)" \ -o "SAVE_TO_LOCATION" \ "https://storage.googleapis.com/BUCKET_NAME/OBJECT_NAME"

    ここで

    • SAVE_TO_LOCATION は、オブジェクトを保存する場所へのパスです。例: Desktop/dog.png
    • BUCKET_NAME は、ダウンロードするオブジェクトが格納されているバケットの名前です。例: my-bucket
    • OBJECT_NAME は、ダウンロードするオブジェクトの URL エンコードされた名前です。例: pets%2Fdog.png として URL エンコードされている pets/dog.png

バケットまたはサブディレクトリ内のすべてのオブジェクトをより効率よくダウンロードするには、gcloud storage cp コマンドまたはクライアント ライブラリを使用します。

 gcloud storage cp --recursive gs://BUCKET_NAME/FOLDER_NAME . 

オブジェクトの一部をダウンロードする

ダウンロードが中断された場合は、残りのオブジェクトのみをリクエストすることで、中断した場所からダウンロードを再開できます。オブジェクトの一部をダウンロードするには、次の手順を行います。

コンソール

Google Cloud コンソールでオブジェクトの一部をダウンロードすることはできません。代わりに gcloud CLI を使用してください。

コマンドライン

Google Cloud CLI は、ストリーミング ダウンロードを実行する場合を除き、中断されたダウンロードを自動的に再開しようとします。ダウンロードが中断された場合、部分的にダウンロードされた一時ファイルは宛先の階層に表示されます。同じ cp コマンドを実行して、中断した場所からダウンロードを再開します。

ダウンロードが完了すると、一時ファイルが削除され、ダウンロードされたコンテンツに置き換えられます。デフォルトでは、一時ファイルは .config/gcloud/surface_data/storage/tracker_files のユーザーのホーム ディレクトリにあるに保存されます。この場所は構成可能です。gcloud config get storage/tracker_files_directory を実行すると、一時ファイルの保存場所を変更または表示できます。

クライアント ライブラリ

C++

詳細については、Cloud Storage C++ API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

namespace gcs = ::google::cloud::storage; [](gcs::Client client, std::string const& bucket_name,  std::string const& object_name, std::int64_t start, std::int64_t end) {  gcs::ObjectReadStream stream =  client.ReadObject(bucket_name, object_name, gcs::ReadRange(start, end));  int count = 0;  std::string line;  while (std::getline(stream, line, '\n')) {  std::cout << line << "\n";  ++count;  }  if (stream.bad()) throw google::cloud::Status(stream.status());  std::cout << "The requested range has " << count << " lines\n"; }

C#

詳細については、Cloud Storage C# API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

 using Google.Apis.Storage.v1; using Google.Cloud.Storage.V1; using System; using System.IO; using System.Net.Http; using System.Net.Http.Headers; using System.Threading.Tasks; public class DownloadByteRangeAsyncSample {  public async Task DownloadByteRangeAsync(  string bucketName = "your-unique-bucket-name",  string objectName = "my-file-name",  long firstByte = 0,  long lastByte = 20,  string localPath = "my-local-path/my-file-name")  {  var storageClient = StorageClient.Create();  // Create an HTTP request for the media, for a limited byte range.  StorageService storage = storageClient.Service;  var uri = new Uri($"{storage.BaseUri}b/{bucketName}/o/{objectName}?alt=media");  var request = new HttpRequestMessage { RequestUri = uri };  request.Headers.Range = new RangeHeaderValue(firstByte, lastByte);  using var outputFile = File.OpenWrite(localPath);  // Use the HttpClient in the storage object because it supplies  // all the authentication headers we need.  var response = await storage.HttpClient.SendAsync(request);  await response.Content.CopyToAsync(outputFile, null);  Console.WriteLine($"Downloaded {objectName} to {localPath}.");  } }

Go

詳細については、Cloud Storage Go API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

import ( "context" "fmt" "io" "os" "time" "cloud.google.com/go/storage" ) // downloadByteRange downloads a specific byte range of an object to a file. func downloadByteRange(w io.Writer, bucket, object string, startByte int64, endByte int64, destFileName string) error { // bucket := "bucket-name" // object := "object-name" // startByte := 0 // endByte := 20 // destFileName := "file.txt" ctx := context.Background() client, err := storage.NewClient(ctx) if err != nil { return fmt.Errorf("storage.NewClient: %w", err) } defer client.Close() ctx, cancel := context.WithTimeout(ctx, time.Second*50) defer cancel() f, err := os.Create(destFileName) if err != nil { return fmt.Errorf("os.Create: %w", err) } length := endByte - startByte rc, err := client.Bucket(bucket).Object(object).NewRangeReader(ctx, startByte, length) if err != nil { return fmt.Errorf("Object(%q).NewReader: %w", object, err) } defer rc.Close() if _, err := io.Copy(f, rc); err != nil { return fmt.Errorf("io.Copy: %w", err) } if err = f.Close(); err != nil { return fmt.Errorf("f.Close: %w", err) } fmt.Fprintf(w, "Bytes %v to %v of blob %v downloaded to local file %v\n", startByte, startByte+length, object, destFileName) return nil } 

Java

詳細については、Cloud Storage Java API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

 import com.google.cloud.ReadChannel; import com.google.cloud.storage.BlobId; import com.google.cloud.storage.Storage; import com.google.cloud.storage.StorageOptions; import com.google.common.io.ByteStreams; import java.io.IOException; import java.nio.channels.FileChannel; import java.nio.file.Paths; import java.nio.file.StandardOpenOption; public class DownloadByteRange {  public static void downloadByteRange(  String projectId,  String bucketName,  String blobName,  long startByte,  long endBytes,  String destFileName)  throws IOException {  // The ID of your GCP project  // String projectId = "your-project-id";  // The ID of your GCS bucket  // String bucketName = "your-unique-bucket-name";  // The name of the blob/file that you wish to modify permissions on  // String blobName = "your-blob-name";  // The starting byte at which to begin the download  // long startByte = 0;  // The ending byte at which to end the download  // long endByte = 20;  // The path to which the file should be downloaded  // String destFileName = '/local/path/to/file.txt';  Storage storage = StorageOptions.newBuilder().setProjectId(projectId).build().getService();  BlobId blobId = BlobId.of(bucketName, blobName);  try (ReadChannel from = storage.reader(blobId);  FileChannel to = FileChannel.open(Paths.get(destFileName), StandardOpenOption.WRITE)) {  from.seek(startByte);  from.limit(endBytes);  ByteStreams.copy(from, to);  System.out.printf(  "%s downloaded to %s from byte %d to byte %d%n",  blobId.toGsUtilUri(), destFileName, startByte, endBytes);  }  } }

Node.js

詳細については、Cloud Storage Node.js API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

/**  * TODO(developer): Uncomment the following lines before running the sample.  */ // The ID of your GCS bucket // const bucketName = 'your-unique-bucket-name'; // The ID of your GCS file // const fileName = 'your-file-name'; // The starting byte at which to begin the download // const startByte = 0; // The ending byte at which to end the download // const endByte = 20; // The path to which the file should be downloaded // const destFileName = '/local/path/to/file.txt'; // Imports the Google Cloud client library const {Storage} = require('@google-cloud/storage'); // Creates a client const storage = new Storage(); async function downloadByteRange() {  const options = {  destination: destFileName,  start: startByte,  end: endByte,  };  // Downloads the file from the starting byte to the ending byte specified in options  await storage.bucket(bucketName).file(fileName).download(options);  console.log(  `gs://${bucketName}/${fileName} downloaded to ${destFileName} from byte ${startByte} to byte ${endByte}.`  ); } downloadByteRange();

PHP

詳細については、Cloud Storage PHP API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

use Google\Cloud\Storage\StorageClient; /**  * Download a byte range from Cloud Storage and save it as a local file.  *  * @param string $bucketName The name of your Cloud Storage bucket.  * (e.g. 'my-bucket')  * @param string $objectName The name of your Cloud Storage object.  * (e.g. 'my-object')  * @param int $startByte The starting byte at which to begin the download.  * (e.g. 1)  * @param int $endByte The ending byte at which to end the download. (e.g. 5)  * @param string $destination The local destination to save the object.  * (e.g. '/path/to/your/file')  */ function download_byte_range(  string $bucketName,  string $objectName,  int $startByte,  int $endByte,  string $destination ): void {  $storage = new StorageClient();  $bucket = $storage->bucket($bucketName);  $object = $bucket->object($objectName);  $object->downloadToFile($destination, [  'restOptions' => [  'headers' => [  'Range' => "bytes=$startByte-$endByte",  ],  ],  ]);  printf(  'Downloaded gs://%s/%s to %s' . PHP_EOL,  $bucketName,  $objectName,  basename($destination)  ); }

Python

詳細については、Cloud Storage Python API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

from google.cloud import storage def download_byte_range( bucket_name, source_blob_name, start_byte, end_byte, destination_file_name ):  """Downloads a blob from the bucket.""" # The ID of your GCS bucket # bucket_name = "your-bucket-name" # The ID of your GCS object # source_blob_name = "storage-object-name" # The starting byte at which to begin the download # start_byte = 0 # The ending byte at which to end the download # end_byte = 20 # The path to which the file should be downloaded # destination_file_name = "local/path/to/file" storage_client = storage.Client() bucket = storage_client.bucket(bucket_name) # Construct a client side representation of a blob. # Note `Bucket.blob` differs from `Bucket.get_blob` as it doesn't retrieve # any content from Google Cloud Storage. As we don't need additional data, # using `Bucket.blob` is preferred here. blob = bucket.blob(source_blob_name) blob.download_to_filename(destination_file_name, start=start_byte, end=end_byte) print( "Downloaded bytes {} to {} of object {} from bucket {} to local file {}.".format( start_byte, end_byte, source_blob_name, bucket_name, destination_file_name ) ) 

Ruby

詳細については、Cloud Storage Ruby API のリファレンス ドキュメントをご覧ください。

Cloud Storage に対する認証を行うには、アプリケーションのデフォルト認証情報を設定します。詳細については、クライアント ライブラリの認証情報を設定するをご覧ください。

# The ID of your GCS bucket # bucket_name = "your-unique-bucket-name" # file_name = "Name of a file in the Storage bucket" # The starting byte at which to begin the download # start_byte = 0 # The ending byte at which to end the download # end_byte = 20 # The path to which the file should be downloaded # local_file_path = "/local/path/to/file.txt" require "google/cloud/storage" storage = Google::Cloud::Storage.new bucket = storage.bucket bucket_name file = bucket.file file_name file.download local_file_path, range: start_byte..end_byte puts "Downloaded bytes #{start_byte} to #{end_byte} of object #{file_name} from bucket #{bucket_name}" \  + " to local file #{local_file_path}."

REST API

JSON API

リクエスト内の Range ヘッダーを使用して、オブジェクトの一部をダウンロードします。

  1. gcloud CLI のインストールと初期化を行います。これにより、Authorization ヘッダーのアクセス トークンを生成できます。

  2. cURL使用して、GET Object リクエストで JSON API を呼び出します。

    curl -X GET \ -H "Authorization: Bearer $(gcloud auth print-access-token)" \ -H "Range: bytes=FIRST_BYTE-LAST_BYTE" \ -o "SAVE_TO_LOCATION" \ "https://storage.googleapis.com/storage/v1/b/BUCKET_NAME/o/OBJECT_NAME?alt=media"

    ここで

    • FIRST_BYTE は、ダウンロードするバイト範囲の最初のバイトです。例: 1000
    • LAST_BYTE は、ダウンロードするバイト範囲の最後のバイトです。例: 1999
    • SAVE_TO_LOCATION は、オブジェクトを保存する場所へのパスです。例: Desktop/dog.png
    • BUCKET_NAME は、ダウンロードするオブジェクトが格納されているバケットの名前です。例: my-bucket
    • OBJECT_NAME は、ダウンロードするオブジェクトの URL エンコードされた名前です。例: pets%2Fdog.png として URL エンコードされている pets/dog.png

XML API

リクエスト内の Range ヘッダーを使用して、オブジェクトの一部をダウンロードします。

  1. gcloud CLI のインストールと初期化を行います。これにより、Authorization ヘッダーのアクセス トークンを生成できます。

  2. cURL使用して、GET Object リクエストで XML API を呼び出します。

    curl -X GET \ -H "Authorization: Bearer $(gcloud auth print-access-token)" \ -H "Range: bytes=FIRST_BYTE-LAST_BYTE" \ -o "SAVE_TO_LOCATION" \ "https://storage.googleapis.com/BUCKET_NAME/OBJECT_NAME"

    ここで

    • FIRST_BYTE は、ダウンロードするバイト範囲の最初のバイトです。例: 1000
    • LAST_BYTE は、ダウンロードするバイト範囲の最後のバイトです。例: 1999
    • SAVE_TO_LOCATION は、オブジェクトを保存する場所へのパスです。例: $HOME/Desktop/dog.png
    • BUCKET_NAME は、ダウンロードするオブジェクトが格納されているバケットの名前です。例: my-bucket
    • OBJECT_NAME は、ダウンロードするオブジェクトの URL エンコードされた名前です。例: pets%2Fdog.png として URL エンコードされている pets/dog.png

次のステップ

使ってみる

Google Cloud を初めて使用する場合は、アカウントを作成して、実際のシナリオでの Cloud Storage のパフォーマンスを評価してください。新規のお客様には、ワークロードの実行、テスト、デプロイができる無料クレジット $300 分を差し上げます。

Cloud Storage を無料で試す