收集整理了一些 PHP7
的新特性。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
| <?php
declare(strict_types = 1);
function paramInt(int ...$value)
{
return array_sum($value);
}
function paramFloat(float ...$value)
{
return array_values($value);
}
function paramString(string ...$value)
{
return implode(',', $value);
}
function paramBool(bool ...$value)
{
return $value;
}
var_dump(paramInt(1, 2, 3));
var_dump(paramFloat(1.1, 2.2, 3.3));
var_dump(paramString('a', 'b', 'c'));
var_dump(paramBool(true, false));
// 结果
int(6)
array(3) {
[0] =>
double(1.1)
[1] =>
double(2.2)
[2] =>
double(3.3)
}
string(5) "a,b,c"
array(2) {
[0] =>
bool(true)
[1] =>
bool(false)
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
| <?php
declare(strict_types = 1);
function returnInt(int ...$value) : int
{
return array_sum($value);
}
function returnFloat(float ...$value) : float
{
return array_sum($value);
}
function returnString(string ...$value) : string
{
return implode(',', $value);
}
function returnBool(bool $value) : bool
{
return $value ? true : false;
}
function returnArray(array ...$value) : array
{
return $value;
}
var_dump(returnInt(1, 2, 3));
var_dump(returnFloat(1.1, 2.2, 3.3));
var_dump(returnString('a', 'b', 'c'));
var_dump(returnBool(true));
var_dump(returnArray(['hello'], ['world'], ['!']));
// 结果
int(6)
double(6.6)
string(5) "a,b,c"
bool(true)
array(3) {
[0] =>
array(1) {
[0] =>
string(5) "hello"
}
[1] =>
array(1) {
[0] =>
string(5) "world"
}
[2] =>
array(1) {
[0] =>
string(1) "!"
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
| <?php
// 判断 UID 是否存在
$uid = isset($_REQUEST['uid']) ? $_REQUEST['uid'] : 'unknown';
// 上面的代码可以替换为如下代码
$uid = $_REQUEST['uid'] ?? 'unknown';
// 如果 SESSION 中不存在 UID,就取 REQUEST 中的 UID
$uid = $_SESSION['uid'] ?? $_REQUEST['uid'] ?? 'unknown';
var_dump($uid);
// 结果
string(7) "unknown"
|
还有这种操作?当然有,且看如下实例。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
| <?php
// PHP7 之前
function compare($a, $b)
{
if ($a == $b) {
return 0;
}
return ($a > $b) ? 1 : -1;
}
$a = $b = [
'e' => 70,
'd' => 10,
'b' => 80,
'a' => 20,
'c' => 90,
];
uasort($a, 'compare');
print_r($a);
// 结果
Array
(
[d] => 10
[a] => 20
[e] => 70
[b] => 80
[c] => 90
)
// PHP7
function after_compare($a, $b)
{
return $a <=> $b;
}
uksort($b, 'after_compare');
print_r($b);
// 结果
Array
(
[a] => 20
[b] => 80
[c] => 90
[d] => 10
[e] => 70
)
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
| <?php
define('ROLES', [
'ADMIN',
'MANAGER',
'USER',
]);
var_dump(ROLES[0], ROLES[1], ROLES[2]);
// 结果
string(5) "ADMIN"
string(7) "MANAGER"
string(4) "USER"
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
| <?php
interface Logger
{
public function log(string $msg);
}
class App
{
private $logger;
public function setLogger(Logger $logger)
{
$this->logger = $logger;
}
public function getLogger() : Logger
{
return $this->logger;
}
}
$app = new App();
$app->setLogger(new class implements Logger {
public function log(string $msg)
{
return $msg;
}
});
var_dump($app->getLogger()->log('Hello World!'));
// 结果
string(12) "Hello World!"
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
| <?php
$😄 = '愉快高兴';
$🇨🇳 = '我的祖国';
$🌈 = '雨后彩虹';
$try = "^_^ \u{0050}\u{0048}\u{0050}\u{0037} - \u{1F64F}";
$array = [$😄, $🇨🇳, $🌈, $try];
print_r($array);
Array
(
[0] => 愉快高兴
[1] => 我的祖国
[2] => 雨后彩虹
[3] => ^_^ PHP7 - 🙏
)
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
| <?php
class Object
{
private $name = 'Object Name';
}
// PHP7 之前
$beforeName = function () {
return $this->name;
};
var_dump($beforeName->bindTo(new Object(), 'Object')());
// 结果
string(11) "Object Name"
// PHP7
$afterName = function () {
return $this->name;
};
var_dump($afterName->call(new Object()));
// 结果
string(11) "Object Name"
|
特性旨在提供更安全的方式解包不可靠的数据。它通过白名单的方式来防止潜在的代码注入。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
| <?php
class Test
{
public $name = 'test';
protected $weight = 60;
private $age;
public function __construct()
{
$this->age = 18;
}
public function getAge()
{
return $this->age;
}
}
$test = serialize(new Test());
// 允许解析 class
$a = unserialize($test);
// 将所有的对象都转换为 __PHP_Incomplete_Class 对象,不允许解析 class
$b = unserialize($test, ['allowed_classes' => false]);
// 将除 Test 之外的所有对象都转换为 __PHP_Incomplete_Class 对象,允许解析 class
$c = unserialize($test, ['allowed_classes' => ['Test']]);
// 默认情况下所有的类都是可接受的,等同于省略第二个参数,允许解析 class
$d = unserialize($test, ['allowed_classes' => true]);
print_r([
$a->getAge(),
// $b->getAge(), // PHP Fatal error: main(): The script tried to execute a method or access a property of an incomplete object.
$c->getAge(),
$d->getAge(),
]);
// 结果
Array
(
[0] => 18
[1] => 18
[2] => 18
)
|
需要 intl
扩展。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| <?php
$array = [
'获取 UNICODE 版本' => IntlChar::UNICODE_VERSION,
'获取字符名称' => IntlChar::charName('@'),
'获取中括号匹配的闭合括号' => IntlChar::getBidiPairedBracket('['),
'获取 A 字符的镜像字符' => IntlChar::charMirror('<'),
'判断 ? 是否有镜像字符' => IntlChar::isMirrored('?') ? 'OK' : 'NO',
'获取 codepoint 表示的字符' => IntlChar::chr(65),
];
print_r($array);
// 结果
Array
(
[获取 UNICODE 版本] => 10.0
[获取字符名称] => COMMERCIAL AT
[获取中括号匹配的闭合括号] => ]
[获取 A 字符的镜像字符] => >
[判断 ? 是否有镜像字符] => NO
[获取 codepoint 表示的字符] => A
)
|
指示 | 默认值 | 可能的值 |
---|
zend.assertions | 1 | 1 - 生成并执行代码(开发模式)。2 - 生成代码,但在运行时跳过它。-1 - 不生成代码(生产模式) |
assert.exception | 0 | 1 - 当断言失败时,抛出提供的异常作为异常,或者在示提供异常的情况下抛出新的 AssertionError 对象。0 - 如上所述使用或生成 Throwable ,但只生成基于该对象的警告,而不是抛出它(与 PHP5 行为兼容) |
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
| <?php
ini_set('zend.assertions', 1);
class MyException extends AssertionError
{
}
assert(true == false, new MyException('Some error message'));
echo 'this is a test';
// 结果
PHP Warning: assert(): MyException: Some error message
...
Warning: assert(): MyException: Some error message
...
this is a test
|
1
2
3
4
5
6
7
8
9
10
11
12
13
| <?php
ini_set('zend.assertions', 0);
class MyException extends AssertionError
{
}
assert(true == false, new MyException('Some error message'));
echo 'this is a test';
// 结果
this is a test
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
| <?php
ini_set('zend.assertions', -1);
class MyException extends AssertionError
{
}
assert(true == false, new MyException('Some error message'));
echo 'this is a test';
// 结果
PHP Warning: zend.assertions may be completely enabled or disabled only in php.ini
...
PHP Warning: assert(): MyException: Some error message
...
Warning: zend.assertions may be completely enabled or disabled only in php.ini
...
Warning: assert(): MyException: Some error message
...
this is a test
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
| <?php
ini_set('assert.exception', 1);
class MyException extends AssertionError
{
}
assert(true == false, new MyException('Some error message'));
echo 'this is a test';
// 结果
PHP Fatal error: Uncaught MyException: Some error message
...
Fatal error: Uncaught MyException: Some error message
...
MyException: Some error message
...
注意: this is a test 是没有输出的
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
| <?php
ini_set('assert.exception', 0);
class MyException extends AssertionError
{
}
assert(true == false, new MyException('Some error message'));
echo 'this is a test';
// 结果
PHP Warning: assert(): MyException: Some error message
...
Warning: assert(): MyException: Some error message
...
this is a test
|
版本 | 描述 | 备注 |
---|
7.2.0 | 当 assertion 被废弃时使用字符串。当 assert.active 和 zend.assertions 都设置为 1 时,它会发出 E_DEPRECATED 通知 | |
7.0.0 | assert() 现在是一个语言构造而不是一个函数。assertion 现在可以是一个表达式。第二个参数现在被解释为 exception (如果给出 Throwable 对象),或者 description 从 PHP 5.4.8 起支持 | |
5.4.8 | 添加了 description 参数。description 现在也提供给 ASSERT_CALLBACK 模式下的回调函数作为第四个参数 | |
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
| <?php
// PHP7 之前的代码
use Some\Classes\ClassA;
use Some\Classes\ClassB;
use Some\Classes\ClassC as C;
use function Some\Functions\funca;
use function Some\Functions\funcb;
use function Some\Functions\funcc;
use const Some\Consts\ConstA;
use const Some\Consts\ConstB;
use const Some\Consts\ConstC;
// PHP7 及之后的代码
use Some\Classes\{ClassA, ClassB, ClassC as C};
use function Some\Functions\{funca, funcb, funcc};
use const Some\Functions\{ConstA, ConstB, ConstC};
|
此特性基于 PHP 5.5
版本中引入的生成器特性构建的。 它允许在生成器函数中通过使用 return
语法来返回一个表达式(但是不允许返回引用值),可以通过调用 Generator::getReturn()
方法来获取生成器的返回值,但是这个方法只能在生成器完成产生工作以后调用一次。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
| <?php
$gen = (function () {
yield 1;
yield 2;
return 3;
})();
foreach ($gen as $value) {
echo $value, PHP_EOL;
}
echo $gen::getReturn(), PHP_EOL;
// 结果
1
2
3
|
只需在最外层生成其中使用 yield from
,就可以把一个生成器自动委派给其他的生成器,Traversable
对象或者 array
。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
| <?php
function gen()
{
yield 1;
yield 2;
yield from other();
}
function other()
{
yield 3;
yield 4;
}
foreach (gen() as $value) {
echo $value, PHP_EOL;
}
// 结果
1
2
3
4
|
整型值可以使用十进制、十六进制、八进制或二进制表示,前面可以加上可选的符号(-
或者 +
)。其中,二进制表达的 integer
自 PHP 5.4.0
起可用;要使用八进制表达,数字前必须加上 0
(零);要使用十六进制表达,数字前必须加上 0x
;要使用二进制表达,数字前必须加上 0b
1
2
3
4
5
6
7
| <?php
$value = intdiv(1000, 33);
var_dump($value);
// 结果
int(30)
|
在调用 session_start()
的时候, 传入的选项参数中也支持 session.lazy_write
行为, 默认情况下这个配置项是打开的。它的作用是控制 PHP
只有在会话中的数据发生变化的时候才写入会话存储文件,如果会话中的数据没有发生改变,那么 PHP
会在读取完会话数据之后,立即关闭会话存储文件,不做任何修改,可以通过设置 read_and_close
来实现。
1
2
3
4
5
6
7
8
9
10
11
| <?php
session_start([
'cache_limiter' => 'private',
'read_and_close' => true,
]);
var_dump(ini_get('session.cache_limiter'));
// 结果
string(7) "private"
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
| <?php
// 将字符串中的年份增加一年
$text = "Fools day is 04/01/2017\nChristmas day was 12/24/2017\n";
echo preg_replace_callback(
"|(\d{2}/\d{2}/)(\d{4})|",
function ($match) {
return $match[1] . ($match[2] + 1);
},
$text
);
echo PHP_EOL;
echo preg_replace_callback_array(
[
'|(\d{2}/\d{2}/)(\d{4})|' => function ($match) {
return $match[1] . ($match[2] + 1);
}
],
$text
);
// 结果
Fools day is 04/01/2018
Christmas day was 12/24/2018
Fools day is 04/01/2018
Christmas day was 12/24/2018
|
bin2hex()
- 函数把包含数据的二进制字符串转换为十六进制值。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
| <?php
$array = [
bin2hex(random_bytes(4)),
bin2hex(random_bytes(16)),
random_int(10, 99),
random_int(1000, 9999),
];
print_r($array);
// 结果
Array
(
[0] => 49a44caf
[1] => ae67bae0c8695dc6684dddb31364ea0e
[2] => 59
[3] => 6021
)
|
在 PHP7
中改变了大多数错误的报告方式。不再通过 PHP5
使用的传统错误报告机制来报告错误,现在大多数错误被作为 Error
异常抛出。这种 Error
异常可以像 Exception
异常一样被第一个匹配的 try / catch
块所捕获。如果没有匹配的 catch
块,则调用异常处理函数(事先通过 set_exception_handler()
注册)进行处理。如果尚未注册异常处理函数,则按照传统方式处理:被报告为一个致命错误(Fatal Error
)。
由于错误层次结构不从 Exception
扩展,因此使用 catch(Exception $ e){...}
块处理 PHP5
中未捕获的异常的代码将不会处理此类错误。需要一个 catch(Error $ e){...}
块或一个 set_exception_handler()
处理程序来处理致命错误。

Error
层次结构
1
2
3
4
5
6
7
8
9
| - Throwable
- Error
- ArithmeticError
- DivisionByZeroError
- AssertionError
- ParseError
- TypeError
- Exception
- ...
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
| <?php
class Division
{
protected $value = 100;
public function doDivision() : string
{
try {
$value = $this->value % 0;
} catch (DivisionByZeroError $e) {
return $e->getMessage();
}
}
}
$division = new Division();
print $division->doDivision();
// 结果
Modulo by zero
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
| <?php
class Test
{
public function Test()
{
print __METHOD__;
}
}
new Test();
// 结果
PHP Deprecated : Methods with the same name as their class will
not be constructors in a future version of PHP;
Test has a deprecated constructor in ...
Deprecated : Methods with the same name as their class will
not be constructors in a future version of PHP;
Test has a deprecated constructor in ...
Test::Test
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
| <?php
class Test
{
public function get()
{
print 'non-static call.';
}
}
Test::get();
// 结果
PHP Deprecated: Non-static method Test::get() should not be called statically in ...
...
Deprecated: Non-static method Test::get() should not be called statically in ...
...
non-static call.
|
函数原 salt
不再需要由开发者提供了。函数内部默认带有 salt
能力,无需开发者提供 salt
值
该 capture_session_meta
SSL
上下文选项已被弃用。现在,通过 stream_get_meta_data()
函数使用 SSL
元数据
PHP7+
版本移除了以下 SAPI
。
- aolserver
- apache
- apache_hooks
- apache2filter
- caudium
- continuity
- isapi
- milter
- nsapi
- phttpd
- pi3web
- roxen
- thttpd
- tux
- webjames
- 从
PHP-4.1.0
开始被废弃了 call_user_func()
和 call_user_func_array()
; - 已废弃的
mcrypt_generic_end()
函数已被移除,可以使用 mcrypt_generic_deinit()
代替; - 已废弃的
mcrypt_ecb()
、mcrypt_cbc()
、 mcrypt_cfb()
和 mcrypt_ofb()
函数已被移除; set_magic_quotes_runtime()
(别名:magic_quotes_runtime()
)已被移除;它们在 PHP5.3.0
中已经被废弃,并且在 PHP5.4.0
也由于魔术引号的废弃而失去功能;- 已废弃的
set_socket_blocking()
函数已被移除,您可以使用 stream_set_blocking()
代替; - 在
PHP-FPM
不再使用 dl()
,在 CLI
和 embed SAPIs
中仍可用; GD
库中下列函数被移除:imagepsbbox()
、imagepsencodefont()
、imagepsextendfont()
、imagepsfreefont()
、imagepsloadfont()
、imagepsslantfont()
、imagepstext()
;- 在配置文件
php.ini
中,always_populate_raw_post_data
、asp_tags
、xsl.security_prefs
被移除了;