我在PHP中有一个字符串,我想分开。该字符串是数据库中ID号的串联。
字符串的一个例子如下,但每个ID用“_”分隔的时间可能很长:
ID_1_10_11_12
我想将字符串拆分为以下内容:
ID_1_10_11_12
ID_1_10_11
ID_1_10
ID_1
然后将它们连接在一个按顺序颠倒的新字符串中,然后用空格分隔:
new string =“ID_1 ID_1_10 ID_1_10_11 ID_1_10_11_12”
我无法弄清楚这一点。我试过通过“_”将原始值爆炸成数组,但这只留给我数字。
对于我应该如何解决这个问题,我将不胜感激。作为参考,将这些ID写入复选框的类值,以便可以对父级和子级值进行分组,然后通过jquery函数进行操作。
答案 0 :(得分:1)
可能不是最优雅的方式,如果少于2个ID,它会中断,但这会返回您要求的字符串:
$str = "ID_1_10_11_12";
//creates an array with all elements
$arr = explode("_", $str);
$new_str = ' ID_' . $arr[1];
for ($i=2; $i<count($arr); $i++)
{
$tmp = explode(" ", $new_str);
$new_str .= " " . $tmp[$i-1] . "_" . $arr[$i];
}
$new_str = trim($new_str);
echo $new_str; //echoes ID_1 ID_1_10 ID_1_10_11 ID_1_10_11_12
我没有看到它的可用性,但你去了。
然后您可以简单地explode(" ", $new_str)
,并且您还将拥有一个包含该字符串中所有元素的数组,您可以按照您想要的方式进行横向搜索。
显然,您还可以在if (count($arr) < 3)
之前添加for
,以检查ID
后是否有少于2个数组元素并退出打印$new_str
的函数如果输入少于2个ID数组,则没有trim($new_str)
的空格。
编辑:修剪左边的空格。
答案 1 :(得分:0)
我的测试本地服务器已关闭以验证这一点,但我相信这会有效。
<?php
/*
ID_1_10_11_12
ID_1_10_11
ID_1_10
ID_1
ID_1 ID_1_10 ID_1_10_11 ID_1_10_11_12
*/
$str = "ID_1_10_11_12";
$delim = "_";
$spacer = " ";
$ident = "ID";
$out = "";
// make an array of the IDs
$idList = explode($delim, $str);
// loop through the array
for($cur = 0; $cur >= count($idList); $cur++){
// reset the holder
$hold = $ident;
// loop the number of times as the position beyond 0 we're at
for($pos = -1; $pos > $cur; $pos++){
// add the current id to the holder
$hold .= $delim . $idList[$cur]; // "ID_1"
}
// add a spacer and the holder to the output if we aren't at the beginning,
// otherwise just add the holder
$out .= ($cur != 0 ? $spacer . $hold : $hold); // "ID_1 ID_1_10"
}
// output the result
echo $out;
?>