도착어 이름으로 지원되는 언어 코드 목록을 검색합니다.
이 코드 샘플이 포함된 문서 페이지
컨텍스트에서 사용된 코드 샘플을 보려면 다음 문서를 참조하세요.
코드 샘플
C#
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 C# 설정 안내를 따르세요. 자세한 내용은 Translation C# API 참조 문서를 확인하세요.
using Google.Api.Gax.ResourceNames;
using Google.Cloud.Translate.V3;
using System;
namespace GoogleCloudSamples
{
public static class GetSupportedLanguagesForTarget
{
/// <summary>
/// Listing supported languages with target language code.
/// </summary>
/// <param name="projectId">Your Google Cloud Project ID.</param>
/// <param name="languageCode">Target Language Code.</param>
public static void GetSupportedLanguagesForTargetSample(string languageCode = "en",
string projectId = "[Google Cloud Project ID]")
{
TranslationServiceClient translationServiceClient = TranslationServiceClient.Create();
GetSupportedLanguagesRequest request = new GetSupportedLanguagesRequest
{
ParentAsLocationName = new LocationName(projectId, "global"),
DisplayLanguageCode = languageCode,
};
SupportedLanguages response = translationServiceClient.GetSupportedLanguages(request);
// List language codes of supported languages
foreach (SupportedLanguage language in response.Languages)
{
Console.WriteLine($"Language Code: {language.LanguageCode}");
Console.WriteLine($"Display Name: {language.DisplayName}");
}
}
}
Go
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 Go 설정 안내를 따르세요. 자세한 내용은 Translation Go API 참조 문서를 확인하세요.
import (
"context"
"fmt"
"io"
translate "cloud.google.com/go/translate/apiv3"
translatepb "google.golang.org/genproto/googleapis/cloud/translate/v3"
)
// getSupportedLanguagesForTarget gets a list of supported language codes with target language names.
func getSupportedLanguagesForTarget(w io.Writer, projectID string, languageCode string) error {
// projectID := "my-project-id"
// languageCode := "is"
ctx := context.Background()
client, err := translate.NewTranslationClient(ctx)
if err != nil {
return fmt.Errorf("NewTranslationClient: %v", err)
}
defer client.Close()
req := &translatepb.GetSupportedLanguagesRequest{
Parent: fmt.Sprintf("projects/%s/locations/global", projectID),
DisplayLanguageCode: languageCode,
}
resp, err := client.GetSupportedLanguages(ctx, req)
if err != nil {
return fmt.Errorf("GetSupportedLanguages: %v", err)
}
// List language codes of supported languages
fmt.Fprintf(w, "Supported languages:\n")
for _, language := range resp.GetLanguages() {
fmt.Fprintf(w, "Language code: %v\n", language.GetLanguageCode())
fmt.Fprintf(w, "Display name: %v\n", language.GetDisplayName())
}
return nil
}
자바
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 자바 설정 안내를 따르세요. 자세한 내용은 Translation Java API 참조 문서를 확인하세요.
import com.google.cloud.translate.v3.GetSupportedLanguagesRequest;
import com.google.cloud.translate.v3.LocationName;
import com.google.cloud.translate.v3.SupportedLanguage;
import com.google.cloud.translate.v3.SupportedLanguages;
import com.google.cloud.translate.v3.TranslationServiceClient;
import java.io.IOException;
public class GetSupportedLanguagesForTarget {
public static void getSupportedLanguagesForTarget() throws IOException {
// TODO(developer): Replace these variables before running the sample.
String projectId = "YOUR-PROJECT-ID";
// Supported Languages: https://cloud.google.com/translate/docs/languages
String languageCode = "your-language-code";
getSupportedLanguagesForTarget(projectId, languageCode);
}
// Listing supported languages with target language name
public static void getSupportedLanguagesForTarget(String projectId, String languageCode)
throws IOException {
// Initialize client that will be used to send requests. This client only needs to be created
// once, and can be reused for multiple requests. After completing all of your requests, call
// the "close" method on the client to safely clean up any remaining background resources.
try (TranslationServiceClient client = TranslationServiceClient.create()) {
// Supported Locations: `global`, [glossary location], or [model location]
// Glossaries must be hosted in `us-central1`
// Custom Models must use the same location as your model. (us-central1)
LocationName parent = LocationName.of(projectId, "global");
GetSupportedLanguagesRequest request =
GetSupportedLanguagesRequest.newBuilder()
.setParent(parent.toString())
.setDisplayLanguageCode(languageCode)
.build();
SupportedLanguages response = client.getSupportedLanguages(request);
// List language codes of supported languages
for (SupportedLanguage language : response.getLanguagesList()) {
System.out.printf("Language Code: %s\n", language.getLanguageCode());
System.out.printf("Display Name: %s\n", language.getDisplayName());
}
}
}
}
Node.js
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 Node.js 설정 안내를 따르세요. 자세한 내용은 Translation Node.js API 참조 문서를 확인하세요.
/**
* TODO(developer): Uncomment these variables before running the sample.
*/
// const projectId = 'YOUR_PROJECT_ID';
// const location = 'global';
// Imports the Google Cloud Translation library
const {TranslationServiceClient} = require('@google-cloud/translate');
// Instantiates a client
const translationClient = new TranslationServiceClient();
async function getSupportedLanguages() {
// Construct request
const request = {
parent: `projects/${projectId}/locations/${location}`,
displayLanguageCode: 'en',
};
try {
// Get supported languages
const [response] = await translationClient.getSupportedLanguages(request);
for (const language of response.languages) {
// Supported language code, generally consisting of its ISO 639-1 identifier, for
// example, 'en', 'ja'. In certain cases, BCP-47 codes including language and
// region identifiers are returned (for example, 'zh-TW' and 'zh-CN')
console.log(`Language - Language Code: ${language.languageCode}`);
// Human readable name of the language localized in the display language specified
// in the request.
console.log(`Language - Display Name: ${language.displayName}`);
// Can be used as source language.
console.log(`Language - Support Source: ${language.supportSource}`);
// Can be used as target language.
console.log(`Language - Support Target: ${language.supportTarget}`);
}
} catch (error) {
console.error(error.details);
}
}
getSupportedLanguages();
PHP
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 PHP 설정 안내를 따르세요. 자세한 내용은 Translation PHP API 참조 문서를 확인하세요.
use Google\Cloud\Translate\V3\TranslationServiceClient;
$translationServiceClient = new TranslationServiceClient();
/** Uncomment and populate these variables in your code */
// $languageCode = 'en';
// $projectId = '[Google Cloud Project ID]';
$formattedParent = $translationServiceClient->locationName($projectId, 'global');
try {
$response = $translationServiceClient->getSupportedLanguages(
$formattedParent,
['displayLanguageCode' => $languageCode]
);
// List language codes of supported languages
foreach ($response->getLanguages() as $language) {
printf('Language Code: %s' . PHP_EOL, $language->getLanguageCode());
printf('Display Name: %s' . PHP_EOL, $language->getDisplayName());
}
} finally {
$translationServiceClient->close();
}
Python
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 Python 설정 안내를 따르세요. 자세한 내용은 Translation Python API 참조 문서를 확인하세요.
from google.cloud import translate
def get_supported_languages_with_target(project_id="YOUR_PROJECT_ID"):
"""Listing supported languages with target language name."""
client = translate.TranslationServiceClient()
location = "global"
parent = f"projects/{project_id}/locations/{location}"
# Supported language codes: https://cloud.google.com/translate/docs/languages
response = client.get_supported_languages(
display_language_code="is", parent=parent # target language code
)
# List language codes of supported languages
for language in response.languages:
print("Language Code: {}".format(language.language_code))
print("Display Name: {}".format(language.display_name))
Ruby
이 샘플을 사용해 보기 전에 Translation 빠른 시작: 클라이언트 라이브러리 사용의 Ruby 설정 안내를 따르세요. 자세한 내용은 Translation Ruby API 참조 문서를 확인하세요.
require "google/cloud/translate"
# project_id = "[Google Cloud Project ID]"
# location_id = "[LOCATION ID]"
client = Google::Cloud::Translate.translation_service
language_code = "en"
parent = client.location_path project: project_id, location: location_id
response = client.get_supported_languages parent: parent,
display_language_code: language_code
# List language codes of supported languages
response.languages.each do |language|
puts "Language Code: #{language.language_code}"
puts "Display Name: #{language.display_name}"
end