0

Address と Student の 2 つのクラスがあります。__call() 関数をコーディングして、student インスタンスを使用して通り、都市、および州のプロパティを取得および割り当てることができるようにする必要があります。

これは私が持っている出力です (私は __call() をコーディングしましたが、これまでのところ出力の最後の行に対してのみ機能します):

John Smith
50
, ,
The address has been updated:
50 second street, Palo Alto, CA

出力の 3 行目は次のようになります。

100 main street, Sunnyvale, CA

そして、それがスタックを取得した場所です。

これが私のコードです。どんな助けにも感謝します。

<?php
class Address {
private $street;
private $city;
private $state;

function __construct($s, $c, $st) {
    $this->street = $s;
    $this->city = $c;
    $this->state = $st;
}
function setCity($c) {
    $this->city = $c;
}
function getCity() {
    return $this->city;
}
function setState($s) {
    $this->state = $s;
}
function getState() {
    return $this->state;
}
function setStreet($s) {
    $this->street = $s;
}
function getStreet() {
    return $this->street;
}
}
class Student {
private $name;
private $age;
private $address;

function __construct($n, $a, Address $address) {
    $this->name = $n;
    $this->age = $a;
    $this->address = $address;
}

function getName() {
    return ucwords($this->name);
}

function getAge() {
    return $this->age;
}

function setName($n) {
    $this->name = $n;
}

function setAge($a) {
    $this->age = $a;
}

function __set($name, $value) {
    $set = "set".ucfirst($name);
    $this->$set($value);
}

function __get($name) {
    $get = "get".ucfirst($name);
    return $this->$get();
}

function __call($method, $arguments) {
    // Need more code 

    $mode = substr($method,0,3);
    $var = strtolower(substr($method,3));
    if ($mode =='get'){
        if (isset($this -> $var)){
            return $this ->$var;
        }
    } elseif ($mode == 'set') {
        $this ->$var = $arguments[0];
        }
    } 

}
$s = new Student('john smith', 50, '100 main street', 'Sunnyvale', 'CA');
echo $s->name;
echo "\n";
echo $s->age;
echo "\n";
echo $s->address->street . ", " . $s->address->city . ", " . $s->address->state;
echo "\n";
$s->street = "50 second street";
$s->city = "Palo Alto";
$s->state = "CA";
echo "The address has been updated:\n";
echo $s->street . ", " . $s->city . ", " . $s->state;


//print_r($s);

?>
4

1 に答える 1

0

、および でstreetある必要があります。またはゲッターを使用します。citystatepublic

次の変更:

$s = new Student('john smith', 50, '100 main street', 'Sunnyvale', 'CA');

次のために:

$s = new Student('john smith', 50, new Address('100 main street', 'Sunnyvale', 'CA'));

次に変更します。

echo $s->address->street . ", " . $s->address->city . ", " . $s->address->state;

次のために:

echo $s->address->getStreet() . ", " . $s->address->getCity() . ", " . $s->address->getState();

Student コンストラクターには Address オブジェクトが必要で、プロパティ "street"、"city"、および "state" は "private" であり、"getters" を使用する必要があります。

;-)

于 2012-11-19T18:56:15.273 に答える