在函数中使用调用中的局部变量

After 9 hours of struggling to get this right, I have turned to the internet for help. I can't seem to find any relevant answers doing a Google search.

I currently have a class called Test. Test accepts a single argument.

<?php
    class test {
        private $varpassed;

        public function getVarpas() {
            return $this->varpassed;
        }

        Public function setVarpas($value) {
            $this->varpassed= $value;
        }

        public function stringGen(){

            $testvar = $this->varpassed;
            echo $testvar;
        }
    }

The stringGen function should return the $varpassed variable whenever its called. The value for $varpassed is set using the setVarpas function. However, when ever I call the stringGen() method I only seem to be getting the following error:

Fatal error: Using $this when not in object context in file.php line 14.

Pointing to this line:

$testvar = $this->varpassed;

Is there any other way to pass the variable to the stringGen method? I've tried using:

self::$this->varpassed;

Which also throws an error.

first create an instance of the object (so you can use $this in the context), for example:

$test = new test();

then you can call:

$test->setVarpas('Hello World!');

now you can call:

$test->stringGen();

you have to do something like this

$var = new test();
$var->setVarpas("Hello");
$var->stringGen(); // this will echo Hello

$this is used when you are withing class. outside class you have to use class object.

You should not declare a class with parentheses.

Use class test { instead of class test(){

1) Change this: class test() to class test

2) Create and instance first something like $t1 = new test();

3) Call the function $t1->setVarpas(5);

4) Now you can call the function $t1->stringGen();

Fixed:

<?php
class test
{
private $varpassed;
public function getVarpas() {
return $this->varpassed;
}

Public function setVarpas($value) {
$this->varpassed= $value;
}

public function stringGen(){

$testvar = $this->varpassed;
echo $testvar;
}
}

$t1 = new test();
$t1->setVarpas(5);
$t1->stringGen();

OUTPUT:

5