当前位置:首页 > PHP教程 > php应用 > 列表

PHP实现在对象之外访问其私有属性private及保护属性protected的方法

发布:smiling 来源: PHP粉丝网  添加日期:2021-08-20 11:18:50 浏览: 评论:0 

这篇文章主要介绍了PHP实现在对象之外访问其私有属性private及保护属性protected的方法,简单介绍了php public、private及protected的功能及用法,并结合实例形式分析了php在对象之外访问其私有属性private及保护属性protected的方法,需要的朋友可以参考下。

本文实例讲述了PHP实现在对象之外访问其私有属性private及保护属性protected的方法。分享给大家供大家参考,具体如下:

public 表示全局的访问权限,类内部外部子类都可以访问;

private表示私有的访问权限,只有本类内部可以使用;

protected表示受保护的访问权限,只有本类或子类或父类中可以访问;

比较经典的用法示例如下:

  1. <?php 
  2.  //父类 
  3.  class father{ 
  4.  public function a(){ 
  5.  echo "function a<br/>"
  6.  } 
  7.  private function b(){ 
  8.  echo "function b<br/>"
  9.  } 
  10.  protected function c(){ 
  11.  echo "function c<br/>"
  12.  } 
  13.  } 
  14.  //子类 
  15.  class child extends father{ 
  16.  function d(){ 
  17.  parent::a();//调用父类的a方法 
  18.  } 
  19.  function e(){ 
  20.  parent::c(); //调用父类的c方法 
  21.  } 
  22.  function f(){ 
  23.  parent::b(); //调用父类的b方法 
  24.  } 
  25.  } 
  26.  $father=new father(); 
  27.  $father->a(); 
  28. // $father->b(); //显示错误 外部无法调用私有的方法 Call to protected method father::b() 
  29. // $father->c(); //显示错误 外部无法调用受保护的方法Call to private method father::c() 
  30.  $chlid=new child(); 
  31.  $chlid->d(); 
  32.  $chlid->e(); 
  33. // $chlid->f();//显示错误 无法调用父类private的方法 Call to private method father::b() 
  34. ?> 

运行结果:

function a

function a

function c

在对象之外,php访问私有及保护属性实现方法如下:

  1. class yunke 
  2.  protected $a = 55; 
  3.  private $b = 66; 
  4.  public function merge() 
  5.  { 
  6.  $result = clone $this
  7.  $result->a=88; 
  8.  $result->b=99; 
  9.  return $result
  10.  } 
  11.  public function show() 
  12.  { 
  13.  echo $this->a; 
  14.  echo $this->b; 
  15.  } 
  16. $test = new yunke; 
  17. $test->show(); 
  18. $test2=$test->merge(); 
  19. $test2->show(); 

输出:55668899

Tags: private protected

分享到: