53

I'm getting DOMException: Failed to load because no supported source was found in video.play(); line. I'm getting this issue only after adding video.setAttribute('crossorigin', 'anonymous'); I'm developing app in mobile so for cross origin i need to add this line. After update of chrome 50 version i'm getting this issue before that it works fine.

<!DOCTYPE html>
    <html>
    <head> 
       <script src="http://ajax.googleapis.com/ajax/libs/jquery/1/jquery.min.js"></script>
    </head> 
    <body>  
    <script>     
     var video = document.createElement( 'video' ); 

     video.id = 'video';    
     video.type = ' video/mp4; codecs="theora, vorbis" ';   
     video.src = "http://abcde.com/img/videos/what_is_design_thinking.mp4"; 
     video.volume = .1; 
     video.setAttribute('crossorigin', 'anonymous');    
     video.load(); // must call after setting/changing source   

     $('body').html(video);
     video.play();  

     var canvas = document.createElement('canvas');
     var ctx = canvas.getContext('2d');

     $('body').append(canvas);

     video.addEventListener('play', function() {
       var $this = this; //cache
       (function loop() {
       if (!$this.paused && !$this.ended) {
       ctx.drawImage($this, 0, 0);
       setTimeout(loop, 1000 / 30); // drawing at 30fps
       }
       })();
      }, 0);

    </script>
    </body> 
    </html>
Tamas Hegedus
  • 28,755
  • 12
  • 63
  • 97
Vijay Baskaran
  • 869
  • 2
  • 9
  • 18
  • Im getting the same result without `crossorigin=anonymous`. This leaves us think that the error is right: it complains because the src url is not a video (the url cannot even be resovled). – Tamas Hegedus Jun 07 '16 at 08:47
  • 1
    Check that http://abcde.com/img/videos/what_is_design_thinking.mp4 really exists. Sometime, simply file not exist or return incorrect format file! – Manz Sep 08 '17 at 04:59
  • https://developers.google.com/web/updates/2017/06/play-request-was-interrupted – Dženis H. May 20 '20 at 13:27

14 Answers14

34

This problem occurs in newer Chrome/Chromium browsers starting from v50

From HTMLMediaElement.play() Returns a Promise by Google Developers:

Automatically playing audio and video on the web is a powerful capability, and one that’s subject to different restrictions on different platforms. Today, most desktop browsers will always allow web pages to begin <video> or <audio> playback via JavaScript without user interaction. Most mobile browsers, however, require an explicit user gesture before JavaScript-initiated playback can occur. This helps ensure that mobile users, many of whom pay for bandwidth or who might be in a public environment, don’t accidentally start downloading and playing media without explicitly interacting with the page.

It’s historically been difficult to determine whether user interaction is required to start playback, and to detect the failures that happen when (automatic) playback is attempted and fails. Various workarounds exist, but are less than ideal. An improvement to the underlying play() method to address this uncertainty is long overdue, and this has now made it to the web platform, with an initial implementation in Chrome 50.

A play() call on an a <video> or <audio> element now returns a Promise. If playback succeeds, the Promise is fulfilled, and if playback fails, the Promise is rejected along with an error message explaining the failure. This lets you write intuitive code like the following:

var playPromise = document.querySelector('video').play();

// In browsers that don’t yet support this functionality,
// playPromise won’t be defined.
if (playPromise !== undefined) {
  playPromise.then(function() {
    // Automatic playback started!
  }).catch(function(error) {
    // Automatic playback failed.
    // Show a UI element to let the user manually start playback.
  });
}

In addition to detecting whether the play() method was successful, the new Promise-based interface allows you to determine when the play() method succeeded. There are contexts in which a web browser may decide to delay the start of playback—for instance, desktop Chrome will not begin playback of a <video> until the tab is visible. The Promise won’t fulfill until playback has actually started, meaning the code inside the then() will not execute until the media is playing. Previous methods of determining if play() is successful, such as waiting a set amount of time for a playing event and assuming failure if it doesn’t fire, are susceptible to false negatives in delayed-playback scenarios.

Credits: Failed to load because no supported source was found. when playing HTML5 audio element

Ethan
  • 4,295
  • 4
  • 25
  • 44
Alex Jones
  • 768
  • 9
  • 23
31

I've had the same issue in VueJS. The thing that worked for me was to replace:

const audio = new Audio(required('../assets/sound.mp3')) 
audio.play()

with:

import sound from '../assets/sound.mp3'
const audio = new Audio(sound)
audio.play()
Cosmin Stoian
  • 757
  • 10
  • 15
6

I had the same error and it turned out to be a CORS issue.

Instead of

video.setAttribute('crossorigin', 'anonymous');  

try the more explicit way:

video.crossOrigin = 'anonymous';

And make sure that the server response has the header Access-Control-Allow-Origin: *. Or instead of the asterisk wildcard, specify the domain of the website that is allowed to access the video from the server.

Michael Franzl
  • 1,341
  • 14
  • 19
  • 7
    Please note that in the first version you are setting 'crossorigin', and in the second 'crossOrigin', with a capital O in Origin. That might account for the difference, rather than the different methods. – Per Quested Aronsson May 08 '17 at 15:16
  • 2
    @PerQuestedAronsson I think the attribute name is supposed to be all small case, what Michael has seems correct. https://developer.mozilla.org/en-US/docs/Web/HTML/Element/video – Jun Jun 19 '18 at 23:30
