YouTube Vimeo Video ID from Embed Code or From URL with PHP Regular Expression RegEx

Aditya P Bhatt picture Aditya P Bhatt · Feb 23, 2011 · Viewed 15.5k times · Source

I want to get Video ID for YouTube or Vimeo via its Embed code or from URL, Any solution to do this with PHP ?

Answer

Jason Plank picture Jason Plank · Mar 10, 2011

You could use preg_match to get the IDs. I will cover the expressions themselves later in this answer, but here is the basic idea of how to use preg_match:

preg_match('expression(video_id)', "http://www.your.url.here", $matches);
$video_id = $matches[1];

Here is a breakdown of the expressions for each type of possible input you asked about. I included a link for each showing some test cases and the results.

  1. For YouTube URLs such as http://www.youtube.com/watch?v=89OpN_277yY, you could use this expression:

    v=(.{11})
    
  2. YouTube embed codes can either look like this (some extraneous stuff clipped):

    <object width="640" height="390">
        <param name="movie" value="http://www.youtube.com/v/89OpN_277yY?fs=...
        ...
    </object>
    

    Or like this:

    <iframe ... src="http://www.youtube.com/embed/89OpN_277yY" ... </iframe>
    

    So an expression to get the ID from either style would be this:

    \/v\/(.{11})|\/embed\/(.{11})
    
  3. Vimeo URLs look like http://vimeo.com/<integer>, as far as I can tell. The lowest I found was simply http://vimeo.com/2, and I don't know if there's an upper limit, but I'll assume for now that it's limited to 10 digits. Hopefully someone can correct me if they are aware of the details. This expression could be used:

    vimeo\.com\/([0-9]{1,10})
    
  4. Vimeo embed code takes this form:

    <iframe src="http://player.vimeo.com/video/<integer>" width="400" ...
    

    So you could use this expression:

    player\.vimeo\.com\/video\/([0-9]{1,10})
    

    Alternately, if the length of the numbers may eventually exceed 10, you could use:

    player\.vimeo\.com\/video/([0-9]*)"
    

    Bear in mind that the " will need to be escaped with a \ if you are enclosing the expression in double quotes.


In summary, I'm not sure how you wanted to implement this, but you could either combine all expressions with |, or you could match each one separately. Add a comment to this answer if you want me to provide further details on how to combine the expressions.