我正在使用以下代码将任何网址转换为以http://
或https://
开头的网址
但是这个函数使用精确类型的URL作为示例存在问题
$url = 'www.youtube.com/watch?v=_ss'; // url without http://
function convertUrl ($url){
$parts = parse_url($url);
$returl = "";
if (empty($parts['scheme'])){
$returl = "http://".$parts['path'];
} else if ($parts['scheme'] == 'https'){
$returl = "https://".$parts['host'].$parts['path'];
} else {
$returl = $url;
}
return $returl;
}
$url = convertUrl($url);
echo $url;
输出
http://www.youtube.com/watch
我想要的预期输出
http://www.youtube.com/watch?v=_ss
因为我主要用它来修复没有http://
的任何网址所以有没有办法编辑这个功能,所以它可以传递所有网址=_
,如示例所示!因为它真的很烦我〜谢谢
答案 0 :(得分:5)
你想得到:
$query = $parts['query'];
因为这是网址的查询部分。
您可以修改您的功能来执行此操作:
function convertUrl ($url){
$parts = parse_url($url);
$returl = "";
if (empty($parts['scheme'])){
$returl = "http://".$parts['path'];
} else if ($parts['scheme'] == 'https'){
$returl = "https://".$parts['host'].$parts['path'];
} else {
$returl = $url;
}
// Define variable $query as empty string.
$query = '';
if ($parts['query']) {
// If the query section of the URL exists, concatenate it to the URL.
$query = '?' . $parts['query'];
}
return $returl . $query;
}
答案 1 :(得分:2)
如果您真正关心的只是传递过的网址的第一部分,那么替代方法又如何?
$pattern = '#^http[s]?://#i';
if(preg_match($pattern, $url) == 1) { // this url has proper scheme
return $url;
} else {
return 'http://' . $url;
}
答案 2 :(得分:2)
<?php
$url1 = 'www.youtube.com/watch?v=_ss';
$url2 = 'http://www.youtube.com/watch?v=_ss';
$url3 = 'https://www.youtube.com/watch?v=_ss';
function urlfix($url) {
return preg_replace('/^.*www\./',"https://www.",$url);
}
echo urlfix($url1)."\n";
echo urlfix($url2),"\n";
echo urlfix($url3),"\n";
输出:
https://www.youtube.com/watch?v=_ss
https://www.youtube.com/watch?v=_ss
https://www.youtube.com/watch?v=_ss