我有这个字符串(仅举例):
$string='cat-cat.png-0,dog-dog.jpg-0,phone-nokia.png-1,horse-xyz.png-0';
重新编写此字符串的代码
$string=explode(",", $string);
$i = 0;
$ile=count($string);
while ($i < $ile) {
$a = explode("-", $string[$i]);
if($a[2]==0) $animal .= $a[0].' '.$a[1];
elseif($a[2]==1) $thing .= $a[0].' '.$a[1];
$i++;
}
我需要搜索这个数组并分组:$ animal和$ thing 我知道为什么这段代码不起作用,但我不知道这样做。请帮帮我:)。
答案 0 :(得分:1)
你可以尝试
$string = 'cat-cat.png-0,dog-dog.jpg-0,phone-nokia.png-1,horse-xyz.png-0';
$array = explode(",", $string);
$list = array();
foreach ( $array as $info ) {
list($prifix, $name, $id) = explode("-", $info);
$list[$id][] = $prifix . "-" . $name;
}
var_dump($list);
输出
array
0 =>
array
0 => string 'cat-cat.png' (length=11)
1 => string 'dog-dog.jpg' (length=11)
2 => string 'horse-xyz.png' (length=13)
1 =>
array
0 => string 'phone-nokia.png' (length=15)
答案 1 :(得分:0)
这应该完成任务:
$string = 'cat-cat.png-0,dog-dog.jpg-0,phone-nokia.png-1,horse-xyz.png-0';
$array = explode(',', $string);
$animal = array();
$thing = array();
foreach ($array as $item)
{
$a = explode('-', $item);
if( $a[2] == 1 )
{
$thing[] = $a[0] . ' ' . $a[1];
}
else
{
$animal[] = $a[0] . ' ' . $a[1];
}
}
然后,如果你需要它们作为字符串,你可以在那里内爆。
答案 2 :(得分:0)
如果您举例说明代码应输出的内容,或者您希望实现的结果数组,那么它可能会有所帮助。
如果您完全坚持输入字符串格式,那么您可以使用正则表达式使其更加健壮。类似的东西:
/([^,] *) - (\ d +)/
将匹配文件名和类型,假设类型始终为数字。
例如:
preg_match_all("/([^,]*)-(\d+)/", "cat-cat.png-0,dog-dog.jpg-0,phone-nokia.png-1,horse-xyz.png-0", $matches); var_dump($matches);
$items = array();
foreach ($matches[2] as $key=>$type) {
if (empty($items[$type])) {
$items[$type] = array();
}
$items[$type][] = $matches[1][$key];
}
var_dump($items);
理想情况下,您需要添加更多错误检查,例如检查按预期返回的匹配项。
答案 3 :(得分:0)
如果您的图片名称包含其他字符(例如额外preg_match
或数字),您也可以使用-
来实现它,例如:
$string = 'cat-cat.png-0,dog-snoopy-dog.jpg-0,phone-nokia-6310.png-1,rabbit-bugs-bunny-eating-carrot.png-0,ignore-me';
$tmp = explode(',', $string);
$animals = $things = array();
foreach($tmp as $value)
{
preg_match('/(?P<name>[A-Za-z]+)-(?P<file>[A-Za-z0-9\.-]+)-(?P<number>\d+)/', $value, $matches);
if($matches)
{
switch($matches['number'])
{
case '0':
array_push($animals, sprintf('%s %s', $matches['name'], $matches['file']));
break;
case '1':
array_push($things, sprintf('%s %s', $matches['name'], $matches['file']));
break;
}
}
}
结果:
array (size=3)
0 => string 'cat cat.png' (length=11)
1 => string 'dog snoopy-dog.jpg' (length=18)
2 => string 'rabbit bugs-bunny-eating-carrot.png' (length=35)
array (size=1)
0 => string 'phone nokia-6310.png' (length=20)
答案 4 :(得分:0)
尝试以下代码
// Remove all things and all numbers with preceding hyphens
$animal = trim(preg_replace('/([a-zA-Z\-\.]+\-1,?)|(\-\d+)/', '', $string), ',');
// gives 'cat-cat.png,dog-dog.jpg,horse-xyz.png'
// Remove all animals and all numbers with preceding hyphens
$thing = trim(preg_replace('/([a-zA-Z\-\.]+\-0,?)|(\-\d+)/', '', $string), ',');
// gives 'phone-nokia.png'