Echo Return construct method;

2019-03-01 10:07发布

问题:

<?php
class DBFactory {  
     function __construct(){  
         return 'Need to echo';
                  }  
}  
$db = new DBFactory;  
echo $db;
?>

Not works :(

回答1:

I dont understand why your looking into OOP if your tryiung to return values on a constructor.

the whole point of OOP is to have objects that perform many tasks, if you want to return a string,array,resource then OOP is not for you.

__constructors are used to initiate code during the pre stages of the object initialization, witch allows you to execute code to prepare an object before the user can use it.

If you wish to use the __toString on objects then use it wisely, its main perpose is for a readability factor in objects, not storage etc. mainly used in error debugging.

When you create an object using the new keyword php's processor creates an object and assigns it to the memory, it then runs the construct but does not hold any returned values from it, after the constructor as reached its endppoint, the link for the object in the memory is returned to the variable you asked it to be. so in theory you can run $db->__construct() as its still a method, but only after the object is fully created.

just create a method to return a string like so

class DBFactory
{
     function whatAmI()
     {
         return 'I am DBFactory';
     }  
}
$MyOBJECT = new DBFactory;
echo $MyOBJECT->whatAmI();

This is REALLY REALLY Stupid to do but as you wish to know how,

class DBFactory{  
     function __construct()
     {
         return 'Need to echo';
     }
}

$db = new DBFactory();
echo $db->__construct();


回答2:

You cannot return anything from the constructor. You're already getting a new object back, you can't get another value on top of that and assign both to $db.



回答3:

The constructors should not return anything.

If you want to echo an object, you have to define how to form its string representation with the magic method __tostring:

class DBFactory {  
     function __tostring(){  
         return 'Need to echo';
     }  
}
$db = new DBFactory();
echo $db;


回答4:

Generally it's not possible to return a value in a constructor of a class. In this case, $db contains the instance of the class, not the return value.

You could build a separate function, and have that function return the value:

<?php
class DBFactory {  
      function toEcho() {
        return 'Need to echo';
      }
}  
$db = new DBFactory();  
echo $db->toEcho();
?>


回答5:

$db = new DBFactory();  

i think this "()" also be here