有没有办法获得相同值的键范围并创建一个新数组?
假设我们在php中有一个像这样的数组:
$first_array = ['1'=>'a','2'=>'a','3'=>'a','4'=>'b','5'=>'b','6'=>'a','7'=>'a'];
我怎样才能得到这个阵列?这有什么功能吗?
$second_array = ['1-3'=>'a','4-5'=>'b','6-7'=>'a'];
答案 0 :(得分:2)
循环遍历它,提取密钥,生成范围并插入新数组 -
$first_array = ['1'=>'a','2'=>'a','3'=>'a','4'=>'b','5'=>'b'];
$flip = array();
foreach($first_array as $key => $val) {
$flip[$val][] = $key;
}
$second_array = [];
foreach($flip as $key => $value) {
$newKey = array_shift($value).' - '.end($value);
$second_array[$newKey] = $key;
}
<强>输出强>
array(2) {
["1 - 3"]=>
string(1) "a"
["4 - 5"]=>
string(1) "b"
}
答案 1 :(得分:1)
关于你的第一个问题,你可以使用foreach()循环获得每个值的范围。
HttpContext.Current.Response.End();
关于你的第二个问题,不清楚在那里试图实施什么。但是你想做什么就像创建一个带有修改索引的新数组和其他东西可以在这个$first_array = ['1'=>'a','2'=>'a','3'=>'a','4'=>'b','5'=>'b'];
foreach($first_array as $key=>$value)
{
//do your coding here, $key is the index of the array and $value is the value at that range, you can use that index and value to perform array manipulations
}
循环本身中完成
我希望这会对你有所帮助。
答案 2 :(得分:1)
如果有人还在寻找答案,我就是这样做的。 给定数组
$first_array = ['0'=>'a',
'1'=>'a',
'2'=>'a',
'3'=>'a',
'4'=>'a',
'5'=>'b',
'6'=>'b',
'7'=>'a',
'8'=>'a']
我构建了一个多维数组,其中每个元素都是另外三个元素的数组:
[0] - The value in the first array
[1] - The key where the value starts repeating
[2] - The last key where the value stops repeating
代码
$arrayRange = [];
for($i = 0; $i < count($first_array); $i++){
if(count($arrayRange) == 0){
// The multidimensional array is still empty
$arrayRange[0] = array($first_array[$i], $i, $i);
}else{
if($first_array[$i] == $arrayRange[count($arrayRange)-1][0]){
// It's still the same value, I update the value of the last key
$arrayRange[count($arrayRange)-1][2] = $i;
}else{
// It's a new value, I insert a new array
$arrayRange[count($arrayRange)] = array($first_array[$i], $i, $i);
}
}
}
这样你就得到了一个像这样的多维数组:
$arrayRange[0] = array['a', 0, 4];
$arrayRange[1] = array['b', 5, 6];
$arrayRange[2] = array['a', 7, 8];