本节内容:
php多构造器的类
在php编程中,实例化一个类时,需要根据构造方法的参数个数进行初始化不用的内容,类似php函数或方法的可选参数。
来看例子:
/**
* php 多构造器的类
* by www.
*/
class A {
public function __construct() {
$a = func_get_args();
$i = func_num_args();
if (method_exists($this,$f='__construct'.$i)) {
call_user_func_array(array($this,$f),$a);
}
}
public function __construct1($a1) {
echo '__construct with 1 param called: '.$a1.PHP_EOL;
}
public function __construct2($a1,$a2) {
echo '__construct with 2 params called: '.$a1.','.$a2.PHP_EOL;
}
public function __construct3($a1,$a2,$a3) {
echo '__construct with 3 params called: '.$a1.','.$a2.','.$a3.PHP_EOL;
}
}
$o = new A('sheep');
$o = new A('sheep','cat');
$o = new A('sheep','cat','dog');
// 结果:
// __construct with 1 param called: sheep
// __construct with 2 params called: sheep,cat
// __construct with 3 params called: sheep,cat,dog
?>
本节内容:
php冒泡排序
为大家分享一个php冒泡排序的例子。
代码:
<?php
/**
* php冒泡排序
* by www.
**/
function phpsort($arrs,$a = 'sort'){
$arr = $arrs;
if(is_array($arr)){
for ($i = 0; $i < count($arr); $i++){
for ($j = 0;$j < count($arr)-1; $j++){
if($a == 'sort'){
if ($arr[$j] > $arr[$j+1]){
$temp = $arr[$j+1];
$arr[$j+1] = $arr[$j];
$arr[$j] = $temp;
}
}elseif ($a == 'asort'){
if ($arr[$j] < $arr[$j+1]){
$temp = $arr[$j+1];
$arr[$j+1] = $arr[$j];
$arr[$j] = $temp;
}
}
}
}
}
return $arr;
}
//调用示例
$arrs = array(8,4,3,6,1,0,2,22,45);
$sorts = phpsort($arrs,'sort'); //正向排序
print_r($sorts);
echo '<br />';
$asorts = phpsort($arrs,'asort');//反向排序
print_r($asorts);
?>
您可能感兴趣的文章:
php 实现冒泡排序的简单例子
php 冒泡排序的实现代码
php 数组排序方法分享(冒泡排序、选择排序)
php冒泡排序之交换排序法
php冒泡排序(bubble sort)的例子
php实现冒泡排序算法的代码
php冒泡排序算法一例
php冒泡排序与快速排序的例子
本节内容:
PHP构造函数
自php5始,可以在类中声明__construct构造方法,当对象被实例化时,该方法被调用。
注意:
1,如果在继承的子类中没有构造方法而父类中有构造方法,那么当实例化子类时,父类的构造方法会被隐式调用。
2,如果子类有构造方法,父类中也有构造方法,那么子类要显示调用parent::__construct()才能父类的构造方法。
为了向后兼容,如果在php5类中没有找到__construct()方法,它会去找与类名相同的方法名的构造器。
但是,如果同时使用两个构造器,有可能会发生 E_STRICT 级别的错误信息:
(环境:win32+php5.3.8+apache2.2)
例子:
class B{
//构造器
public function B(){
echo 'this is B()';
}
public function __construct(){
echo 'this is __construct()';
}
public function other(){
//do something
}
}
$b = new B();
?>
结果:Strict Standards: Redefining already defined constructor for class B in D:\xampp\htdocs\test3\Class.php on line 8
this is __construct()
调换下方法的位置,结果大有不同。
例如:
class X{
//构造器
public function __construct(){
echo 'this is __construct()';
}
public function X(){
echo 'this is X()';
}
public function other(){
//do something
}
}
$x = new X();
?>
其实,从php5.3.3开始,与类名相同的方法不再做为类的构造方法,命名空间类也一样。
php5.3.3以上的版本,则不能使用与类同名的方法作为构造方法:
namespace Foo;
class Bar {
public function Bar() {
// PHP 5.3.0-5.3.2 是构造方法
// PHP 5.3.3 被当做是正常的方法使用
}
}
?>
如果要在php5.3.3以上同时使用两个构造器,可以这样:
class Y{
//构造器
public function __construct(){
self::Y();
}
public function Y(){
echo 'this is __construct() called Y()';
// do init
}
public function other(){
//do something
}
}
$y = new Y();
?>