PHP 中已经有一个名为ucwords的函数,它与我需要的正好相反。
有没有这样的名为 lcwords 的 php 库?其中不是将每个单词的第一个大写,而是将它们转换为小写。
谢谢。
这是一个单行:
implode(' ', array_map(function($e) { return lcfirst($e); }, explode(' ', $words)))
示例:
function lcwords($words) {
return implode(' ', array_map(function($e) { return lcfirst($e); }, explode(' ', $words)));
}
$words = "First Second Third";
$lowercased_words = lcwords($words);
echo($lowercased_words);
$string = "THIS IS SOME TEXT";
$string=explode(" ",$string);
$i=0;
while($i<count($string)){
$string[$i] = lcfirst($string[$i]);
$i++;
}
echo implode(" ",$string);
在此链接上找到另一个功能。
这可能对你有帮助
$str="hello";
$test=substr($str, 0,1);
$test2=substr($str, 1,strlen($str));
echo $test.strtoupper($test2);
我不得不用正则表达式试一试:
<?php
$pattern = "/(\b[a-zA-Z])(\w)/";
$string = "ThIs is A StriNG x y z!";
// This seems to work
$result = preg_replace_callback($pattern, function($matches) {
return (strtolower($matches[1]).$matches[2]);
}, $string);
echo $result;
echo "\r\n";
//This also seems to do the trick. Note that mb_ doesn't use /
echo mb_ereg_replace('(\b[a-zA-Z])(\w{0,})', "strtolower('\\1') . '\\2'", $string, 'e');
// I wanted this to work but it didn't produce the expected result:
echo preg_replace($pattern, strtolower("\$1") . "\$2", $string);
echo "\r\n";
更短的单线:
implode(' ',array_map('lcfirst',explode(' ',$text)))
function lcwords(string $str) :string
{
return preg_replace_callback('/(?<=^|\s)\w/', function (array $match) :string {
return strtolower($match[0]);
}, $str);
}
我知道这个话题很古老,但问题仍然存在,这是一种耻辱(lcwords()
即使现在也没有)。
这是lcwords()
将每个单词的每个首字母小写。
简单地说:这个解决方案是通用的,任何标点符号都不应该成为问题。当然,你要为此付出代价:)
/**
* Lowercase the first character of each word in a string
*
* @param string $string The input string.
* @param string $delimiters The optional delimiters contains the word separator characters (regular expression)
*
* @return string Returns the modified string.
*/
function lcwords($string, $delimiters = "\W_\t\r\n\f\v") {
$string = preg_replace_callback("/([$delimiters])(\w)/", function($match) {
return $match[1].lcfirst($match[2]);
}, $string);
return lcfirst($string); // Uppercase first char if it's the beginning of the line
}
// Here is a couple of result examples:
echo lcwords("/SuperModule/ActionStyle/Controller.php").PHP_EOL;
// result: /superModule/actionStyle/controller.php
echo lcwords("SEPARATED\tBY TABS\nAND\rSPACES").PHP_EOL;
// result: sEPARATED bY tABS aND sPACES
echo lcwords("HELLO").PHP_EOL;
// result: hELLO
echo lcwords("HEELO HOW-ARE_YOU").PHP_EOL;
// result: hEELO hOW-aRE_yOU
echo lcwords("SEPARATED\tBY TABS\nAND\rSPACES").PHP_EOL;
// result: sEPARATED bY tABS aND sPACES
/([$delimiters])(\w)/
- 模式有两组:搜索 1 个非单词字符,后跟 1 个单词字符。然后单词字符将在回调中大写。所以只有选定的字符集得到更新——内容的最小变化。
谷歌中的“字符串php中每个单词的第一个字符小写”,这是您得到的第一个响应:http: //php.net/manual/en/function.lcfirst.php