Actualiza los metadatos de un canal. Ten en cuenta que este método actualmente solo es compatible con las actualizaciones de los objetos brandingSettings
y invideoPromotion
del recurso channel
y sus propiedades secundarias.
Pruébalo ahora y ve un ejemplo.
Solicitud
Solicitud HTTP
PUT https://www.googleapis.com/youtube/v3/channels
Autorización
Esta solicitud requiere autorización con al menos uno de los siguientes alcances (obtén más información acerca de la autenticación y autorización).
Alcance |
---|
https://www.googleapis.com/auth/youtubepartner |
https://www.googleapis.com/auth/youtube |
Parámetros
La tabla a continuación muestra los parámetros compatibles con esta consulta. Todos los parámetros mencionados son parámetros de consulta.
Parámetros | ||
---|---|---|
Parámetros obligatorios | ||
part |
string El parámetro part sirve para dos propósitos en esta operación. Identifica las propiedades que establecerá la operación de escritura, así como las propiedades que incluirá la respuesta de la API.Actualmente, la API solo permite que las partes id y invideoPromotion se incluyan en el valor del parámetro.Ten en cuenta que este método anula los valores existentes para todas las propiedades que pueden modificarse que se encuentran en cualquiera de las partes que especifica el valor del parámetro. |
|
Parámetros opcionales | ||
onBehalfOfContentOwner |
string Este parámetro solo se puede utilizar en una solicitud autorizada debidamente. El parámetro onBehalfOfContentOwner indica que el usuario autenticado actúa en nombre del propietario de contenido especificado en el valor del parámetro. Este parámetro está dirigido a socios de contenido de YouTube que poseen y administran muchos canales de YouTube diferentes. Permite a los propietarios de contenido autenticarse una vez y tener acceso a todos los datos de sus videos y canales, sin tener que proporcionar credenciales de autenticación para cada canal. La cuenta de CMS con la que se autentica el usuario debe estar relacionada con el propietario del contenido de YouTube especificado. |
Cuerpo de la solicitud
Proporciona un recurso de canal en el cuerpo de la solicitud. Para ese recurso:
-
Debes especificar un valor para estas propiedades:
id
-
Puedes establecer los valores de las siguientes propiedades:
invideoPromotion.position.type
invideoPromotion.position.cornerPosition
brandingSettings.image.bannerExternalUrl
invideoPromotion.defaultTiming.type
invideoPromotion.defaultTiming.offsetMs
invideoPromotion.items[].id.type
invideoPromotion.items[].id.videoId
invideoPromotion.items[].timing.type
invideoPromotion.items[].timing.offsetMs
Si envías una solicitud de actualización sin especificar un valor para una propiedad que ya tiene un valor, el valor actual de la propiedad se eliminará.
Respuesta
Si se aplica correctamente, este método muestra un recurso de canal en el cuerpo de la respuesta.
Ejemplos
Nota: Es posible que los siguientes ejemplos de código no representen todos los lenguajes de programación admitidos. Consulta la documentación sobre bibliotecas cliente para obtener una lista de los lenguajes admitidos.
Java
El siguiente ejemplo de código invoca el método channels.update
de la API para establecer las propiedades invideoPromotion
para el canal.
En este ejemplo se utiliza la biblioteca cliente Java.
/* * Copyright (c) 2013 Google Inc. * * 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 * * http://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. */ package com.google.api.services.samples.youtube.cmdline.data; import com.google.api.client.auth.oauth2.Credential; import com.google.api.client.googleapis.json.GoogleJsonResponseException; import com.google.api.client.http.InputStreamContent; import com.google.api.services.samples.youtube.cmdline.Auth; import com.google.api.services.youtube.YouTube; import com.google.api.services.youtube.model.*; import com.google.common.collect.Lists; import java.io.IOException; import java.math.BigInteger; import java.util.List; /** * Add a featured video to a channel. * * @author Ikai Lan <ikai@google.com> */ public class InvideoProgramming { /** * Define a global instance of a Youtube object, which will be used * to make YouTube Data API requests. */ private static YouTube youtube; /** * This sample video introduces WebM on YouTube Developers Live. */ private static final String FEATURED_VIDEO_ID = "w4eiUiauo2w"; /** * This code sample demonstrates different ways that the API can be used to * promote your channel content. It includes code for the following tasks: * <ol> * <li>Feature a video.</li> * <li>Feature a link to a social media channel.</li> * <li>Set a watermark for videos on your channel.</li> * </ol> * * @param args command line args (not used). */ public static void main(String[] args) { // This OAuth 2.0 access scope allows for full read/write access to the // authenticated user's account. List<String> scopes = Lists.newArrayList("https://www.googleapis.com/auth/youtube"); try { // Authorize the request. Credential credential = Auth.authorize(scopes, "invideoprogramming"); // This object is used to make YouTube Data API requests. youtube = new YouTube.Builder(Auth.HTTP_TRANSPORT, Auth.JSON_FACTORY, credential) .setApplicationName("youtube-cmdline-invideoprogramming-sample") .build(); // Construct a request to retrieve the current user's channel ID. // In the API response, only include channel information needed for // this use case. The channel's uploads playlist identifies the // channel's most recently uploaded video. // See https://developers.google.com/youtube/v3/docs/channels/list ChannelListResponse channelListResponse = youtube.channels().list("id,contentDetails") .setMine(true) .setFields("items(contentDetails/relatedPlaylists/uploads,id)") .execute(); // The user's default channel is the first item in the list. If the // user does not have a channel, this code should throw a // GoogleJsonResponseException explaining the issue. Channel myChannel = channelListResponse.getItems().get(0); String channelId = myChannel.getId(); // The promotion appears 15000ms (15 seconds) before the video ends. InvideoTiming invideoTiming = new InvideoTiming(); invideoTiming.setOffsetMs(BigInteger.valueOf(15000l)); invideoTiming.setType("offsetFromEnd"); // This is one type of promotion and promotes a video. PromotedItemId promotedItemId = new PromotedItemId(); promotedItemId.setType("video"); promotedItemId.setVideoId(FEATURED_VIDEO_ID); // Set a custom message providing additional information about the // promoted video or your channel. PromotedItem promotedItem = new PromotedItem(); promotedItem.setCustomMessage("Check out this video about WebM!"); promotedItem.setId(promotedItemId); // Construct an object representing the invideo promotion data, and // add it to the channel. InvideoPromotion invideoPromotion = new InvideoPromotion(); invideoPromotion.setDefaultTiming(invideoTiming); invideoPromotion.setItems(Lists.newArrayList(promotedItem)); Channel channel = new Channel(); channel.setId(channelId); channel.setInvideoPromotion(invideoPromotion); Channel updateChannelResponse = youtube.channels() .update("invideoPromotion", channel) .execute(); // Print data from the API response. System.out.println("\n================== Updated Channel Information ==================\n"); System.out.println("\t- Channel ID: " + updateChannelResponse.getId()); InvideoPromotion promotions = updateChannelResponse.getInvideoPromotion(); promotedItem = promotions.getItems().get(0); // We only care about the first item System.out.println("\t- Invideo promotion video ID: " + promotedItem .getId() .getVideoId()); System.out.println("\t- Promotion message: " + promotedItem.getCustomMessage()); // In-video programming can also be used to feature links to // associated websites, merchant sites, or social networking sites. // The code below overrides the promotional video set above by // featuring a link to the YouTube Developers Twitter feed. PromotedItemId promotedTwitterFeed = new PromotedItemId(); promotedTwitterFeed.setType("website"); promotedTwitterFeed.setWebsiteUrl("https://twitter.com/youtubedev"); promotedItem = new PromotedItem(); promotedItem.setCustomMessage("Follow us on Twitter!"); promotedItem.setId(promotedTwitterFeed); invideoPromotion.setItems(Lists.newArrayList(promotedItem)); channel.setInvideoPromotion(invideoPromotion); // Call the API to set the in-video promotion data. updateChannelResponse = youtube.channels() .update("invideoPromotion", channel) .execute(); // Print data from the API response. System.out.println("\n================== Updated Channel Information ==================\n"); System.out.println("\t- Channel ID: " + updateChannelResponse.getId()); promotions = updateChannelResponse.getInvideoPromotion(); promotedItem = promotions.getItems().get(0); System.out.println("\t- Invideo promotion URL: " + promotedItem .getId() .getWebsiteUrl()); System.out.println("\t- Promotion message: " + promotedItem.getCustomMessage()); // This example sets a custom watermark for the channel. The image // used is the watermark.jpg file in the "resources/" directory. InputStreamContent mediaContent = new InputStreamContent("image/jpeg", InvideoProgramming.class.getResourceAsStream("/watermark.jpg")); // Indicate that the watermark should display during the last 15 // seconds of the video. InvideoTiming watermarkTiming = new InvideoTiming(); watermarkTiming.setType("offsetFromEnd"); watermarkTiming.setDurationMs(BigInteger.valueOf(15000l)); watermarkTiming.setOffsetMs(BigInteger.valueOf(15000l)); InvideoBranding invideoBranding = new InvideoBranding(); invideoBranding.setTiming(watermarkTiming); youtube.watermarks().set(channelId, invideoBranding, mediaContent).execute(); } catch (GoogleJsonResponseException e) { System.err.println("GoogleJsonResponseException code: " + e.getDetails().getCode() + " : " + e.getDetails().getMessage()); e.printStackTrace(); } catch (IOException e) { System.err.println("IOException: " + e.getMessage()); e.printStackTrace(); } } }
PHP
The code sample below calls the API's channelBanners.insert
method to upload an image. With the returned URL, the sample calls channels.update
method to update channel's banner to this image.
En este ejemplo se utiliza la biblioteca cliente PHP.
<?php /** * This sample sets a custom banner for a user's channel by: * * 1. Uploading a banner image with "youtube.channelBanners.insert" method via resumable upload * 2. Getting user's channel object with "youtube.channels.list" method and "mine" parameter * 3. Updating channel's banner external URL with "youtube.channels.update" method * * @author Ibrahim Ulukaya */ /** * Library Requirements * * 1. Install composer (https://getcomposer.org) * 2. On the command line, change to this directory (api-samples/php) * 3. Require the google/apiclient library * $ composer require google/apiclient:~2.0 */ if (!file_exists(__DIR__ . '/vendor/autoload.php')) { throw new \Exception('please run "composer require google/apiclient:~2.0" in "' . __DIR__ .'"'); } require_once __DIR__ . '/vendor/autoload.php'; session_start(); /* * You can acquire an OAuth 2.0 client ID and client secret from the * Google API Console <https://console.cloud.google.com/> * For more information about using OAuth 2.0 to access Google APIs, please see: * <https://developers.google.com/youtube/v3/guides/authentication> * Please ensure that you have enabled the YouTube Data API for your project. */ $OAUTH2_CLIENT_ID = 'REPLACE_ME'; $OAUTH2_CLIENT_SECRET = 'REPLACE_ME'; $client = new Google_Client(); $client->setClientId($OAUTH2_CLIENT_ID); $client->setClientSecret($OAUTH2_CLIENT_SECRET); $client->setScopes('https://www.googleapis.com/auth/youtube'); $redirect = filter_var('http://' . $_SERVER['HTTP_HOST'] . $_SERVER['PHP_SELF'], FILTER_SANITIZE_URL); $client->setRedirectUri($redirect); // Define an object that will be used to make all API requests. $youtube = new Google_Service_YouTube($client); // Check if an auth token exists for the required scopes $tokenSessionKey = 'token-' . $client->prepareScopes(); if (isset($_GET['code'])) { if (strval($_SESSION['state']) !== strval($_GET['state'])) { die('The session state did not match.'); } $client->authenticate($_GET['code']); $_SESSION[$tokenSessionKey] = $client->getAccessToken(); header('Location: ' . $redirect); } if (isset($_SESSION[$tokenSessionKey])) { $client->setAccessToken($_SESSION[$tokenSessionKey]); } // Check to ensure that the access token was successfully acquired. if ($client->getAccessToken()) { $htmlBody = ''; try{ // REPLACE with the path to your file that you want to upload for thumbnail $imagePath = "/path/to/file.jpg"; // Specify the size of each chunk of data, in bytes. Set a higher value for // reliable connection as fewer chunks lead to faster uploads. Set a lower // value for better recovery on less reliable connections. $chunkSizeBytes = 1 * 1024 * 1024; // Setting the defer flag to true tells the client to return a request which can be called // with ->execute(); instead of making the API call immediately. $client->setDefer(true); $chan = new Google_Service_YouTube_ChannelBannerResource(); // Create a request for the API's channelBanners.insert method to upload the banner. $insertRequest = $youtube->channelBanners->insert($chan); // Create a MediaFileUpload object for resumable uploads. $media = new Google_Http_MediaFileUpload( $client, $insertRequest, 'image/jpeg', null, true, $chunkSizeBytes ); $media->setFileSize(filesize($imagePath)); // Read the media file and upload it chunk by chunk. $status = false; $handle = fopen($imagePath, "rb"); while (!$status && !feof($handle)) { $chunk = fread($handle, $chunkSizeBytes); $status = $media->nextChunk($chunk); } fclose($handle); // If you want to make other calls after the file upload, set setDefer back to false $client->setDefer(false); $thumbnailUrl = $status['url']; // Call the API's channels.list method with mine parameter to fetch authorized user's channel. $listResponse = $youtube->channels->listChannels('brandingSettings', array( 'mine' => 'true', )); $responseChannel = $listResponse[0]; $responseChannel['brandingSettings']['image']['bannerExternalUrl']=$thumbnailUrl; // Call the API's channels.update method to update branding settings of the channel. $updateResponse = $youtube->channels->update('brandingSettings', $responseChannel); $bannerMobileUrl = $updateResponse["brandingSettings"]["image"]["bannerMobileImageUrl"]; $htmlBody .= "<h3>Thumbnail Uploaded</h3><ul>"; $htmlBody .= sprintf('<li>%s</li>', $thumbnailUrl); $htmlBody .= sprintf('<img src="%s">', $bannerMobileUrl); $htmlBody .= '</ul>'; } catch (Google_Service_Exception $e) { $htmlBody .= sprintf('<p>A service error occurred: <code>%s</code></p>', htmlspecialchars($e->getMessage())); } catch (Google_Exception $e) { $htmlBody .= sprintf('<p>An client error occurred: <code>%s</code></p>', htmlspecialchars($e->getMessage())); } $_SESSION[$tokenSessionKey] = $client->getAccessToken(); } elseif ($OAUTH2_CLIENT_ID == 'REPLACE_ME') { $htmlBody = <<<END <h3>Client Credentials Required</h3> <p> You need to set <code>\$OAUTH2_CLIENT_ID</code> and <code>\$OAUTH2_CLIENT_ID</code> before proceeding. <p> END; } else { // If the user hasn't authorized the app, initiate the OAuth flow $state = mt_rand(); $client->setState($state); $_SESSION['state'] = $state; $authUrl = $client->createAuthUrl(); $htmlBody = <<<END <h3>Authorization Required</h3> <p>You need to <a href="$authUrl">authorize access</a> before proceeding.<p> END; } ?> <!doctype html> <html> <head> <title>Banner Uploaded and Set</title> </head> <body> <?=$htmlBody?> </body> </html>
Python #1
El siguiente ejemplo de código invoca el método channels.update
de la API para establecer las propiedades invideoPromotion
para el canal.
En este ejemplo se utiliza la biblioteca cliente Python.
#!/usr/bin/python import httplib2 import os import sys from apiclient.discovery import build from apiclient.errors import HttpError from oauth2client.client import flow_from_clientsecrets from oauth2client.file import Storage from oauth2client.tools import argparser, run_flow # The CLIENT_SECRETS_FILE variable specifies the name of a file that contains # the OAuth 2.0 information for this application, including its client_id and # client_secret. You can acquire an OAuth 2.0 client ID and client secret from # the Google API Console at # https://console.cloud.google.com/. # Please ensure that you have enabled the YouTube Data API for your project. # For more information about using OAuth2 to access the YouTube Data API, see: # https://developers.google.com/youtube/v3/guides/authentication # For more information about the client_secrets.json file format, see: # https://developers.google.com/api-client-library/python/guide/aaa_client_secrets CLIENT_SECRETS_FILE = "client_secrets.json" # This variable defines a message to display if the CLIENT_SECRETS_FILE is # missing. MISSING_CLIENT_SECRETS_MESSAGE = """ WARNING: Please configure OAuth 2.0 To make this sample run you will need to populate the client_secrets.json file found at: %s with information from the API Console https://console.cloud.google.com/ For more information about the client_secrets.json file format, please visit: https://developers.google.com/api-client-library/python/guide/aaa_client_secrets """ % os.path.abspath(os.path.join(os.path.dirname(__file__), CLIENT_SECRETS_FILE)) # This OAuth 2.0 access scope allows for full read/write access to the # authenticated user's account. YOUTUBE_SCOPE = "https://www.googleapis.com/auth/youtube" YOUTUBE_API_SERVICE_NAME = "youtube" YOUTUBE_API_VERSION = "v3" # If offsetMs is not valid, the API will throw an error VALID_OFFSET_TYPES = ("offsetFromEnd", "offsetFromStart",) def get_authenticated_service(args): flow = flow_from_clientsecrets(CLIENT_SECRETS_FILE, scope=YOUTUBE_SCOPE, message=MISSING_CLIENT_SECRETS_MESSAGE) storage = Storage("%s-oauth2.json" % sys.argv[0]) credentials = storage.get() if credentials is None or credentials.invalid: credentials = run_flow(flow, storage, args) return build(YOUTUBE_API_SERVICE_NAME, YOUTUBE_API_VERSION, http=credentials.authorize(httplib2.Http())) def add_featured_video(youtube, options): add_video_request = youtube.channels().update( part="invideoPromotion", # You can use the API Explorer to test API requests: # https://developers.google.com/youtube/v3/docs/channels/update#try-it body={ "invideoPromotion": { "items": [{ "id": { "type": "video", "videoId": options.video_id }, "timing": { "offsetMs": options.offset_ms, "type": options.offset_type } }], }, "id": options.channel_id }).execute() if __name__ == '__main__': argparser.add_argument("--channel-id", required=True, help="Channel ID of the channel to add a featured video") argparser.add_argument("--video-id", required=True, help="Video ID to feature on your channel") argparser.add_argument("--offset-ms", help="Offset in milliseconds to show video.", default="10000") argparser.add_argument("--offset-type", choices=VALID_OFFSET_TYPES, help="Whether the offset is from the beginning or end of video playback.", default=VALID_OFFSET_TYPES[0]) args = argparser.parse_args() youtube = get_authenticated_service(args) try: add_featured_video(youtube, args) except HttpError, e: print "An HTTP error %d occurred:\n%s" % (e.resp.status, e.content) else: print "Added featured video %s to channel %s." % ( args.video_id, args.channel_id)
Python #2
The code sample below calls the API's channelBanners.insert
method to upload an image. With the returned URL, the sample calls channels.update
method to update channel's banner to this image.
En este ejemplo se utiliza la biblioteca cliente Python.
#!/usr/bin/python # This sample sets a custom banner to user's channel by: # # 1. Uploading a banner image with "youtube.channelBanners.insert" method via resumable upload # 2. Getting user's channel object with "youtube.channels.list" method and "mine" parameter # 3. Updating channel's banner external URL with "youtube.channels.update" method # # @author Ibrahim Ulukaya import httplib import httplib2 import os import random import sys import time from apiclient.discovery import build from apiclient.errors import HttpError from apiclient.http import MediaFileUpload from oauth2client.client import flow_from_clientsecrets from oauth2client.file import Storage from oauth2client.tools import argparser, run_flow # Explicitly tell the underlying HTTP transport library not to retry, since # we are handling retry logic ourselves. httplib2.RETRIES = 1 # Maximum number of times to retry before giving up. MAX_RETRIES = 10 # Always retry when these exceptions are raised. RETRIABLE_EXCEPTIONS = (httplib2.HttpLib2Error, IOError, httplib.NotConnected, httplib.IncompleteRead, httplib.ImproperConnectionState, httplib.CannotSendRequest, httplib.CannotSendHeader, httplib.ResponseNotReady, httplib.BadStatusLine) # Always retry when an apiclient.errors.HttpError with one of these status # codes is raised. RETRIABLE_STATUS_CODES = [500, 502, 503, 504] # CLIENT_SECRETS_FILE, name of a file containing the OAuth 2.0 information for # this application, including client_id and client_secret. You can acquire an # ID/secret pair from the APIs & auth tab at # https://cloud.google.com/console # For more information about using OAuth2 to access Google APIs, please visit: # https://developers.google.com/accounts/docs/OAuth2 # For more information about the client_secrets.json file format, please visit: # https://developers.google.com/api-client-library/python/guide/aaa_client_secrets # Please ensure that you have enabled the YouTube Data API for your project. CLIENT_SECRETS_FILE = "client_secrets.json" # An OAuth 2 access scope that allows for full read/write access. YOUTUBE_READ_WRITE_SCOPE = "https://www.googleapis.com/auth/youtube" YOUTUBE_API_SERVICE_NAME = "youtube" YOUTUBE_API_VERSION = "v3" # Helpful message to display if the CLIENT_SECRETS_FILE is missing. MISSING_CLIENT_SECRETS_MESSAGE = """ WARNING: Please configure OAuth 2.0 To make this sample run you will need to populate the client_secrets.json file found at: %s with information from the APIs Console https://cloud.google.com/console For more information about the client_secrets.json file format, please visit: https://developers.google.com/api-client-library/python/guide/aaa_client_secrets """ % os.path.abspath(os.path.join(os.path.dirname(__file__), CLIENT_SECRETS_FILE)) def get_authenticated_service(args): flow = flow_from_clientsecrets(CLIENT_SECRETS_FILE, scope=YOUTUBE_READ_WRITE_SCOPE, message=MISSING_CLIENT_SECRETS_MESSAGE) storage = Storage("%s-oauth2.json" % sys.argv[0]) credentials = storage.get() if credentials is None or credentials.invalid: credentials = run_flow(flow, storage, args) return build(YOUTUBE_API_SERVICE_NAME, YOUTUBE_API_VERSION, http=credentials.authorize(httplib2.Http())) def upload_banner(youtube, image_file): insert_request = youtube.channelBanners().insert( media_body = MediaFileUpload(image_file, chunksize=-1, resumable=True) ) image_url = resumable_upload(insert_request) set_banner(image_url) def resumable_upload(insert_request): response = None error = None retry = 0 while response is None: try: print "Uploading file..." status, response = insert_request.next_chunk() if 'url' in response: print "Banner was successfully uploaded to '%s'." % ( response['url']) else: exit("The upload failed with an unexpected response: %s" % response) except HttpError, e: if e.resp.status in RETRIABLE_STATUS_CODES: error = "A retriable HTTP error %d occurred:\n%s" % (e.resp.status, e.content) else: raise except RETRIABLE_EXCEPTIONS, e: error = "A retriable error occurred: %s" % e if error is not None: print error retry += 1 if retry > MAX_RETRIES: exit("No longer attempting to retry.") max_sleep = 2 ** retry sleep_seconds = random.random() * max_sleep print "Sleeping %f seconds and then retrying..." % sleep_seconds time.sleep(sleep_seconds) return response['url'] def set_banner(banner_url): channels_response = youtube.channels().list( mine=True, part="brandingSettings" ).execute() if "brandingSettings" not in channels_response["items"][0]: channels_response["items"][0]["brandingSettings"]["image"]["bannerExternalUrl"] = [] channel_brandingSettings = channels_response["items"][0]["brandingSettings"] channel_brandingSettings["image"]["bannerExternalUrl"] = banner_url channels_update_response = youtube.channels().update( part='brandingSettings', body=dict( brandingSettings=channel_brandingSettings, id = channels_response["items"][0]["id"] )).execute() banner_mobile_url = channels_update_response["brandingSettings"]["image"]["bannerMobileImageUrl"] print "Banner is set to '%s'." % (banner_mobile_url) if __name__ == "__main__": argparser.add_argument("--file", required=True, help="Path to banner image file.") args = argparser.parse_args() if not os.path.exists(args.file): exit("Please specify a valid file using the --file= parameter.") youtube = get_authenticated_service(args) try: upload_banner(youtube, args.file) except HttpError, e: print "An HTTP error %d occurred:\n%s" % (e.resp.status, e.content) else: print "The custom banner was successfully uploaded."
Errores
En la tabla a continuación se identifican los mensajes de error que la API podría mostrar en respuesta a una invocación a este método. Consulta la documentación sobre mensajes de error para obtener más información.
Tipo de error | Detalle del error | Descripción |
---|---|---|
badRequest |
brandingValidationError |
Ocurrió un error en la validación de uno de los valores del objeto brandingSettings . Utiliza el método channels.list para recuperar la configuración existente del canal y actualiza los valores de la propiedad siguiendo las pautas de la documentación de recursos channels . |
badRequest |
invalidBrandingOption |
Una de las configuraciones del desarrollo de la marca que especificaste no existe. Utiliza el método channels.list para recuperar los valores válidos y asegúrate de actualizarlos siguiendo las pautas de la documentación de recursos channels . |
badRequest |
invalidCornerPosition |
Los metadatos de la solicitud especifican una posición de esquina no válida para identificar la ubicación en la que aparecerá el elemento promocionado. Comprueba el valor de la propiedad invideoPromotion.position.cornerPosition en el recurso que envió la solicitud. |
badRequest |
invalidItemType |
Los metadatos de la solicitud especifican un tipo de elemento no válido en la parte . Comprueba el valor de la propiedad invideoPromotion.items[].type en el recurso que envió la solicitud. |
badRequest |
invalidPositionOffset |
Los metadatos de la solicitud especifican un tipo de posición no válido para determinar cómo el elemento promovido se ubica en el reproductor de video. Comprueba el valor de la propiedad invideoPromotion.position.type en el recurso que envió la solicitud. |
badRequest |
invalidTimingOffset |
Los metadatos de la solicitud especifican una equidistancia de sincronización no válida para determinar cuándo el elemento promovido debe mostrarse en el reproductor de video. Comprueba el valor de la propiedad invideoPromotion.timing.offsetMs en el recurso que envió la solicitud. |
badRequest |
invalidTimingType |
Los metadatos de la solicitud especifican un método de sincronización no válido para determinar cuándo el elemento promovido debe mostrarse en el reproductor de video. Comprueba el valor de la propiedad invideoPromotion.timing.type en el recurso que envió la solicitud. |
forbidden |
channelForbidden |
El canal especificado en el parámetro id no admite la solicitud |
notFound |
channelNotFound |
El canal especificado por el parámetro id no se puede encontrar o no tiene opciones de marca. |
notFound |
unknownChannelId |
No se puede encontrar el canal que la solicitud de la API está intentando actualizar. Comprueba el valor de la propiedad id en el recurso channel que la solicitud envió para asegurarte de que el ID del canal es correcto. |
notFound |
unknownVideoId |
No se puede encontrar la identificación de video especificada como un elemento promocionado. |
required |
requiredCornerPosition |
Los metadatos de la solicitud deben especificar una posición de esquina para que YouTube pueda determinar dónde mostrar el elemento promovido en el reproductor. Establece el valor de la propiedad invideoPromotion.position.cornerPosition en el recurso que envía la solicitud. |
required |
requiredItemType |
Los metadatos de la solicitud deben especificar el tipo de elemento promovido. Establece el valor de la propiedad invideoPromotion.items[].type en el recurso que envía la solicitud. |
required |
requiredPositionOffset |
Los metadatos de la solicitud deben especificar un tipo de posición para que YouTube pueda determinar cómo mostrar el elemento promovido. Establece el valor de la propiedad invideoPromotion.position.type en el recurso que envía la solicitud. |
required |
requiredTimingOffset |
Los metadatos de la solicitud deben especificar una equidistancia de sincronización para que YouTube pueda determinar cuándo mostrar el elemento promovido. Establece el valor de la propiedad invideoPromotion.timing.offsetMs en el recurso que envía la solicitud. |
required |
requiredTimingType |
Los metadatos de la solicitud deben especificar un método de sincronización para que YouTube pueda determinar cuándo mostrar el elemento promovido. Establece el valor de la propiedad invideoPromotion.timing.type en el recurso que envía la solicitud. |
required |
requiredVideoId |
Los metadatos de la solicitud deben especificar una identificación de video para identificar el elemento promocionado. |
¡Pruébalo!
Utiliza el Explorador de la API para invocar este método con datos en directo y ver la solicitud y la respuesta de la API.