Строка PHP для вложенного / многомерного массива

У меня есть пример строки php:

$ string = "@ [item_1] [door] @ [mozart] [grass] = yes @ [mozart] [green] = no @ [mozart] [human] @ [blue] [movie] = yes @ [item_1] [ beat] = yes @ [item_1] [music] = no ";

теперь $ string idented просто для легкого просмотра:

  1. @ [Item_1] [двери]
    • @ [mozart] [трава] = да
    • @ [mozart] [зеленый] = нет
    • @ [Моцарт] [человек]
      • @ [Синий] [фильм] = да
    • @ [item_1] [beat] = yes
    • @ [item_1] [музыка] = нет

Я хочу знать, как я могу получить эту строку (или другую строку, следующую за этим стилем), и преобразовать в массив, который выглядит так:

Array ( [item_1] => Array ( [door] => Array ( [mozart] => Array ( [grass] => yes [green] => no [human] => Array ( [blue] => Array ( [movie] => yes ) ) ) ) [beat] => yes [music] => no ) ) 

Что я пробовал

Я попытался использовать и рекурсивную функцию для создания вложенного массива, но я не могу получить доступ к указателю массива (на глубоких уровнях) в рекурсивных функциях. Не знаю, почему .. Возможно, это неправильный патч для ответа. Спасибо,

Хорошо, я надеюсь, что вам все еще нужно это, потому что я потратил больше времени, чем хотел бы, чтобы администратор понял это правильно 🙂

В основном, мой подход состоял в том, чтобы сначала манипулировать строкой в ​​формате [set] [of] [keys] = value, а затем прокручивать строку ключей и сравнивать их с последним набором ключей для создания правильной иерархии ключей. Я использовал eval, потому что это проще, но вы можете написать функцию замены, если вы не можете видеть эту функцию в своем коде:

 //FIRST WE GET THE STRING INTO EASIER TO WORK WITH CHUNKS $original_string = "@[item_1][door] @[mozart][grass] = yes @[mozart][green] = no @[mozart][human] @[blue][movie]=yes @[item_1][beat] = yes @[item_1][music] = no "; $cleaned_string = str_replace('] @[','][',$original_string); /* This results in clusters of keys that equal a value: @[item_1][door][mozart][grass] = yes @[mozart][green] = no @[mozart][human][blue][movie]=yes @[item_1][beat] = yes @[item_1][music] = no OR (with line breaks for clarity): @[item_1][door][mozart][grass] = yes @[mozart][green] = no @[mozart][human][blue][movie]=yes @[item_1][beat] = yes @[item_1][music] = no */ //break it up into an array: $elements = explode('@',$cleaned_string); //create a variable to compare the last string to $last_keys = ""; //and another that will serve as our final array $array_of_arrays = array(); //now loop through each [item_1][door][mozart][grass] = yes,[mozart][green] = no, etc foreach($elements as $element){ if ($element==""){continue;} //skip the first empty item //break the string into [0] = group of keys and [1] the value that terminates the string //so [item_1][door][mozart][grass] = yes BECOMES [item_1][door][mozart][grass], AND yes $pieces = explode('=',str_replace(array('[',']'),array("['","']"),trim($element))); //now compare this set of keys to the last set of keys, and if they overlap merge them into a single key string $clean_keys = combine_key_strings($pieces[0],$last_keys); //set the new key string the value for the next comparison $last_keys = $clean_keys; //and (ugly, I know) we use an eval to convert "[item_1][door][mozart][grass]='yes'" into a properly keyed array eval("\$array_of_arrays".$clean_keys." = '".trim($pieces[1])."';"); } //now dump the contents print_r($array_of_arrays); //THIS FUNCTION COMPA function combine_key_strings($new,$old){ //get the key that starts the newer string $new_keys = explode('][',$new); $first_key = $new_keys[0].']'; //see if it appears in the last string $last_occurance = strrpos ($old,$first_key); //if so, merge the two strings to create the full array keystring if (is_int($last_occurance)){ return substr($old,0,$last_occurance).$new; } return $new; } 

Это должно выплюнуть ваш правильно вложенный массив:

 Array ( [item_1] => Array ( [door] => Array ( [mozart] => Array ( [grass] => yes [green] => no [human] => Array ( [blue] => Array ( [movie] => yes ) ) ) ) [beat] => yes [music] => no ) ) 

Доброй ночи!