Php 简明教程
PHP - Magic Constants
PHP 中的魔术常量是预定义常量。它们可以供在上面运行的任何脚本使用,并且它们会根据使用位置而改变。与在运行时解决的常规常量不同,所有这些“魔术”常量均在编译时解决。
PHP 中有九个魔术常量。这些特殊常量不区分大小写。
LINE
它返回文件中的当前行号。以下 example 展示了如何使用此魔术常量。
<?php
$x="Hello World";
echo "$x. The current Line number is " . __LINE__ . ".";
?>
它将生成以下 output −
Hello World. The current Line number is 5.
FILE
此魔术常量返回文件的完整路径和文件名。如果在 include 内使用,则返回已包括文件的名字。请看以下 example −
<?php
$x="Hello World";
echo "$x. Current PHP script name is " . __FILE__ . ".";
?>
它将生成以下 output −
Hello World. Current PHP script name is C:\xampp\htdocs\hello.php.
DIR
此魔术常量返回文件的目录。如果在 include 内使用,则返回已包括文件的目录。这相当于“dirname( FILE )”。此目录名称没有尾随斜杠,除非它是根目录。见以下 example −
<?php
$x="Hello World";
echo "$x. Directory of the Current PHP script name is " . __DIR__ . ".";
?>
它将在浏览器上显示以下 output −
Hello World. Directory of the Current PHP script name is C:\xampp\htdocs.
FUNCTION
此魔术常量返回使用常量的功能名称,或匿名功能的 {closure}。以下 example 展示了它是如何工作的 −
<?php
function hello(){
$x="Hello World";
echo "$x. The function name is ". __FUNCTION__ . "";
}
hello();
?>
它将生成以下 output −
Hello World. The function name is hello
如果此魔术常量在功能之外使用,那么它将给空白输出。
CLASS
此常量返回类名称。类名称包含它声明的命名空间。见以下 example −
<?php
class myclass {
public function __construct() {
echo "Inside the constructor of ". __CLASS__ . PHP_EOL;
}
function getClassName(){
echo "from an instance method of " . __CLASS__ . "";
}
}
$obj = new myclass;
$obj->getClassName();
?>
它将生成以下 output −
Inside the constructor of myclass
from an instance method of myclass
METHOD
METHOD 常量返回类方法名称。以下 example 展示了它是如何工作的 −
<?php
class myclass {
public function __construct() {
echo "Calling " . __METHOD__ . " of " . __CLASS__ ."<br>";
}
function mymethod(){
echo "Calling " . __METHOD__ . " of " . __CLASS__ ."";
}
}
$obj = new myclass;
$obj->mymethod();
?>
它将生成以下 output −
Calling myclass::__construct of myclass
Calling myclass::mymethod of myclass
TRAIT
返回性状名称。性状名称包含它声明的命名空间。在 PHP 中,性状是重新使用代码的机制。性状类似于类,但只准备以精细且一致的方式对功能分组。无法在它自己上实例化这种性状。
看看以下 example −
<?php
trait mytrait {
public function hello() {
echo "Hello World from " . __TRAIT__ ."";
}
}
class myclass {
use mytrait;
}
$obj = new myclass();
$obj->hello();
?>
它将生成以下 output −
Hello World from mytrait
NAMESPACE
此常量返回当前命名空间的名称。在 PHP 中,通过命名空间,我们能够使用名称相同的类 / 功能 / 常量在不同的环境中,无需任何冲突,从而封装这些项目。命名空间是类 / 功能的逻辑组合,根据它们的相关性。
以下 example 展示了如何使用此魔术常量 −
<?php
namespace myspace;
class myclass {
public function __construct() {
echo "Name of the class: " . __CLASS__ . " in " . __NAMESPACE__ . "";
}
}
$class_name = __NAMESPACE__ . '\myclass';
$a = new $class_name;
?>
它将生成以下 output −
Name of the class: myspace\myclass in myspace