web-dev-qa-db-ja.com

新しいプロパティを動的に作成する方法

オブジェクトのメソッド内の特定の引数からプロパティを作成するにはどうすればよいですか?

class Foo{

  public function createProperty($var_name, $val){
    // here how can I create a property named "$var_name"
    // that takes $val as value?

  }

}

そして、私は次のようなプロパティにアクセスできるようにしたいです:

$object = new Foo();
$object->createProperty('hello', 'Hiiiiiiiiiiiiiiii');

echo $object->hello;

また、プロパティをパブリック/保護/プライベートにすることは可能ですか?この場合、パブリックにする必要があることはわかっていますが、いくつかのmagikメソッドを追加して、保護されたプロパティなどを取得することもできます。


  protected $user_properties = array();

  public function createProperty($var_name, $val){
    $this->user_properties[$var_name] = $val;

  }

  public function __get($name){
    if(isset($this->user_properties[$name])
      return $this->user_properties[$name];

  }

それは良い考えだと思いますか?

63
Alex

それを行うには2つの方法があります。

1つは、クラスの外部から動的にプロパティを直接作成できます。

class Foo{

}

$foo = new Foo();
$foo->hello = 'Something';

または、createPropertyメソッドを使用してプロパティを作成する場合:

class Foo{
    public function createProperty($name, $value){
        $this->{$name} = $value;
    }
}

$foo = new Foo();
$foo->createProperty('hello', 'something');
90
mauris

プロパティのオーバーロードは非常に遅いです。可能であれば、避けてください。また、他の2つの魔法のメソッドを実装することも重要です。

__isset(); __unset();

これらのオブジェクト「属性」を使用するときに、よくある間違いを後で見つけたくない場合

ここではいくつかの例を示します。

http://www.php.net/manual/en/language.oop5.overloading.php#language.oop5.overloading.members

アレックスのコメントの後に編集:

両方のソリューションの時間差を確認できます($ REPEAT_PLEASEを変更します)

<?php

 $REPEAT_PLEASE=500000;

class a {}

$time = time();

$a = new a();
for($i=0;$i<$REPEAT_PLEASE;$i++)
{
$a->data = 'hi';
$a->data = 'bye'.$a->data;
}

echo '"NORMAL" TIME: '.(time()-$time)."\n";

class b
{
        function __set($name,$value)
        {
                $this->d[$name] = $value;
        }

        function __get($name)
        {
                return $this->d[$name];
        }
}

$time=time();

$a = new b();
for($i=0;$i<$REPEAT_PLEASE;$i++)
{
$a->data = 'hi';
//echo $a->data;
$a->data = 'bye'.$a->data;
}

echo "TIME OVERLOADING: ".(time()-$time)."\n";
8
Abraham Covelo

構文を使用します:$ object-> {$ property}ここで、$ propertyは文字列変数であり、クラスまたはインスタンスオブジェクト内にある場合は$ objectになります。

ライブの例: http://sandbox.onlinephpfunctions.com/code/108f0ca2bef5cf4af8225d6a6ff11dfd0741757f

 class Test{
    public function createProperty($propertyName, $propertyValue){
        $this->{$propertyName} = $propertyValue;
    }
}

$test = new Test();
$test->createProperty('property1', '50');
echo $test->property1;

結果:50

6
Razan Paul

次の例は、クラス全体を宣言したくない人向けです。

$test = (object) [];

$prop = 'hello';

$test->{$prop} = 'Hiiiiiiiiiiiiiiii';

echo $test->hello; // prints Hiiiiiiiiiiiiiiii
5
crownlessking