我试图检查字符串是否以http开头。我该怎么核对呢?
http
$string1 = 'google.com'; $string2 = 'http://www.google.com';
使用# EYZ1:
if (strpos($string2, 'http') === 0) { // It starts with 'http' }
记住三个等号(===)。如果你只用两个,它就不能正常工作。这是因为如果在干草堆中找不到针,strpos()将返回false。
===
strpos()
false
使用< >强str_starts_with < / >强函数:
str_starts_with('http://www.google.com', 'http')
使用< >强substr < / >强函数返回字符串的一部分。
substr( $string_n, 0, 4 ) === "http"
如果你想确保这不是另一种协议。我将使用http://代替,因为https也会匹配,以及其他东西,如http-protocol.com。
http://
substr( $string_n, 0, 7 ) === "http://"
总的来说:
substr($string, 0, strlen($query)) === $query
还有strncmp()函数和strncasecmp()函数,非常适合这种情况:
strncmp()
strncasecmp()
if (strncmp($string_n, "http", 4) === 0)
一般来说:
if (strncmp($string_n, $prefix, strlen($prefix)) === 0)
与substr()方法相比,strncmp()只做需要做的事情,而不创建临时字符串。
substr()
您可以使用下面的小函数检查字符串是以http还是https开头的。
function has_prefix($string, $prefix) { return substr($string, 0, strlen($prefix)) == $prefix; } $url = 'http://www.google.com'; echo 'the url ' . (has_prefix($url, 'http://') ? 'does' : 'does not') . ' start with http://'; echo 'the url ' . (has_prefix($url, 'https://') ? 'does' : 'does not') . ' start with https://';
您可以使用一个简单的正则表达式(用户viriathus的更新版本,因为eregi已弃用)
eregi
if (preg_match('#^http#', $url) === 1) { // Starts with http (case sensitive). }
或者如果你想要不区分大小写的搜索
if (preg_match('#^http#i', $url) === 1) { // Starts with http (case insensitive). }
正则表达式允许执行更复杂的任务
if (preg_match('#^https?://#i', $url) === 1) { // Starts with http:// or https:// (case insensitive). }
性能方面,你不需要创建一个新的字符串(不像substr),也不需要解析整个字符串,如果它不是以你想要的开始。第一次使用正则表达式(你需要创建/编译它)会有性能损失。
这个扩展维护一个编译规则的全局线程缓存 表达式(最多4096)。 # EYZ0 < / p >