5

I had the same problem with an mp3 file. My solution was to add content to the html through javascript.

Example of HTML where i'm going to put the file to be played.

<span id="audio"></span>

And in javascript:

$('#audio').html('<audio autoplay><source src="audio/ding.mp3"></audio>');

This will play the audio, assuming its the same for video.

Hope it helps

Simon Berton
  • 468
  • 5
  • 13
3

I had the same problem, but the cause was the file name contained a '#'.

Apparently, if the file name contains a '#' I would get net::ERR_FILE_NOT_FOUND if setting the src directly to the string

document.getElementById('audio').src = '../path/x#y.webm';
console.log(document.getElementById('audio').src); // C:\Users\x\y\z\path\x#y.webm

But would get a DOMException: The element has no supported sources. when using node's path.resolve even though the html element's src attribute would be the same

document.getElementById('audio').src = path.resolve('path', 'x#y.webm');
console.log(document.getElementById('audio').src); // C:\Users\x\y\z\path\x#y.webm

Renaming the file name to x-y.webm resolved the issue.

This was using electron on windows, it may not be the case on other os's or on web apps.

junvar
  • 11,151
  • 2
  • 30
  • 46
0

If you are having this error and none of the answers above apply " DOMException: Failed to load because no supported source was found " could mean you opened your code without opening the file containing the audio or video file you wish to play

0

This same error can crop up if you are serving your app/site from localhost (eg during development) with http, and have the files stored in a Cache that you are using match() to determine if the file is in the Cache (or not). In my case, I had to add an option to set 'ignoreVary' to true on the call to match(), either on the call you make explicitly:

await myCache.match(filename, {ignoreVary: true}) // ignoreVary for localhost

or if using workbox in a service worker:

workbox.strategies.cacheOnly({
  cacheName: myCacheName,
  matchOptions: {
    ignoreVary: true, // <- this is the important bit
  },
  plugins: [
    /* bla bla */
  ]
})

Refs: https://developer.mozilla.org/en-US/docs/Web/API/CacheStorage/match https://github.com/GoogleChrome/workbox/issues/1550

Max Waterman
  • 499
  • 6
  • 13
0

I had this same error, and the issue was that the file itself was not set to public, therefore there was no source loading for the file.

therealrodk
  • 386
  • 2
  • 10
0

I'm just learning and made a DrumKit page using Javascript, when I open in live server (Visual Studio Code) it worked perfect, but when upload to github there was no sound... I was watching and reading and find this:

I was using this code enter image description here

and the error was: "Failed to load because no supported source was found".

The way to make it work was so easy like add a dot before / enter image description here

I hope my first contribution help someone with this errors.

  • Your answer could be improved with additional supporting information. Please [edit] to add further details, such as citations or documentation, so that others can confirm that your answer is correct. You can find more information on how to write good answers [in the help center](/help/how-to-answer). – Sachith Muhandiram Dec 04 '22 at 02:05
0

This may help some people, but sometimes this means you have given a nonexistent path to a file. For example:

const Audio = new Audio("/music.mp3")

isn't a file in the root directory, so Javascript throws an error. An easy fix is

const Audio = new Audio("./music.mp3")

, which will check the current directory instead of the root directory.

REMEMBER:

./ = Current directory
/ = Root directory
../ = Parent directory

Leo
  • 33
  • 8
0

In my case it was just an extra slash at the end of my URL. The fact is that I used a CDN for sounds and out of habit added a slash "http://path/name.mp3/". I just removed it ("http://path/name.mp3") and now it works. Maybe it will be useful for someone.

borkafight
  • 487
  • 1
  • 5
  • 10
0

As an addition to answers above - you would want to add some additional features for audio play as follows:

import SoundNewMessage from 'yourPathHere/sound-new-message.mp3';

const newMessageAudio = new Audio(SoundNewMessage);

export const playMessageNotificationAudio = () => {
  // Do not overlap sounds if there are multiple concurrent notifications
  if (newMessageAudio.paused) {
    // DOMException: play() failed because the user didn't interact with the document first.
    // eslint-disable-next-line no-console
    newMessageAudio.play().catch(console.warn);
  }
};


Ismoil Shokirov
  • 2,213
  • 2
  • 16
  • 32
-3
  <!doctype html>
<html lang="en">
<head>
  <meta charset="utf-8">
  <title>append demo</title>
  <style>
  p {
    background: yellow;
  }
  </style>
  <script src="https://code.jquery.com/jquery-1.10.2.js"></script>
</head>
<body>

<p>I would like to say: </p>

<script>
 var video = document.createElement( 'video' ); 

     video.id = 'video';    
     video.type = ' video/mp4; codecs="theora, vorbis" ';   
     video.src = "http://www.w3schools.com/html/mov_bbb.mp4"; 

    // $('body').html(video);
     video.play();  
     video.addEventListener('play', function() {
       var $this = this; //cache
       (function loop() {
       if (!$this.paused && !$this.ended) {      
       setTimeout(loop, 1000 / 30); // drawing at 30fps
       }
       })();
      }, 0);
$( "p" ).append( video );
</script>

</body>
</html>
Gayathri Mohan
  • 2,924
  • 4
  • 19
  • 25
-3

I had this problem in a NodeJS / Electron app. It turned out to be the path to the audio file was wrong.

kurtk
  • 17