PHP 8 正式发布及新特性,性能提升 10%

最近更新时间 2020-11-28 15:21:15

PHP 8 于2020年11月26日发布,这是一个主版本更新,意味着更多的新功能和性能优化。新特性包括命名参数、联合类型、注解、构造器属性提升、match 表达式、nullsafe 运算符、JIT、并改进了类型系统、错误处理、语法一致性。

新特性

命名参数(Named arguments)

命名参数允许参数传值时指定名称,因此不必考虑参数顺序,可以直接忽略可选参数。

#函数定义
function foo(string $a, string $b, ?string $c = null, ?string $d = null) 
{ /* … */ }

#调用函数
foo(
    b: 'value b', 
    a: 'value a', 
    d: 'value d',
);

注解(Attributes)

可以用 PHP 原生语法来使用结构化的元数据,而非 PHPDoc 声明。

use App\Attributes\ExampleAttribute;

#[ExampleAttribute]
class Foo
{
    #[ExampleAttribute]
    public const FOO = 'foo';
 
    #[ExampleAttribute]
    public $x;
 
    #[ExampleAttribute]
    public function foo(#[ExampleAttribute] $bar) { }
}

构造器属性提升(Constructor property promotion)

可以在构造函数中直接定义类的属性类型,不必再分开定义,如下所示:

#PHP 7
class Point {
  public float $x;
  public float $y;
  public float $z;
  public function __construct(
    float $x = 0.0,
    float $y = 0.0,
    float $z = 0.0,
  ) {
    $this->x = $x;
    $this->y = $y;
    $this->z = $z;
  }
}

#PHP 8
class Point {
  public function __construct(
    public float $x = 0.0,
    public float $y = 0.0,
    public float $z = 0.0,
  ) {}
}

联合类型(Union types)

联合类型表示一个变量可以指定两个或以上的类型。void 不能用作联合类型。nullable 可通过 |null 表示,还可使用 ? 符号。

public function foo(Foo|null $foo): void;

public function bar(?Bar $bar): void;

Match 表达式(Match expression)

Math 表达式类似 switch 语句,可以直接返回结果无需 break 语句,和合并多个条件语句,Math 使用严格比较。如下所示:

$result = match($input) {
    0 => "hello",
    '1', '2', '3' => "world",
};

Nullsafe 运算符(Nullsafe operator)

传统空合并运算符有个很大缺点,需要进行大量检测判断。可以用新的 Nullsafe 运算符链式调用,而不需要条件检查 null。 如果链条中的一个元素失败了,整个链条会中止并认定为 Null。

#PHP 7
$country =  null;
if ($session !== null) {
  $user = $session->user;
  if ($user !== null) {
    $address = $user->getAddress();
 
    if ($address !== null) {
      $country = $address->country;
    }
  }
}


#PHP 8
$country = $session?->user?->getAddress()?->country;

数字和字符串的比较

PHP 8 比较数字和字符串时,会按数字进行比较。不是数字字符串时,将数字转化为字符串,按字符串比较。

#PHP 7
0 == 'foobar' // true


#PHP 8
0 == 'foobar' // false

错误异常

PHP 8 中大多数内部函数在参数验证失败时抛出 Error 级异常。

#PHP 7
strlen([]); // Warning: strlen() expects parameter 1 to be string, array given
array_chunk([], -1); // Warning: array_chunk(): Size parameter expected to be greater than 0



#PHP 8
strlen([]); // TypeError: strlen(): Argument #1 ($str) must be of type string, array given
array_chunk([], -1); // ValueError: array_chunk(): Argument #2 ($length) must be greater than 0

即时编译(JIT)

PHP 8 中包含两个即时编译引擎 Tracing JIT 和 Function JIT,Tracing JIT 在两个中更有潜力,它在综合基准测试中显示了三倍的性能, 并在某些长时间运行的程序中显示了 1.5-2 倍的性能改进。如下图所示:

PHP JIT Performance
rss_feed