-
Notifications
You must be signed in to change notification settings - Fork 2k
feat: add storage control anywhere cache samples #4177
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
Open
thiyaguk09
wants to merge
11
commits into
GoogleCloudPlatform:main
Choose a base branch
from
thiyaguk09:anywhere-cache-samples
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
11 commits
Select commit
Hold shift + click to select a range
5907d3b
feat(storagecontrol): Add samples for Storage Anywhere Cache
thiyaguk09 dc0e5cb
add testcase
thiyaguk09 3ebcc06
lint fix
thiyaguk09 2ec5ce4
fix: test case
thiyaguk09 95d39c6
fix: remove cacheName
thiyaguk09 9d7c97b
skip test case
thiyaguk09 43c4fe7
test case remove projectId
thiyaguk09 bb23814
addressing review comments
thiyaguk09 fd57da1
index on anywhere-cache-samples: e83ba77b addressing review comments
thiyaguk09 572f7f1
feat(storage-control): Improve Anywhere Cache API samples
thiyaguk09 002f574
test(storagecontrol): Enhance Anywhere Cache test assertions and cove…
thiyaguk09 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
Some comments aren't visible on the classic Files Changed page.
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,122 @@ | ||
// Copyright 2025 Google LLC | ||
// | ||
// Licensed under the Apache License, Version 2.0 (the "License"); | ||
// you may not use this file except in compliance with the License. | ||
// You may obtain a copy of the License at | ||
// | ||
// https://www.apache.org/licenses/LICENSE-2.0 | ||
// | ||
// Unless required by applicable law or agreed to in writing, software | ||
// distributed under the License is distributed on an "AS IS" BASIS, | ||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
// See the License for the specific language governing permissions and | ||
// limitations under the License. | ||
|
||
'use strict'; | ||
|
||
/** | ||
* This application demonstrates how to perform basic operations on an Anywhere Cache | ||
* instance with the Google Cloud Storage API. | ||
* | ||
* For more information, see the documentation at https://cloud.google.com/storage/docs/anywhere-cache. | ||
*/ | ||
|
||
function main(bucketName, zoneName) { | ||
// [START storage_control_create_anywhere_cache] | ||
|
||
/** | ||
* Creates an Anywhere Cache instance for a Cloud Storage bucket. | ||
* Anywhere Cache is a feature that provides an SSD-backed zonal read cache. | ||
* This can significantly improve read performance for frequently accessed data | ||
* by caching it in the same zone as your compute resources. | ||
* | ||
* @param {string} bucketName The name of the bucket to create the cache for. | ||
* Example: 'your-gcp-bucket-name' | ||
* @param {string} zoneName The zone where the cache will be created. | ||
* Example: 'us-central1-a' | ||
*/ | ||
|
||
// Imports the Control library | ||
const {StorageControlClient} = require('@google-cloud/storage-control').v2; | ||
|
||
// Instantiates a client | ||
const controlClient = new StorageControlClient(); | ||
|
||
async function callCreateAnywhereCache() { | ||
const bucketPath = controlClient.bucketPath('_', bucketName); | ||
|
||
// Create the request | ||
const request = { | ||
parent: bucketPath, | ||
anywhereCache: { | ||
zone: zoneName, | ||
ttl: { | ||
seconds: '10000s', | ||
}, // Optional. Default: '86400s'(1 day) | ||
admissionPolicy: 'admit-on-first-miss', // Optional. Default: 'admit-on-first-miss' | ||
}, | ||
}; | ||
|
||
try { | ||
// Run the request, which returns an Operation object | ||
const [operation] = await controlClient.createAnywhereCache(request); | ||
console.log(`Waiting for operation ${operation.name} to complete...`); | ||
|
||
// Wait for the operation to complete and get the final resource | ||
const anywhereCache = await checkCreateAnywhereCacheProgress( | ||
operation.name | ||
); | ||
console.log(`Created anywhere cache: ${anywhereCache.result.name}.`); | ||
} catch (error) { | ||
// Handle any error that occurred during the creation or polling process. | ||
console.error('Failed to create Anywhere Cache:', error.message); | ||
throw error; | ||
} | ||
} | ||
|
||
// A custom function to check the operation's progress. | ||
async function checkCreateAnywhereCacheProgress(operationName) { | ||
let operation = {done: false}; | ||
console.log('Starting manual polling for operation...'); | ||
|
||
// Poll the operation until it's done. | ||
while (!operation.done) { | ||
await new Promise(resolve => setTimeout(resolve, 180000)); // Wait for 3 minutes before the next check. | ||
const request = { | ||
name: operationName, | ||
}; | ||
try { | ||
const [latestOperation] = await controlClient.getOperation(request); | ||
operation = latestOperation; | ||
} catch (err) { | ||
// Handle potential errors during polling. | ||
console.error('Error while polling:', err.message); | ||
break; // Exit the loop on error. | ||
} | ||
} | ||
|
||
// Return the final result of the operation. | ||
if (operation.response) { | ||
// Decode the operation response into a usable Operation object | ||
const decodeOperation = new controlClient._gaxModule.Operation( | ||
operation, | ||
controlClient.descriptors.longrunning.createAnywhereCache, | ||
controlClient._gaxModule.createDefaultBackoffSettings() | ||
); | ||
// Return the decoded operation | ||
return decodeOperation; | ||
} else { | ||
// If there's no response, it indicates an issue, so throw an error | ||
throw new Error('Operation completed without a response.'); | ||
} | ||
} | ||
|
||
callCreateAnywhereCache(); | ||
// [END storage_control_create_anywhere_cache] | ||
} | ||
|
||
process.on('unhandledRejection', err => { | ||
console.error(err.message); | ||
process.exitCode = 1; | ||
}); | ||
main(...process.argv.slice(2)); |
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,104 @@ | ||
// Copyright 2025 Google LLC | ||
// | ||
// Licensed under the Apache License, Version 2.0 (the "License"); | ||
// you may not use this file except in compliance with the License. | ||
// You may obtain a copy of the License at | ||
// | ||
// https://www.apache.org/licenses/LICENSE-2.0 | ||
// | ||
// Unless required by applicable law or agreed to in writing, software | ||
// distributed under the License is distributed on an "AS IS" BASIS, | ||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
// See the License for the specific language governing permissions and | ||
// limitations under the License. | ||
|
||
'use strict'; | ||
|
||
/** | ||
* This application demonstrates how to perform basic operations on an Anywhere Cache | ||
* instance with the Google Cloud Storage API. | ||
* | ||
* For more information, see the documentation at https://cloud.google.com/storage/docs/anywhere-cache. | ||
*/ | ||
|
||
function main(bucketName, cacheName) { | ||
// [START storage_control_disable_anywhere_cache] | ||
/** | ||
* Disables an Anywhere Cache instance. | ||
* | ||
* Disabling a cache is the first step to permanently removing it. Once disabled, | ||
* the cache stops ingesting new data. After a grace period, the cache and its | ||
* contents are deleted. This is useful for decommissioning caches that are no | ||
* longer needed. | ||
* | ||
* @param {string} bucketName The name of the bucket where the cache resides. | ||
* Example: 'your-gcp-bucket-name' | ||
* @param {string} cacheName The unique identifier of the cache instance to disable. | ||
* Example: 'cacheName' | ||
*/ | ||
|
||
// Imports the Control library | ||
const {StorageControlClient} = require('@google-cloud/storage-control').v2; | ||
|
||
// Instantiates a client | ||
const controlClient = new StorageControlClient(); | ||
|
||
async function callDisableAnywhereCache() { | ||
// You have a one-hour grace period after disabling a cache to resume it and prevent its deletion. | ||
// If you don't resume the cache within that hour, it will be deleted, its data will be evicted, | ||
// and the cache will be permanently removed from the bucket. | ||
|
||
const anywhereCachePath = controlClient.anywhereCachePath( | ||
'_', | ||
bucketName, | ||
cacheName | ||
); | ||
|
||
// Create the request | ||
const request = { | ||
name: anywhereCachePath, | ||
}; | ||
|
||
try { | ||
// Run request. This initiates the disablement process. | ||
const [response] = await controlClient.disableAnywhereCache(request); | ||
|
||
console.log( | ||
`Successfully initiated disablement for Anywhere Cache: '${cacheName}'.` | ||
); | ||
console.log(` Current State: ${response.state}`); | ||
console.log(` Resource Name: ${response.name}`); | ||
} catch (error) { | ||
// Catch and handle potential API errors. | ||
console.error( | ||
`Error disabling Anywhere Cache '${cacheName}': ${error.message}` | ||
); | ||
|
||
if (error.code === 5) { | ||
// NOT_FOUND (gRPC code 5) error can occur if the bucket or cache does not exist. | ||
console.error( | ||
`Please ensure the cache '${cacheName}' exists in bucket '${bucketName}'.` | ||
); | ||
} else if (error.code === 9) { | ||
// FAILED_PRECONDITION (gRPC code 9) can occur if the cache is already being disabled | ||
// or is not in a RUNNING state that allows the disable operation. | ||
console.error( | ||
`Cache '${cacheName}' may not be in a state that allows disabling (e.g., must be RUNNING).` | ||
); | ||
} | ||
throw error; | ||
} | ||
// Run request | ||
const [response] = await controlClient.disableAnywhereCache(request); | ||
thiyaguk09 marked this conversation as resolved.
Show resolved
Hide resolved
|
||
console.log(`Disabled anywhere cache: ${response.name}.`); | ||
thiyaguk09 marked this conversation as resolved.
Show resolved
Hide resolved
|
||
} | ||
|
||
callDisableAnywhereCache(); | ||
// [END storage_control_disable_anywhere_cache] | ||
} | ||
|
||
process.on('unhandledRejection', err => { | ||
console.error(err.message); | ||
process.exitCode = 1; | ||
}); | ||
main(...process.argv.slice(2)); |
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,91 @@ | ||
// Copyright 2025 Google LLC | ||
// | ||
// Licensed under the Apache License, Version 2.0 (the "License"); | ||
// you may not use this file except in compliance with the License. | ||
// You may obtain a copy of the License at | ||
// | ||
// https://www.apache.org/licenses/LICENSE-2.0 | ||
// | ||
// Unless required by applicable law or agreed to in writing, software | ||
// distributed under the License is distributed on an "AS IS" BASIS, | ||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
// See the License for the specific language governing permissions and | ||
// limitations under the License. | ||
|
||
'use strict'; | ||
|
||
/** | ||
* This application demonstrates how to perform basic operations on an Anywhere Cache | ||
* instance with the Google Cloud Storage API. | ||
* | ||
* For more information, see the documentation at https://cloud.google.com/storage/docs/anywhere-cache. | ||
*/ | ||
|
||
function main(bucketName, cacheName) { | ||
// [START storage_control_get_anywhere_cache] | ||
/** | ||
thiyaguk09 marked this conversation as resolved.
Show resolved
Hide resolved
|
||
* Retrieves details of a specific Anywhere Cache instance. | ||
* | ||
* This function is useful for checking the current state, configuration (like TTL), | ||
* and other metadata of an existing cache. | ||
* | ||
* @param {string} bucketName The name of the bucket where the cache resides. | ||
* Example: 'your-gcp-bucket-name' | ||
* @param {string} cacheName The unique identifier of the cache instance. | ||
* Example: 'my-anywhere-cache-id' | ||
*/ | ||
|
||
// Imports the Control library | ||
const {StorageControlClient} = require('@google-cloud/storage-control').v2; | ||
|
||
// Instantiates a client | ||
const controlClient = new StorageControlClient(); | ||
|
||
async function callGetAnywhereCache() { | ||
const anywhereCachePath = controlClient.anywhereCachePath( | ||
'_', | ||
bucketName, | ||
cacheName | ||
); | ||
|
||
// Create the request | ||
const request = { | ||
name: anywhereCachePath, | ||
}; | ||
|
||
try { | ||
// Run request | ||
const [response] = await controlClient.getAnywhereCache(request); | ||
console.log(`Anywhere Cache details for '${cacheName}':`); | ||
console.log(` Name: ${response.name}`); | ||
console.log(` Zone: ${response.zone}`); | ||
console.log(` State: ${response.state}`); | ||
console.log(` TTL: ${response.ttl.seconds}s`); | ||
console.log(` Admission Policy: ${response.admissionPolicy}`); | ||
console.log( | ||
` Create Time: ${new Date(response.createTime.seconds * 1000).toISOString()}` | ||
); | ||
} catch (error) { | ||
// Handle errors (e.g., cache not found, permission denied). | ||
console.error( | ||
`Error retrieving Anywhere Cache '${cacheName}': ${error.message}` | ||
); | ||
|
||
if (error.code === 5) { | ||
console.error( | ||
`Ensure the cache '${cacheName}' exists in bucket '${bucketName}'.` | ||
); | ||
} | ||
throw error; | ||
} | ||
} | ||
|
||
callGetAnywhereCache(); | ||
// [END storage_control_get_anywhere_cache] | ||
} | ||
|
||
process.on('unhandledRejection', err => { | ||
console.error(err.message); | ||
process.exitCode = 1; | ||
}); | ||
main(...process.argv.slice(2)); |
Oops, something went wrong.
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.