0

所以我必须制作一个包含可以填写的文本区域(由空格分隔的单词)的网页。

结果,文本中的每个单词(每行一个单词)都必须显示在屏幕上,其中每个单词的大写都转换为小写,除非正在处理的单词的第一个字母是大写。

示例:''tHIs is the StackoverFlow Site'' 将是 ''this is the Stackoverflow Site'

我知道我必须使用explode()、strotoupper() 和strotolower() 我只是无法让代码正常工作。

4

3 回答 3

2
function lower_tail($str) {
    return $str[0].strtolower(substr($str, 1));
}

$sentence = "tHIs is the StacKOverFlOW SiTE";
$new_sentence = implode(' ', array_map('lower_tail', explode(' ', $sentence)));

更新:

这是处理其他一些情况的更好版本:

$sentence = "Is tHIs, the StacKOverFlOW SiTE?\n(I doN'T know) [A.C.R.O.N.Y.M] 3AM";
$new_sentence = preg_replace_callback(
    "/(?<=\b\w)(['\w]+)/",
    function($matches) { return strtolower($matches[1]); },
    $sentence);
echo $new_sentence; 
// Is this, the Stackoverflow Site?
// (I don't know) [A.C.R.O.N.Y.M] 3am
// OUTPUT OF OLD VERSION:
// Is this, the Stackoverflow Site?
// (i don't know) [a.c.r.o.n.y.m] 3am

(注:PHP 5.3+)

于 2013-10-01T21:46:06.330 回答
1
$text = 'tHIs is the StacKOverFlOW SiTE';
$oldWords = explode(' ', $text);
$newWords = array();

foreach ($oldWords as $word) {
    if ($word[0] == strtoupper($word[0])
        $word = ucfirst(strtolower($word));
    else
        $word = strtolower($word);

    $newWords[] = $word;
}
于 2013-10-01T21:45:09.610 回答
0

我会这样写

$tabtext=explode(' ',$yourtext);
foreach($tabtext as $k=>$v)
{
    $tabtext[$k]=substr($v,0,1).strtolower(substr($v,1));
}
$yourtext=implode(' ',$tabtext);
于 2013-10-01T21:46:14.867 回答