温馨提示×

php strchr怎样处理未找到情况

PHP
小樊
81
2024-12-07 12:53:38
栏目: 编程语言

在PHP中,strchr函数用于在一个字符串中查找第一次出现某个特定字符的位置

function strchr_or_null($haystack, $needle) {
    $position = strpos($haystack, $needle);
    return $position !== false ? $position : null;
}

$haystack = 'Hello, world!';
$needle = 'w';

$result = strchr_or_null($haystack, $needle);

if ($result !== null) {
    echo "The position of the first occurrence of '$needle' in '$haystack' is: " . $result;
} else {
    echo "The needle '$needle' was not found in the haystack '$haystack'.";
}

在这个示例中,我们创建了一个名为strchr_or_null的自定义函数,它接受两个参数:一个字符串(haystack)和一个要查找的字符(needle)。我们使用strpos函数来查找字符的位置,如果找到了(即strpos返回的不是false),则返回该位置;否则返回null。然后我们使用这个函数来查找字符串'Hello, world!'中字符'w'的位置,并根据结果输出相应的信息。

0