Fiddle Links: codice sorgente - Anteprima -
Aggiornamento versione piccola : questa piccola funzione eseguirà il codice in una sola direzione. Se desideri un supporto completo (ad es. Listener / getter di eventi), dai un'occhiata a Listening for Youtube Event in jQuery
Come risultato di un'analisi approfondita del codice, ho creato una funzione: function callPlayer
richiede una chiamata di funzione su qualsiasi video YouTube con cornice. Consulta il riferimento API YouTube per ottenere un elenco completo di possibili chiamate di funzione. Leggi i commenti sul codice sorgente per una spiegazione.
Il 17 maggio 2012, la dimensione del codice è stata raddoppiata per occuparsi dello stato pronto del giocatore. Se hai bisogno di una funzione compatta che non si occupa dello stato pronto del lettore, vedi http://jsfiddle.net/8R5y6/ .
/**
* @author Rob W <gwnRob@gmail.com>
* @website https://stackoverflow.com/a/7513356/938089
* @version 20190409
* @description Executes function on a framed YouTube video (see website link)
* For a full list of possible functions, see:
* https://developers.google.com/youtube/js_api_reference
* @param String frame_id The id of (the div containing) the frame
* @param String func Desired function to call, eg. "playVideo"
* (Function) Function to call when the player is ready.
* @param Array args (optional) List of arguments to pass to function func*/
function callPlayer(frame_id, func, args) {
if (window.jQuery && frame_id instanceof jQuery) frame_id = frame_id.get(0).id;
var iframe = document.getElementById(frame_id);
if (iframe && iframe.tagName.toUpperCase() != 'IFRAME') {
iframe = iframe.getElementsByTagName('iframe')[0];
}
// When the player is not ready yet, add the event to a queue
// Each frame_id is associated with an own queue.
// Each queue has three possible states:
// undefined = uninitialised / array = queue / .ready=true = ready
if (!callPlayer.queue) callPlayer.queue = {};
var queue = callPlayer.queue[frame_id],
domReady = document.readyState == 'complete';
if (domReady && !iframe) {
// DOM is ready and iframe does not exist. Log a message
window.console && console.log('callPlayer: Frame not found; id=' + frame_id);
if (queue) clearInterval(queue.poller);
} else if (func === 'listening') {
// Sending the "listener" message to the frame, to request status updates
if (iframe && iframe.contentWindow) {
func = '{"event":"listening","id":' + JSON.stringify(''+frame_id) + '}';
iframe.contentWindow.postMessage(func, '*');
}
} else if ((!queue || !queue.ready) && (
!domReady ||
iframe && !iframe.contentWindow ||
typeof func === 'function')) {
if (!queue) queue = callPlayer.queue[frame_id] = [];
queue.push([func, args]);
if (!('poller' in queue)) {
// keep polling until the document and frame is ready
queue.poller = setInterval(function() {
callPlayer(frame_id, 'listening');
}, 250);
// Add a global "message" event listener, to catch status updates:
messageEvent(1, function runOnceReady(e) {
if (!iframe) {
iframe = document.getElementById(frame_id);
if (!iframe) return;
if (iframe.tagName.toUpperCase() != 'IFRAME') {
iframe = iframe.getElementsByTagName('iframe')[0];
if (!iframe) return;
}
}
if (e.source === iframe.contentWindow) {
// Assume that the player is ready if we receive a
// message from the iframe
clearInterval(queue.poller);
queue.ready = true;
messageEvent(0, runOnceReady);
// .. and release the queue:
while (tmp = queue.shift()) {
callPlayer(frame_id, tmp[0], tmp[1]);
}
}
}, false);
}
} else if (iframe && iframe.contentWindow) {
// When a function is supplied, just call it (like "onYouTubePlayerReady")
if (func.call) return func();
// Frame exists, send message
iframe.contentWindow.postMessage(JSON.stringify({
"event": "command",
"func": func,
"args": args || [],
"id": frame_id
}), "*");
}
/* IE8 does not support addEventListener... */
function messageEvent(add, listener) {
var w3 = add ? window.addEventListener : window.removeEventListener;
w3 ?
w3('message', listener, !1)
:
(add ? window.attachEvent : window.detachEvent)('onmessage', listener);
}
}
Uso:
callPlayer("whateverID", function() {
// This function runs once the player is ready ("onYouTubePlayerReady")
callPlayer("whateverID", "playVideo");
});
// When the player is not ready yet, the function will be queued.
// When the iframe cannot be found, a message is logged in the console.
callPlayer("whateverID", "playVideo");
Possibili domande (e risposte):
D : Non funziona!
A : "Non funziona" non è una descrizione chiara. Ricevi messaggi di errore? Si prega di mostrare il codice pertinente.
Q : playVideo
non riproduce il video.
A : La riproduzione richiede l'interazione dell'utente e la presenza di allow="autoplay"
sull'iframe. Vedi https://developers.google.com/web/updates/2017/09/autoplay-policy-changes e https://developer.mozilla.org/en-US/docs/Web/Media/Autoplay_guide
D : Ho incorporato un video di YouTube utilizzando <iframe src="http://www.youtube.com/embed/As2rZGPGKDY" />
ma la funzione non esegue alcuna funzione!
A : È necessario aggiungere ?enablejsapi=1
alla fine del tuo URL: /embed/vid_id?enablejsapi=1
.
D : Viene visualizzato il messaggio di errore "È stata specificata una stringa non valida o non valida". Perché?
A : L'API non funziona correttamente su un host locale ( file://
). Ospita la tua pagina (test) online o usa JSFiddle . Esempi: vedere i collegamenti nella parte superiore di questa risposta.
Q : Come lo sapevi?
A : Ho impiegato del tempo per interpretare manualmente l'origine dell'API. Ho concluso che dovevo usare il postMessage
metodo. Per sapere quali argomenti passare, ho creato un'estensione di Chrome che intercetta i messaggi. Il codice sorgente per l'estensione può essere scaricato qui .
D : Quali browser sono supportati?
A : Ogni browser che supporta JSON e postMessage
.
- IE 8+
- Firefox 3.6+ (in realtà 3.5, ma è
document.readyState
stato implementato in 3.6)
- Opera 10.50+
- Safari 4+
- Chrome 3+
Risposta / implementazione correlate: dissolvenza in un video incorniciato utilizzando il
supporto API completo di jQuery : ascolto dell'evento Youtube
nell'API ufficiale di jQuery : https://developers.google.com/youtube/iframe_api_reference
Cronologia delle revisioni
- 17 MAGGIO 2012
Implemented onYouTubePlayerReady
: callPlayer('frame_id', function() { ... })
.
Le funzioni vengono messe automaticamente in coda quando il giocatore non è ancora pronto.
- 24 luglio 2012
Aggiornato e testato successivamente nei browser supportati (guarda avanti).
- 10 ottobre 2013 Quando una funzione viene passata come argomento,
callPlayer
forza un controllo di prontezza. Questo è necessario, perché quando callPlayer
viene chiamato subito dopo l'inserimento dell'iframe mentre il documento è pronto, non può sapere con certezza che l'iframe è completamente pronto. In Internet Explorer e Firefox, questo scenario ha provocato una chiamata troppo precoce postMessage
, che è stata ignorata.
- 12 dic 2013, si consiglia di aggiungere
&origin=*
l'URL.
- 2 marzo 2014, raccomandazione ritirata da rimuovere
&origin=*
all'URL.
- 9 aprile 2019, risolto bug che causava una ricorsione infinita quando YouTube carica prima che la pagina fosse pronta. Aggiungi una nota sulla riproduzione automatica.