1

我得到:

未定义变量:密码
未定义变量:主机
未定义变量:用户

我只是好奇为什么我会收到这样的通知,尽管该变量已在类的私有部分中定义。

我不能在成员函数中使用类的私有数据成员吗(因为这会破坏 OOP 的整个概念)?

php文件是:

class data_base //helps handling permissins
    {
    private $host;
    private $user;
    private $password;

    public function feed_data($hst, $usr, $pwd)
        {
            $host=$hst;
            $user=$usr;
            $password=$pwd;
        }
    public function get_data()
        {
            $info=array("host"=>" ", "user"=>" ", "password"=>" ");
            $info['host']=$host;
            $info['user']=$user;
            $info['password']=$password;    
            return $info;
        }
      }

   $user1=new data_base; 
   $user2=new data_base;

   $user1->feed_data("localhost", "root", ""); //enter details for user 1 here
   $user2->feed_data("", "", ""); //enter details for user 2 here

   $perm_add=$user1->get_data();
   $perm_view=$user2->get_data();
4

2 回答 2

4

在 PHP 中,您必须将属性称为属性

$this->host;
// instead of
$host;

与 java$host中的示例不同,它始终是局部变量,因此在这里未定义。

作为旁注:你可以写

$info=array("host"=>" ", "user"=>" ", "password"=>" ");
$info['host']=$host;
$info['user']=$user;
$info['password']=$password;    
return $info;

作为

return array(
    'host'     => $this->host,
    'user'     => $this->user,
    'password' => $this->password
);

它很短而且更可靠(不需要临时变量)

于 2012-04-04T06:49:30.420 回答
2

在 PHP 中,要访问实例变量,您需要使用$this->varname.
Just$varname始终是方法的局部变量。

于 2012-04-04T06:49:40.983 回答