How can I write a function to check whether the provided URLs is youtube or vimeo?
For instance, I have this two URLs that I store in a database as strings,
http://vimeo.com/24456787
http://www.youtube.com/watch?v=rj18UQjPpGA&feature=player_embedded
If the URL is youtube then I will rewrite the URL to,
http://www.youtube.com/embed/rj18UQjPpGA?rel=0&wmode=transparent
If the URL is vimeo then I will rewrite this URL to,
http://vimeo.com/moogaloop.swf?clip_id=24456787
Thanks.
Use the parse_url
function to split the URL up and then just do your normal checks
$url = 'http://www.youtube.com/watch?v=rj18UQjPpGA&feature=player_embedded';
$parsed = parse_url($url);
Will give you this array
array
'scheme' => string 'http' (length=4)
'host' => string 'www.youtube.com' (length=15)
'path' => string '/watch' (length=6)
'query' => string 'v=rj18UQjPpGA&feature=player_embedded' (length=37)
I recently wrote this function to do exactly this, hopefully it's useful to someone:
/**
* [determineVideoUrlType used to determine what kind of url is being submitted here]
* @param string $url either a YouTube or Vimeo URL string
* @return array will return either "youtube","vimeo" or "none" and also the video id from the url
*/
public function determineVideoUrlType($url) {
$yt_rx = '/^((?:https?:)?\/\/)?((?:www|m)\.)?((?:youtube\.com|youtu.be))(\/(?:[\w\-]+\?v=|embed\/|v\/)?)([\w\-]+)(\S+)?$/';
$has_match_youtube = preg_match($yt_rx, $url, $yt_matches);
$vm_rx = '/(https?:\/\/)?(www\.)?(player\.)?vimeo\.com\/([a-z]*\/)*([0-9]{6,11})[?]?.*/';
$has_match_vimeo = preg_match($vm_rx, $url, $vm_matches);
//Then we want the video id which is:
if($has_match_youtube) {
$video_id = $yt_matches[5];
$type = 'youtube';
}
elseif($has_match_vimeo) {
$video_id = $vm_matches[5];
$type = 'vimeo';
}
else {
$video_id = 0;
$type = 'none';
}
$data['video_id'] = $video_id;
$data['video_type'] = $type;
return $data;
}
As others have noted in the comments, this is a quick and dirty solution that does not handle edge cases well. If the url contains "youtube"(example.com/youtube) it will return a false positive. The parse_url()
solution mentioned below is a much more robust solution.
Regular expressions work well for this type of thing, but often strpos
or substr
are faster performance wise. Check out the PHP documentation for preg_match()
. Below the examples there is a note for exactly this thing.
Here is prototype code:
function videoType($url) {
if (strpos($url, 'youtube') > 0) {
return 'youtube';
} elseif (strpos($url, 'vimeo') > 0) {
return 'vimeo';
} else {
return 'unknown';
}
}
Obviously returning a string isn't the best idea, but you get the point. Substitute your own business logic.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With