Come posso esplodere una stringa di uno o più spazi o schede?
Esempio:
A B C D
Voglio renderlo un array.
Come posso esplodere una stringa di uno o più spazi o schede?
Esempio:
A B C D
Voglio renderlo un array.
Risposte:
$parts = preg_split('/\s+/', $str);
$parts = preg_split('/\s+/', $str, -1, PREG_SPLIT_NO_EMPTY);
L'autore ha chiesto di esplodere, a te puoi usare esplodere in questo modo
$resultArray = explode("\t", $inputString);
Nota: è necessario utilizzare la doppia virgoletta, non singola.
Penso che tu voglia preg_split
:
$input = "A B C D";
$words = preg_split('/\s+/', $input);
var_dump($words);
invece di usare explode, prova preg_split: http://www.php.net/manual/en/function.preg-split.php
Per tenere conto di uno spazio a larghezza intera come
full width
puoi estendere la risposta di Bens a questo:
$searchValues = preg_split("@[\s+ ]@u", $searchString);
fonti:
(Non ho abbastanza reputazione per pubblicare un commento, quindi ho scritto questo come risposta.)
Le risposte fornite da altre persone (Ben James) sono abbastanza buone e le ho usate. Come sottolineato dall'utente889030, l'ultimo elemento dell'array potrebbe essere vuoto. In realtà, il primo e l'ultimo elemento dell'array possono essere vuoti. Il codice seguente risolve entrambi i problemi.
# Split an input string into an array of substrings using any set
# whitespace characters
function explode_whitespace($str) {
# Split the input string into an array
$parts = preg_split('/\s+/', $str);
# Get the size of the array of substrings
$sizeParts = sizeof($parts);
# Check if the last element of the array is a zero-length string
if ($sizeParts > 0) {
$lastPart = $parts[$sizeParts-1];
if ($lastPart == '') {
array_pop($parts);
$sizeParts--;
}
# Check if the first element of the array is a zero-length string
if ($sizeParts > 0) {
$firstPart = $parts[0];
if ($firstPart == '')
array_shift($parts);
}
}
return $parts;
}
Explode string by one or more spaces or tabs in php example as follow:
<?php
$str = "test1 test2 test3 test4";
$result = preg_split('/[\s]+/', $str);
var_dump($result);
?>
/** To seperate by spaces alone: **/
<?php
$string = "p q r s t";
$res = preg_split('/ +/', $string);
var_dump($res);
?>
@OP non importa, puoi semplicemente dividerlo su uno spazio con esplodere. Fino a quando non si desidera utilizzare tali valori, scorrere i valori esplosi e eliminare gli spazi vuoti.
$str = "A B C D";
$s = explode(" ",$str);
foreach ($s as $a=>$b){
if ( trim($b) ) {
print "using $b\n";
}
}