gpt4 book ai didi

php - 将多次访问的具有常量值的数组放在哪里?

转载 作者:IT王子 更新时间:2023-10-29 01:10:15 26 4
gpt4 key购买 nike

我有一些数组存储一些 3D 打印机命令的可能参数。我用它来检查命令是否合法。我对应该将这些数组放在哪里感到困惑。这些数组将仅在 formatcheck 函数中访问,并且该函数将被多次调用,因为有数千 的命令要检查。我应该将它们作为变量放在 formatcheck 函数中,还是作为私有(private)静态变量放在 formatcheck 函数所在的类的开头?

public function checkFileGcodeFormat()
{
$Ms = array(82, 83, 84, 104, 106, 107, 109, 140, 190);
$Gs = array(0, 1, 20, 21, 28, 90, 91, 92);
$Ts = array(0, 1);
if (
!(
$this->hasM()
&& $this->hasNoXYZ()
&& in_array($this->M, $this->Ms)
)
||
(
$this->hasG()
&& in_array($this->G, $this->Gs)
)
||
(
$this->hasT()
&& $this->hasNoXYZ()
&& in_array($this->T, $this->Ts)
)
)
return false;
else
return true;
}

或:

private static $Ms = array(82, 83, 84, 104, 106, 107, 109, 140, 190);
private static $Gs = array(0, 1, 20, 21, 28, 90, 91, 92);
private static $Ts = array(0, 1);
...
...
public function checkFileGcodeFormat()
{
if (
!(
$this->hasM()
&& $this->hasNoXYZ()
&& in_array($this->M, $this->Ms)
)
||
(
$this->hasG()
&& in_array($this->G, $this->Gs)
)
||
(
$this->hasT()
&& $this->hasNoXYZ()
&& in_array($this->T, $this->Ts)
)
)
return false;
else
return true;
}

最佳答案

TL;DR:使用类常量以获得最佳性能(见答案末尾)。

让我们看看不同版本的性能特点(以及原因):

PHP 5

静态属性中的数组是在编译时创建的,非常快速,无需 VM 参与。虽然访问静态属性比访问普通变量要慢一些,但仍然比每次运行时重新创建数组要快得多。

在任何情况下,每次运行都会在运行时重新创建普通函数中的数组。在 VM 中运行时创建意味着每个元素都在单独的操作码中一个接一个地添加,这意味着相当多的开销(特别是如果数组大于 1-2 个元素时)。

PHP 7.0

由于通常加快了数组创建速度(哈希表处理中的优化),普通函数中的数组[通常]创建得更快一些。如果都是常量值,它会缓存在内部常量值数组中,但在每次访问时都会复制。然而,直接进行高度特化的复制操作显然比在 PHP 5 中将元素一个接一个地添加到数组中要快。

Opcache 在内部将它们标记为 IMMUTABLE,这允许直接访问 [因此您可以通过 opcache 获得全速]。 (另见 https://blog.blackfire.io/php-7-performance-improvements-immutable-arrays.html)

PHP 7.1

数组本身总是缓存在内部常量值数组中,具有写时复制语义。

现在使用静态属性会更慢,因为查找静态属性的性能不如简单地写入变量。 [直接访问变量没有额外的开销。]


另请注意,从 PHP 5.6 开始,您可以使用数组的值声明(类)常量。 PHP 7.1 允许直接替换同一类的类常量,并将数组直接添加到内部常量值数组中,以便直接与 in_array 一起使用。

即最快的代码是(至少 7.1):

private const Ms = array(82, 83, 84, 104, 106, 107, 109, 140, 190);
private const Gs = array(0, 1, 20, 21, 28, 90, 91, 92);
private const Ts = array(0, 1);
...
...
public function checkFileGcodeFormat()
{
if (! ($this->hasM() && $this->hasNoXYZ() && in_array($this->M, self::Ms)) || ($this->hasG() && in_array($this->G, self::Gs)) || ($this->hasT() && $this->hasNoXYZ() && in_array($this->T, self::Ts)) )
return false;
else
return true;
}

关于php - 将多次访问的具有常量值的数组放在哪里?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/38602921/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com