Closed. This question is opinion-based。它当前不接受答案。
想改善这个问题吗?更新问题,以便editing this post用事实和引用来回答。
7个月前关闭。
Improve this question
我正在阅读有关PHP中的三元和空合并运算符并进行了一些实验。
所以,而不是写
并没有使用空合并或三元运算符来缩短代码,而是尝试进一步使用空合并来缩短代码,但没有“ else”部分,因为我并不是真正需要的。我搜索了它,发现了一些我不想要的解决方案。
我尝试过,两种解决方案都有效!
注意没有;在上面一行的末尾。
我的问题是:这是可接受的代码吗?我认为可能很难用评论来解释它,因为一段时间后可能会增加可读性。
抱歉,如果有类似问题,我真的没有时间检查所有问题,因为Stack Overflow提出了很多建议。
这将是一个“完整”的代码示例:
请注意
被评估为
如果您之后添加另一个
想改善这个问题吗?更新问题,以便editing this post用事实和引用来回答。
7个月前关闭。
Improve this question
我正在阅读有关PHP中的三元和空合并运算符并进行了一些实验。
所以,而不是写
if (isset($array['array_key']))
{
$another_array[0]['another_array_key'] = $array['array_key'];
}
else
{
// Do some code here...
}
并没有使用空合并或三元运算符来缩短代码,而是尝试进一步使用空合并来缩短代码,但没有“ else”部分,因为我并不是真正需要的。我搜索了它,发现了一些我不想要的解决方案。
我尝试过,两种解决方案都有效!
$another_array[0]['another_array_key'] = $array['array_key'] ??
$another_array[0]['another_array_key'] = $array['array_key'] ? :
print_r($another_array);
注意没有;在上面一行的末尾。
我的问题是:这是可接受的代码吗?我认为可能很难用评论来解释它,因为一段时间后可能会增加可读性。
抱歉,如果有类似问题,我真的没有时间检查所有问题,因为Stack Overflow提出了很多建议。
这将是一个“完整”的代码示例:
<?php
$another_array = [];
$array = [
'name' => 'Ivan The Terrible',
'mobile' => '1234567890',
'email' => '[email protected]'
];
if (isset($array['name']))
{
$another_array[0]['full_name'] = $array['name'];
}
$another_array[0]['occupation'] = $array['occupation'] ??
// or $another_array[0]['occupation'] = $array['occupation'] ? :
print_r($another_array);
最佳答案
重用性,可维护性...如果要测试许多可能的数组键,然后将它们添加或不添加到最终数组中,则不会阻止您创建第三个数组,该数组将保留要检查并循环遍历的键:
<?php
$another_array = [];
$array = [
'name' => 'Ivan The Terrible',
'mobile' => '1234567890',
'email' => '[email protected]'
];
$keysToCheck = [
// key_in_the_source_array => key_in_the_target
'name' => 'full_name',
'occupation' => 'occupation'
// if you want to test more keys, just add them there
];
foreach ($keysToCheck as $source => $target)
{
if (isset($array[$source]))
{
$another_array[0][$target] = $array[$source];
}
}
print_r($another_array);
请注意
$another_array[0]['occupation'] = $array['occupation'] ??
print_r($another_array);
被评估为
$another_array[0]['occupation'] = $array['occupation'] ?? print_r($another_array);
如果您之后添加另一个
print_r($another_array);
,您会注意到由于the return value of $another_array[0]['occupation'] => true
10-02 15:27