我的php代码有些问题:所有信息都返回但我无法弄清楚为什么我会收到错误。对于我的索引页面,我只包含实际使用该类的代码行,除了某些包含之外,实际上没有其他代码。我确定这是我如何构建我的__contstruct,但我不确定这样做的合适方式。我错过了从索引页面调用它的方法。
我的__construct的这行代码没有错误,但我不想在我的班级中分配变量。
public function __construct(){
$this->user_id = '235454';
$this->user_type = 'Full Time Employee';
}
这是我的课程
<?php
class User
{
protected $user_id;
protected $user_type;
protected $name;
public $first_name;
public $last_name;
public $email_address;
public function __construct($user_id){
$this->user_id = $user_id;
$this->user_type = 'Full Time Employee';
}
public function __set($name, $value){
$this->$name = $value;
}
public function __get($name){
return $this->$name;
}
public function __destroy(){
}
}
?>
这是我索引页面中的代码:
<?php
ini_set('display_errors', 'On');
error_reporting(E_ALL);
$employee_id = new User(2365);
$employee_type = new User();
echo 'Your employee ID is ' . '"' .$employee_id->user_id. '"' . ' your employement status is a n ' . '"' .$employee_type->user_type. '"';
echo '<br/>';
?>
答案 0 :(得分:14)
问题是:
$employee_type = new User();
构造函数需要一个参数,但不发送任何内容。
更改
public function __construct($user_id) {
到
public function __construct($user_id = '') {
查看输出
$employee_id = new User(2365);
echo $employee_id->user_id; // Output: 2365
echo $employee_id->user_type; // Output: Full Time Employee
$employee_type = new User();
echo $employee_type->user_id; // Output nothing
echo $employee_type->user_type; // Output: Full Time Employee
如果您有一个用户,则可以执行此操作:
$employer = new User(2365);
$employer->user_type = 'A user type';
echo 'Your employee ID is "' . $employer->user_id . '" your employement status is "' . $employer->user_type . '"';
哪个输出:
Your employee ID is "2365" your employement status is "A user type"
答案 1 :(得分:7)
我不是PHP专家,但看起来你正在创建2个类用户的新实例,而在第二个实例中,你没有将user_id传递给构造函数:
$employee_id = new User(2365);
在我看来,这是创建一个新的User实例并将此实例分配给变量$ employee_id - 我不认为这是你想要的吗?
$employee_type = new User();
这看起来像是在实例化User的另一个实例并将其分配给变量$ employee_type - 但是您已经调用了构造函数User()而没有传递所需的ID - 因此错误(缺少参数)。
返回脚本内容看起来正常的原因是因为User类的第一个实例有一个ID(因为你传入了它)而第二个实例有一个雇员类型,因为这是在构造函数中设置的。
就像我说的,我不知道PHP,但我猜你想要更多的东西:
$new_user = new User(2365);
echo 'Your employee ID is ' . '"' .$new_user->user_id. '"' . ' your employement status is a n ' . '"' .$new_user->employee_type. '"';
在这里,您将实例化分配给变量$ new_user的用户类的单个实例,然后访问该单个实例的属性。
编辑:..... Aaaaaaaa - 我太慢了: - )