PHP Namespaces
The PHP community has a lot of developers creating lots of code. This means that one library’s PHP code may use the same class name as another library. When both libraries are used in the same namespace, they collide and cause trouble.
Namespaces solve this problem. As described in the PHP reference manual, namespaces may be compared to operating system directories that namespace files; two files with the same name may co-exist in separate directories. Likewise, two PHP classes with the same name may co-exist in separate PHP namespaces.
It is important for you to namespace your code so that it may be used by other developers without fear of colliding with other libraries.
Declaring namespaces
A namespace declaration can look as follows:
It is recommended to only declare a single namespace per file, even though you can declare as many as you like in a single file:
namespace First {
class A { ... }; // Define class A in the namespace First.
}
namespace Second {
class B { ... }; // Define class B in the namespace Second.
}
namespace {
class C { ... }; // Define class C in the root namespace.
}
Every time you declare a namespace, classes you define after that will belong to that namespace:
namespace MyProject\Shapes;
class Rectangle { ... }
class Square { ... }
class Circle { ... }
A namespace declaration can be used multiple times in different files. The example above defined three classes in the MyProject\Shapes namespace in a single file. Preferably this would be split up into three files, each starting with namespace MyProject\Shapes;. This is explained in more detail in the PSR-4 standard example.
Declaring sub-namespaces
To declare a single namespace with hierarchy use following example:
namespace MyProject\Sub\Level;
const CONNECT_OK = 1;
class Connection { /* ... */ }
function connect() { /* ... */ }
The above example creates:
constant MyProject\Sub\Level\CONNECT_OK
class MyProject\Sub\Level\Connection and
function MyProject\Sub\Level\connect