本文实例讲述了PHP命名空间namespace的定义方法。分享给大家供大家参考,具体如下:
定义命名空间
对于空间的命名,在此我想不用文字解释,更好的解释是用实例来证明:
For example:
下面这段代码是”test.php”里面的文件:
1
2
3
4
5
6
|
namespace Test; class Test{ public function Ttest(){ echo "这是Test里面的测试方法" . "<br>" ; } } |
接下来我将用三种不同的方式进行访问,我把这三个访问程序写在一个名叫“index.php”的文件中:
方法一:
1
2
3
4
|
namespace Index; require 'test.php' ; $T = new \Test\Test(); $T ->Ttest(); |
所得结果为:
这是Test里面的测试方法
方法二:
1
2
3
4
5
|
namespace Index; namespace Test; require 'test.php' ; $T = new Test(); $T ->Ttest(); |
所得结果为:
这是Test里面的测试方法
方法三:
1
2
3
4
5
|
namespace Index; require 'test.php' ; use Test\Test; $T = new Test(); $T ->Ttest(); |
所得结果为:
这是Test里面的测试方法
注: namespace Index可写可不写,这只是index.php文件的空间命名。这三种方法所得结果都是一样的。
定义子命名空间
定义:
与目录和文件的关系很象,PHP 命名空间也允许指定层次化的命名空间的名称。因此,命名空间的名字可以使用分层次的方式定义。
实例如下图,这是我自定义的项目目录:
one.php
1
2
3
4
5
6
|
namespace projectOne\one; class Test{ public function test(){ return "this is a test program" ; } } |
为了访问one.php中Test类下的test()方法,我在Two中的代码如下:
Two.php
1
2
3
4
|
namespace projectOne\one; require '../projectOne/One.php' ; $O = new Test(); echo $O ->test(); |
Output: this is a test program
同一文件中定义多个命名空间,它们之间相互访问
test.php
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
namespace projectOne\one{ class test{ public function hello(){ return "helloworld" ; } } } namespace projectOne\Two{ class project{ public function world2(){ return "welcome to china" ; } } class project2 extends \projectOne\one\test{ public function wo(){ return "this is my test function ,it is name wo" ; } } } namespace projectOne\Two{ $p = new project2(); echo $p ->wo(). "<br>" ; echo $p ->hello(); } |
output: this is my test function ,it is name wo
helloworld
希望本文所述对大家PHP程序设计有所帮助。