Help Sintx error

0

I would like to know where my error is in this class in php , if anyone can help thanks, the error is as follows:

  

Parse error: syntax error, unexpected '$ _POST' (T_VARIABLE) in   C: \ wamp \ www \ exercise \ class \ function.class.php on line 4

class Pessoa{

    var $codigo = $_POST["codigo"];
    var $nome = $_POST["nome"];
    var $altura = $_POST["altura"];
    var $idade = $_POST["idade"];
    var $dt_nasc = $_POST["dt_nasc"];
    var $escol = $_POST["escol"];
    var $salario = $_POST["salario"];

    function crescer($centimetros){
    $this->altura+=$centimetros;

    }

    function formar($titulo){
    &this->idade+=$anos;



    }

    function envelhecer($anos){
    $this->idade+=$anos;

    }

}
    
asked by anonymous 10.09.2015 / 16:50

2 answers

1

The error is in $_POST , it is not possible to start values of class attributes this way.

The idea is for you to create a constructor by getting the parameter.

class Pessoa{

    var $codigo;
    var $nome;
    var $altura;
    var $idade;
    var $dt_nasc;
    var $escol;
    var $salario;

    function __construct($POST){
        $this->codigo = $POST['codigo'];
        //.. aqui você inicializa todos os parametros
    }

    function crescer($centimetros){
        $this->altura+=$centimetros;
    }

    function formar($titulo){
        $this->idade+=$anos;
    }

    function envelhecer($anos){
        $this->idade+=$anos;
    }

}

$Pessoa = new Pessoa($_POST);

And in line &this->idade+=$anos; instead of $ you put &

    
10.09.2015 / 16:57
0

You can not do this type initialization in the properties, if you need to set a default dynamic value I do in the constructor.

Replace the var that was used in php4 with one of the three available visibility, public , protected and private .

class Pessoa{

public function __construct($info){
    $this->codigo = $info["codigo"];
    $this->nome = $info["nome"];
    $this->altura = $info["altura"];
    $this->idade = $info["idade"];
    $this->dt_nasc = $info["dt_nasc"];
    $this->escol = $info["escol"];
    $this->salario = $info["salario"];
}

//demais métodos.

Manual - visibility

    
10.09.2015 / 16:58