以下代码:
$string = "1,2,3"
$ids = explode(',', $string);
var_dump($ids);
返回数组:
array(3) {
[0]=>
string(1) "1"
[1]=>
string(1) "2"
[2]=>
string(1) "3"
}
我需要的值是类型int而不是类型字符串。有没有更好的方法来做到这一点比循环通过数组与foreach和转换每个字符串为int?
以下代码:
$string = "1,2,3"
$ids = explode(',', $string);
var_dump($ids);
返回数组:
array(3) {
[0]=>
string(1) "1"
[1]=>
string(1) "2"
[2]=>
string(1) "3"
}
我需要的值是类型int而不是类型字符串。有没有更好的方法来做到这一点比循环通过数组与foreach和转换每个字符串为int?
当前回答
我的解决方案是在回调函数的帮助下转换每个值:
$ids = array_map( function($value) { return (int)$value; }, $ids )
其他回答
PHP 7.4风格:
$ids = array_map(fn(string $x): int => (int) $x, explode(',', $string));
在Mark的解决方案中,如果您试图解析“test”之类的字符串,则将返回数组([0]=> int 0)。
$integerIDs = array_map( 'intval', array_filter( explode(',', $string), 'is_numeric' ) );
如果你有这样的数组:
$runners = ["1","2","3","4"];
如果你想把它们转换成整数并保持在数组中,下面应该做的工作:
$newArray = array_map( create_function('$value', 'return (int)$value;'),
$runners);
这几乎比explosion (), array_map()和intval()快3倍:
$integerIDs = json_decode('[' . $string . ']', true);
另一种更短的方法是:
$r = explode(',', $s);
foreach ($r as &$i) $i = (int) $i;
其性能与方法3相同。