En termes de structure de données, j’ai un tableau de communications, chaque ID_communication contenant lui-même trois informations: id, score et contenu.
Je veux imploser ce tableau afin d'obtenir une liste d'identifiants séparés par des virgules, comment puis-je procéder?
PHP 5.5 introduit array_column
qui est un raccourci pratique pour toute une classe d'utilisation de array_map
; il est également applicable ici.
$ids = array_column($communications, 'id');
$output = implode(',', $ids);
Vous devez créer un tableau d’identifiants uniques dans votre tableau de communications. Alors l'implosion serait triviale.
Conseil: la fonction correspondante est array_map
.
Solution:
Suppose que PHP 5.3, sinon vous devrez écrire le rappel sous forme de chaîne.
$ids = array_map(function($item) { return $item['id']; }, $communications);
$output = implode(',', $ids);
Vous pouvez jeter un oeil à array_walk_recursive function. Ceci est un extrait fonctionnel de la création d'un tableau récursif en conversion de chaîne:
$array =
array(
"1" => "PHP code tester Sandbox Online",
"foo" => "bar",
5 ,
5 => 89009,
"case" => "Random Stuff",
"test" =>
array(
"test" => "test221",
"test2" => "testitem"
),
"PHP Version" => phpversion()
);
$string="";
$callback =
function ($value, $key) use (&$string) {
$string .= $key . " = " . $value . "\n";
};
array_walk_recursive($array, $callback);
echo $string;
## 1 = PHP code tester Sandbox Online
## foo = bar
## 2 = 5
## 5 = 89009
## case = Random Stuff
## test = test221
## test2 = testitem
## PHP Version = 7.1.3
De http://snipplr.com/view.php?codeview&id=10187 :
class Format {
static public function arr_to_csv_line($arr) {
$line = array();
foreach ($arr as $v) {
$line[] = is_array($v) ? self::arr_to_csv_line($v) : '"' . str_replace('"', '""', $v) . '"';
}
return implode(",", $line);
}
static public function arr_to_csv($arr) {
$lines = array();
foreach ($arr as $v) {
$lines[] = self::arr_to_csv_line($v);
}
return implode("\n", $lines);
}
}
ce commentaire basé sur la solution @jon, ajoutez simplement un bloc de code fonctionnel
mais je dois utiliser la boucle parce que array_map n'accepte pas le second paramètre
function array_column_implode($data_array = array(),$key = 'id', $delimiter = ',')
{
if (function_exists('array_column'))
{
return implode($delimiter, array_column($data_array, $key));
}
else
{
$new_data_array = array();
foreach ($data_array as $value) {
if (isset($value[$key]))
{
$new_data_array[] = $value[$key];
}
}
return implode($delimiter, $new_data_array);
}
}
Pour ceux qui recherchent une réponse, voici ce que j'ai pu faire:
$singleDimensionalArray = array();
foreach($array["1"]["2"]["3"][...] as $value) {
$singleDimensionalArray[] = $value;
}
J'ai utilisé cela avec un tableau en 3 dimensions.