Transcribir la voz a texto con bibliotecas cliente

En esta página, se muestra cómo enviar una solicitud de reconocimiento de voz a Speech-to-Text en el lenguaje de programación que prefieras mediante las bibliotecas cliente de Google Cloud.

Con Speech-to-Text, se puede realizar una integración sencilla de las tecnologías de reconocimiento de voz de Google en las aplicaciones de los desarrolladores. Puedes enviar datos de audio a la API de Speech-to-Text que, a su vez, muestra una transcripción de texto de ese archivo de audio. Para obtener más información sobre el servicio, consulta Conceptos básicos de Speech-to-Text.

Antes de comenzar

  1. In the Google Cloud console, on the project selector page, select or create a Google Cloud project.

    Go to project selector

  2. Asegúrate de que la facturación esté habilitada para tu proyecto de Google Cloud.

  3. Habilita las API de Speech-to-Text.

    Habilita las API

  4. Make sure that you have the following role or roles on the project: Cloud Speech Administrator

    Check for the roles

    1. In the Google Cloud console, go to the IAM page.

      Go to IAM
    2. Select the project.
    3. In the Principal column, find all rows that identify you or a group that you're included in. To learn which groups you're included in, contact your administrator.

    4. For all rows that specify or include you, check the Role colunn to see whether the list of roles includes the required roles.

    Grant the roles

    1. In the Google Cloud console, go to the IAM page.

      Ir a IAM
    2. Selecciona el proyecto.
    3. Haz clic en Grant access.
    4. En el campo Principales nuevas, ingresa tu identificador de usuario. Esta suele ser la dirección de correo electrónico de una Cuenta de Google.

    5. En la lista Seleccionar un rol, elige un rol.
    6. Para otorgar funciones adicionales, haz clic en Agregar otro rol y agrega cada rol adicional.
    7. Haz clic en Guardar.
    8. Install the Google Cloud CLI.
    9. To initialize the gcloud CLI, run the following command:

      gcloud init
    10. Las bibliotecas cliente pueden usar las credenciales predeterminadas de la aplicación para autenticarse fácilmente con las APIs de Google y enviar solicitudes a esas API. Con las credenciales predeterminadas de la aplicación, puedes probar tu aplicación de forma local y, luego, implementarla sin cambiar el código subyacente. Para obtener más información, consulta <atrack-type="commonincludes" l10n-attrs-original-order="href,track-type,track-name" l10n-encrypted-href="WDE63JFVMK0YqIWBqG8nCycgwkRfOeEqRvzYs1N+2tJUEhcZvE5VtDH5LoWw0lj/" track-name="referenceLink"> Se autentica para usar las bibliotecas cliente.</atrack-type="commonincludes">

    11. Create local authentication credentials for your user account:

      gcloud auth application-default login

    También asegúrate de haber instalado la biblioteca cliente.

    Realiza una solicitud de transcripción de audio

    Usa el siguiente código para enviar una solicitud de Recognize a la API de Speech-to-Text.

    Java

    // Imports the Google Cloud client library
    import com.google.api.gax.longrunning.OperationFuture;
    import com.google.cloud.speech.v2.AutoDetectDecodingConfig;
    import com.google.cloud.speech.v2.CreateRecognizerRequest;
    import com.google.cloud.speech.v2.OperationMetadata;
    import com.google.cloud.speech.v2.RecognitionConfig;
    import com.google.cloud.speech.v2.RecognizeRequest;
    import com.google.cloud.speech.v2.RecognizeResponse;
    import com.google.cloud.speech.v2.Recognizer;
    import com.google.cloud.speech.v2.SpeechClient;
    import com.google.cloud.speech.v2.SpeechRecognitionAlternative;
    import com.google.cloud.speech.v2.SpeechRecognitionResult;
    import com.google.protobuf.ByteString;
    import java.io.IOException;
    import java.nio.file.Files;
    import java.nio.file.Path;
    import java.nio.file.Paths;
    import java.util.List;
    import java.util.concurrent.ExecutionException;
    
    public class QuickstartSampleV2 {
    
      public static void main(String[] args) throws IOException, ExecutionException,
          InterruptedException {
        String projectId = "my-project-id";
        String filePath = "path/to/audioFile.raw";
        String recognizerId = "my-recognizer-id";
        quickstartSampleV2(projectId, filePath, recognizerId);
      }
    
      public static void quickstartSampleV2(String projectId, String filePath, String recognizerId)
          throws IOException, ExecutionException, InterruptedException {
    
        // 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 (SpeechClient speechClient = SpeechClient.create()) {
          Path path = Paths.get(filePath);
          byte[] data = Files.readAllBytes(path);
          ByteString audioBytes = ByteString.copyFrom(data);
    
          String parent = String.format("projects/%s/locations/global", projectId);
    
          // First, create a recognizer
          Recognizer recognizer = Recognizer.newBuilder()
              .setModel("latest_long")
              .addLanguageCodes("en-US")
              .build();
    
          CreateRecognizerRequest createRecognizerRequest = CreateRecognizerRequest.newBuilder()
              .setParent(parent)
              .setRecognizerId(recognizerId)
              .setRecognizer(recognizer)
              .build();
    
          OperationFuture<Recognizer, OperationMetadata> operationFuture =
              speechClient.createRecognizerAsync(createRecognizerRequest);
          recognizer = operationFuture.get();
    
          // Next, create the transcription request
          RecognitionConfig recognitionConfig = RecognitionConfig.newBuilder()
              .setAutoDecodingConfig(AutoDetectDecodingConfig.newBuilder().build())
              .build();
    
          RecognizeRequest request = RecognizeRequest.newBuilder()
              .setConfig(recognitionConfig)
              .setRecognizer(recognizer.getName())
              .setContent(audioBytes)
              .build();
    
          RecognizeResponse response = speechClient.recognize(request);
          List<SpeechRecognitionResult> results = response.getResultsList();
    
          for (SpeechRecognitionResult result : results) {
            // There can be several alternative transcripts for a given chunk of speech. Just use the
            // first (most likely) one here.
            if (result.getAlternativesCount() > 0) {
              SpeechRecognitionAlternative alternative = result.getAlternativesList().get(0);
              System.out.printf("Transcription: %s%n", alternative.getTranscript());
            }
          }
        }
      }
    }

    Python

    from google.cloud.speech_v2 import SpeechClient
    from google.cloud.speech_v2.types import cloud_speech
    
    def quickstart_v2(
        project_id: str,
        audio_file: str,
    ) -> cloud_speech.RecognizeResponse:
        """Transcribe an audio file."""
        # Instantiates a client
        client = SpeechClient()
    
        # Reads a file as bytes
        with open(audio_file, "rb") as f:
            content = f.read()
    
        config = cloud_speech.RecognitionConfig(
            auto_decoding_config=cloud_speech.AutoDetectDecodingConfig(),
            language_codes=["en-US"],
            model="long",
        )
    
        request = cloud_speech.RecognizeRequest(
            recognizer=f"projects/{project_id}/locations/global/recognizers/_",
            config=config,
            content=content,
        )
    
        # Transcribes the audio into text
        response = client.recognize(request=request)
    
        for result in response.results:
            print(f"Transcript: {result.alternatives[0].transcript}")
    
        return response
    
    

    Enviaste tu primera solicitud a Speech-to-Text.

    Limpia

    Sigue estos pasos para evitar que se apliquen cargos a tu cuenta de Google Cloud por los recursos que usaste en esta página.

    1. Opcional: Revoca las credenciales de autenticación que creaste y borra el archivo local de credenciales.

      gcloud auth application-default revoke
    2. Opcional: Revoca credenciales desde gcloud CLI.

      gcloud auth revoke

    Consola

  5. En la consola de Google Cloud, ve a la página Administrar recursos.

    Ir a Administrar recursos

  6. En la lista de proyectos, elige el proyecto que quieres borrar y haz clic en Borrar.
  7. En el diálogo, escribe el ID del proyecto y, luego, haz clic en Cerrar para borrar el proyecto.
  8. gcloud

    Borra un proyecto de Google Cloud:

    gcloud projects delete PROJECT_ID

    ¿Qué sigue?