6

I have a class with a private member "description" but that proposes a setter :

class Foo {
  private $description;

  public function setDescription($description) { 
    $this->description = $description; 
  }
}

I have the name of the member in a variable. I would like to access the field dynamically. If the field was simply public I could do :

$bar = "description";
$f = new Foo();
$f->$bar = "asdf";

but I don't know how to do in the case I have only a setter.

Barth
  • 15,135
  • 20
  • 70
  • 105
  • Look into Reflection ;) http://php.net/manual/en/reflectionproperty.setvalue.php - edit, actually could you not use `$f->{$bar} = "asdf";`? – Gavin Jul 23 '12 at 12:42

4 Answers4

11
<?php
$bar = "description";
$f = new Foo();
$func="set"+ucwords($bar);
$f->$func("asdf");
?>
Jerzy Zawadzki
  • 1,975
  • 13
  • 15
  • 1
    Thank you very much. It was actually straightforward but I didn't dare do that (I am used to C++) :) – Barth Jul 23 '12 at 12:45
4

Try this:

$bar = 'description';
$f = new Foo();
$f->{'set'.ucwords($bar)}('test');
Jeff Lambert
  • 24,395
  • 4
  • 69
  • 96
1

This function come do the job:

  private function bindEntityValues(Product $entity, array $data) {
      foreach ($data as $key => $value){
        $funcName = 'set'+ucwords($key);
        if(method_exists($entity, $funcName)) $entity->$funcName($value);
      }
    }
famas23
  • 2,072
  • 4
  • 17
  • 53
0

Use magic setter

class Foo {
  private $description;

  function __set($name,$value)
  {
    $this->$name = $value;
  }  
/*public function setDescription($description) { 
    $this->description = $description; 
  }*/
}

but by this way your all private properties will act as public ones if you want it for just description use this

class Foo {
      private $description;

      function __set($name,$value)
      {
        if($name == 'description')
        { $this->$name = $value;
          return true;
         }
         else 
        return false
      }  
    /*public function setDescription($description) { 
        $this->description = $description; 
      }*/
    }
Rupesh Patel
  • 3,015
  • 5
  • 28
  • 49