Extending Classes
It's common to want to use a Service Provider to add new methods to a class. For example, you may want to add a
is_authenticated
method to the Request
class. Your package and Service Provider may be for a better authentication system.You may easily extend classes that inherit from the
Extendable
class. Many of the built in classes inherit from it.You have a few options for adding methods to any of the core classes. You can extend a class with functions, classes and class methods. Typical usage may look like:
def is_authenticated(self):
return self
def show(self, request: Request):
request.extend(is_authenticated)
print(request.is_authenticated()) # returns the Request class
Usage is very simple and has several options for extending a class. Notice that we don't call the function but we pass the reference to it.
This will simply add the function as a bound method to the
Request
classdef is_authenticated(self):
return self
def show(self, request: Request):
request.extend(is_authenticated)
print(request.is_authenticated()) # returns the Request class
We can also extend a class method which will take the method given and add it as a bound method.
class Authentication:
def is_authenticated(self):
return self
def show(self, request: Request):
request.extend(Authentication.is_authenticated)
print(request.is_authenticated()) # returns the Request class
We can even extend a whole class which will get all the classes methods and create bound methods to the Request class.
class Authentication:
def is_authenticated(self):
return self
def login(self):
return self
def show(self, request: Request):
request.extend(Authentication)
print(request.is_authenticated()) # returns the Request class
print(request.login()) # returns the Request class
Last modified 5yr ago