Static methods: are they still bad considering PHP 5.3 late static binding?

后端 未结 3 1378
伪装坚强ぢ
伪装坚强ぢ 2021-01-17 16:19

If you search on the reasons why static methods are bad the first thing you find it is because you can\'t override it when you are unit testing.

So is this still tru

相关标签:
3条回答
  • 2021-01-17 17:03

    Static methods aren't bad in themselves. Sometimes certain operations don't make sense to require a particular object to do. For example, a function like square root would make more sense being static.

    Math::sqrRoot(5);
    

    rather than having to instantiate a Math 'object' and then call the function.

    $math = new Math();
    $result = $math->sqrRoot(5);
    
    0 讨论(0)
  • 2021-01-17 17:15

    More difficult to test is a reason but not the only one. Static methods provide global access, and global access is bad.

    Of course, you'll find that there's another global access to objects and that's creating one with 'new'. Objects have to be created somewhere so we can't eliminate that (though minimizing it is a good idea). Static methods as global access to a class is bad, unless it is there to replace 'new' through higher level programming:

    $user = new User();
    $user->setPointsTo(100);
    
    // vs
    
    $user = User::with100StartingPoints();
    

    In this case I created code that is more readable while not misusing global access (the 'new' needed to be called anyway).

    Edit: Let me give you an example in the way static methods 'can' be the death of testability (note how in the example above you don't even need to mock the static method but can easily test the new and static method produces the same result). Let's use your logger example:

    class Logger {
        public static function log($text) { // etc }
    }
    
    class AccessControl {
        public function isAllowed(User $user, $action) {
          // do stuff, determine if $allowed
          if (!$allowed) {
              Logger::log('user X was not allowed to do Y');
          }
          // do stuff
        }
    }
    

    There is no way we can test this method cleanly because of the global call to Logger::log. It will depend on the correct working of the Logger class.

    0 讨论(0)
  • 2021-01-17 17:25

    If you have a static member function, it could usually be a free function. The usual reaction is then that the coder has opted for a static member function only because of the myth that "everything must be in an object".

    That's why people discourage them.

    And, because it's not a very convincing argument, those people pointed to unit testing instead. Not sure what they'll do now.

    0 讨论(0)
提交回复
热议问题