FHIR ストアにパッチを適用します。
このコードサンプルが含まれるドキュメント ページ
コンテキストで使用されているコードサンプルを表示するには、次のドキュメントをご覧ください。
コードサンプル
Go
import (
"context"
"fmt"
"io"
healthcare "google.golang.org/api/healthcare/v1"
)
// patchFHIRStore updates (patches) a FHIR store by updating its Pub/sub topic name.
func patchFHIRStore(w io.Writer, projectID, location, datasetID, fhirStoreID, topicName string) error {
ctx := context.Background()
healthcareService, err := healthcare.NewService(ctx)
if err != nil {
return fmt.Errorf("healthcare.NewService: %v", err)
}
storesService := healthcareService.Projects.Locations.Datasets.FhirStores
name := fmt.Sprintf("projects/%s/locations/%s/datasets/%s/fhirStores/%s", projectID, location, datasetID, fhirStoreID)
if _, err := storesService.Patch(name, &healthcare.FhirStore{
NotificationConfig: &healthcare.NotificationConfig{
PubsubTopic: topicName, // format is "projects/*/locations/*/topics/*"
},
}).UpdateMask("notificationConfig").Do(); err != nil {
return fmt.Errorf("Patch: %v", err)
}
fmt.Fprintf(w, "Patched FHIR store %s with Pub/sub topic %s\n", datasetID, topicName)
return nil
}
Java
import com.google.api.client.http.HttpRequestInitializer;
import com.google.api.client.http.javanet.NetHttpTransport;
import com.google.api.client.json.JsonFactory;
import com.google.api.client.json.jackson2.JacksonFactory;
import com.google.api.services.healthcare.v1.CloudHealthcare;
import com.google.api.services.healthcare.v1.CloudHealthcare.Projects.Locations.Datasets.FhirStores;
import com.google.api.services.healthcare.v1.CloudHealthcareScopes;
import com.google.api.services.healthcare.v1.model.FhirStore;
import com.google.api.services.healthcare.v1.model.NotificationConfig;
import com.google.auth.http.HttpCredentialsAdapter;
import com.google.auth.oauth2.GoogleCredentials;
import java.io.IOException;
import java.util.Collections;
public class FhirStorePatch {
private static final String FHIR_NAME = "projects/%s/locations/%s/datasets/%s/fhirStores/%s";
private static final JsonFactory JSON_FACTORY = new JacksonFactory();
private static final NetHttpTransport HTTP_TRANSPORT = new NetHttpTransport();
public static void fhirStorePatch(String fhirStoreName, String pubsubTopic) throws IOException {
// String fhirStoreName =
// String.format(
// FHIR_NAME, "your-project-id", "your-region-id", "your-dataset-id", "your-fhir-id");
// String pubsubTopic = "your-pubsub-topic";
// Initialize the client, which will be used to interact with the service.
CloudHealthcare client = createClient();
// Fetch the initial state of the FHIR store.
FhirStores.Get getRequest =
client.projects().locations().datasets().fhirStores().get(fhirStoreName);
FhirStore store = getRequest.execute();
// Update the FhirStore fields as needed as needed. For a full list of FhirStore fields, see:
// https://cloud.google.com/healthcare/docs/reference/rest/v1/projects.locations.datasets.fhirStores#FhirStore
store.setNotificationConfig(new NotificationConfig().setPubsubTopic(pubsubTopic));
// Create request and configure any parameters.
FhirStores.Patch request =
client
.projects()
.locations()
.datasets()
.fhirStores()
.patch(fhirStoreName, store)
.setUpdateMask("notificationConfig");
// Execute the request and process the results.
store = request.execute();
System.out.println("Fhir store patched: \n" + store.toPrettyString());
}
private static CloudHealthcare createClient() throws IOException {
// Use Application Default Credentials (ADC) to authenticate the requests
// For more information see https://cloud.google.com/docs/authentication/production
GoogleCredentials credential =
GoogleCredentials.getApplicationDefault()
.createScoped(Collections.singleton(CloudHealthcareScopes.CLOUD_PLATFORM));
// Create a HttpRequestInitializer, which will provide a baseline configuration to all requests.
HttpRequestInitializer requestInitializer =
request -> {
new HttpCredentialsAdapter(credential).initialize(request);
request.setConnectTimeout(60000); // 1 minute connect timeout
request.setReadTimeout(60000); // 1 minute read timeout
};
// Build the client for interacting with the service.
return new CloudHealthcare.Builder(HTTP_TRANSPORT, JSON_FACTORY, requestInitializer)
.setApplicationName("your-application-name")
.build();
}
}
Node.js
const {google} = require('googleapis');
const healthcare = google.healthcare('v1');
const patchFhirStore = async () => {
const auth = await google.auth.getClient({
scopes: ['https://www.googleapis.com/auth/cloud-platform'],
});
google.options({auth});
// TODO(developer): uncomment these lines before running the sample
// const cloudRegion = 'us-central1';
// const projectId = 'adjective-noun-123';
// const datasetId = 'my-dataset';
// const fhirStoreId = 'my-fhir-store';
// const pubsubTopic = 'my-topic'
const name = `projects/${projectId}/locations/${cloudRegion}/datasets/${datasetId}/fhirStores/${fhirStoreId}`;
const request = {
name,
updateMask: 'notificationConfig',
resource: {
notificationConfig: {
pubsubTopic: `projects/${projectId}/topics/${pubsubTopic}`,
},
},
};
await healthcare.projects.locations.datasets.fhirStores.patch(request);
console.log(
`Patched FHIR store ${fhirStoreId} with Cloud Pub/Sub topic ${pubsubTopic}`
);
};
patchFhirStore();
Python
def patch_fhir_store(project_id, cloud_region, dataset_id, fhir_store_id):
"""Updates the FHIR store."""
client = get_client()
fhir_store_parent = "projects/{}/locations/{}/datasets/{}".format(
project_id, cloud_region, dataset_id
)
fhir_store_name = "{}/fhirStores/{}".format(fhir_store_parent, fhir_store_id)
patch = {"notificationConfig": None}
request = (
client.projects()
.locations()
.datasets()
.fhirStores()
.patch(name=fhir_store_name, updateMask="notificationConfig", body=patch)
)
response = request.execute()
print("Patched FHIR store {} with Cloud Pub/Sub topic: None".format(fhir_store_id))
return response