이 글에서는 PHP7.x 각 버전의 새로운 기능을 소개합니다. 도움이 필요한 친구들이 모두 참고할 수 있기를 바랍니다.
지난달에 동료가 제가
$a = $a ?? '';
를 쓰는 것을 보고 이 글쓰기 방식이 무엇인지 물었습니다. 다른 글쓰기 방식이 있나요? PHP7 이상에서만 가능한 글쓰기 방법이라고 하더군요. 그는 모른다고 말했다.
저는 마음 속으로 중얼거리며 이 블로그를 쓰기로 했습니다.
PHP7은 기본에 더해 현대적인 PHP여야 합니다. PHP7에서는 강력한 유형 정의와 결합된 비교 연산자와 같은 일부 문법적 작성 방법인 Define()이 배열 및 기타 기능을 정의할 수 있기 때문입니다. 정식 소개는 PHP7.0부터 시작됩니다. 향후 새로운 버전이 추가될 예정이며, 순차적으로 추가될 예정입니다.
자, 시작해 보겠습니다
스칼라 유형이란 무엇입니까?
php5에는 클래스 이름, 인터페이스, 배열 및 콜백 함수가 있습니다. PHP에는 문자열, 정수, 부동 소수점 및 부울이 추가되었습니다. 아래의 예를 살펴보겠습니다. 모든 것에 대한 예를 살펴보세요네 가지 스칼라 유형:
boolean(부울)
integer(정수)
float(부동 소수점, double이라고도 함)
string(문자열)
두 가지 복합 유형:
array(배열)
객체(object) 리소스는 외부 리소스에 대한 참조를 보유하는 특수 변수입니다. 리소스는 특화된 기능을 통해 생성되고 사용됩니다. 리소스 유형 변수는 파일 열기, 데이터베이스 연결, 그래픽 캔버스 영역 등을 위한 특수 핸들입니다. 더 쉽게 말하면 스칼라 유형은 변수를 정의하는 데이터 유형입니다.
function typeInt(int $a) { echo $a; } typeInt('sad'); // 运行,他讲会报错 Fatal error: Uncaught TypeError: Argument 1 passed to type() must be of the type integer, string given
function typeString(string $a) { echo $a; } typeString('sad'); //sad
<?php function returnArray(): array { return [1, 2, 3, 4]; } print_r(returnArray()); /*Array ( [0] => 1 [1] => 2 [2] => 3 [3] => 4 ) */
function returnErrorArray(): array { return '1456546'; } print_r(returnErrorArray()); /* Array Fatal error: Uncaught TypeError: Return value of returnArray() must be of the type array, string returned in */
<?php $username = $_GET['user'] ?? 'nobody'; //这两个是等效的 当不存在user 则返回?? 后面的参数 $username = isset($_GET['user']) ? $_GET['user'] : 'nobody'; ?>
// 整数 echo 1 <=> 1; // 0 当左边等于右边的时候,返回0 echo 1 <=> 2; // -1 当左边小于右边,返回-1 echo 2 <=> 1; // 1 当左边大于右边,返回1 // 浮点数 echo 1.5 <=> 1.5; // 0 echo 1.5 <=> 2.5; // -1 echo 2.5 <=> 1.5; // 1 // 字符串 echo "a" <=> "a"; // 0 echo "a" <=> "b"; // -1 echo "b" <=> "a"; // 1
define('ANIMALS', [ 'dog', 'cat', 'bird' ]); echo ANIMALS[1]; // 输出 "cat"
// PHP 7 之前的代码 use some\namespace\ClassA; use some\namespace\ClassB; use some\namespace\ClassC as C; use function some\namespace\fn_a; use function some\namespace\fn_b; use function some\namespace\fn_c; use const some\namespace\ConstA; use const some\namespace\ConstB; use const some\namespace\ConstC; // PHP 7+ 及更高版本的代码 use some\namespace\{ClassA, ClassB, ClassC as C}; use function some\namespace\{fn_a, fn_b, fn_c}; use const some\namespace\{ConstA, ConstB, ConstC};
echo "\u{aa}"; //ª echo "\u{0000aa}"; //ª echo "\u{9999}"; //香
<?php interface Logger { public function log(string $msg); } class Application { private $logger; public function getLogger(): Logger { return $this->logger; } public function setLogger(Logger $logger) { $this->logger = $logger; } } $app = new Application; $app->setLogger(new class implements Logger { //这里就是匿名类 public function log(string $msg) { echo $msg; } });
<?php function testReturn(): ?string { return 'elePHPant'; } var_dump(testReturn()); //string(10) "elePHPant" function testReturn(): ?string { return null; } var_dump(testReturn()); //NULL function test(?string $name) { var_dump($name); } test('elePHPant'); //string(10) "elePHPant" test(null); //NULL test(); //Uncaught Error: Too few arguments to function test(), 0 passed in...
<?php function swap(&$left, &$right) : void { if ($left === $right) { return; } $tmp = $left; $left = $right; $right = $tmp; } $a = 1; $b = 2; var_dump(swap($a, $b), $a, $b);
<?php try { // some code } catch (FirstException | SecondException $e) { //用 | 来捕获FirstException异常,或者SecondException 异常 }
<?php use Foo\Bar\{ Foo, Bar, Baz, };
<?php abstract class A { abstract function test(string $s); } abstract class B extends A { // overridden - still maintaining contravariance for parameters and covariance for return abstract function test($s) : int; }
<?php function test(object $obj) : object //这里 可以输入对象 { return new SplQueue(); } test(new StdClass());
<?php class User { public int $id; public string $name; } ?>
<?php $factor = 10; $nums = array_map(fn($n) => $n * $factor, [1, 2, 3, 4]); // $nums = array(10, 20, 30, 40); ?>
<?php $array['key'] ??= computeDefault(); // 类似与这个 if (!isset($array['key'])) { $array['key'] = computeDefault(); } ?>
위 내용은 PHP7.x 각 버전의 새로운 기능은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!