简体   繁体   中英

Class PHP methods get and set

I have this class:

<?php
    class Test {

        private $_ID;
        private $_NAME;
        private $_AGE;

        public function setID() { $this->_ID++; }
        public function getID() { return $this->_ID; }

        public function setNAME($element) { $this->_NAME = $element; }
        public function getNAME() { return $this->_NAME; }

        public function setAGE($element) { $this->_AGE = $element; }
        public function getAGE() { return $this->_AGE; }

        public function addUser($name, $age) {
            Test::setID();
            Test::setNAME($name);
            Test::setAGE($age);

            echo "OK";
        }
    }
?>

I want to create objects of this class, and assign the data with the function addUser like this:

$test = new Test();
$test:: addUser("Peter", "12"); but I have errors.

I have this errors:

Strict Standards: Non-static method Test::addUser() should not be called statically in /var/www/public/testManu.php on line 13

Strict Standards: Non-static method Test::setID() should not be called statically in /var/www/public/class/Test.php on line 18

Fatal error: Using $this when not in object context in /var/www/public/class/Test.php on line 8

I have problems with variable scope. Could somebody tell me what it is my problem????

change this:

 ...
 public function addUser($name, $age) {
        $this->setID();
        $this->setNAME($name);
        $this->setAGE($age);

        echo "OK";
    }
 ...

Calling like Classname::function() is only valid for static methods. You have a dedicated instance which need to be addressed with the construct $this->function() .

And thus:

   ...
  $test->addUser("Peter", "12"); but I have errors.
$test = new Test();
$test -> addUser("Peter", "12"); #now no errors

This should work for you:

<?php
    class Test {

        private static $_ID = 1;
        private static $_NAME;
        private static $_AGE;

        public static function setID() { self::$_ID++; }
        public static function getID() { return self::$_ID; }

        public static function setNAME($element) { self::$_NAME = $element; }
        public static function getNAME() { return self::$_NAME; }

        public static function setAGE($element) { self::$_AGE = $element; }
        public static function getAGE() { return self::$_AGE; }

        public static function addUser($name, $age) {
            self::setID();
            self::setNAME($name);
            self::setAGE($age);

            echo "OK";
        }
    }

$test = new Test(); /*You don't need to instantiate the class 
                      because you're calling a static function*/
$test:: addUser("Peter", "12"); but I have errors.
?>

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM