Home >Backend Development >Python Tutorial >How Can I Execute a Standalone Python Script from Within a Service Script?
In a scenario where you have two scripts, test1.py and service.py, with test1.py containing standalone code and service.py running as a service, you may need to call test1.py from service.py.
The primary method for achieving this is by structuring the scripts as follows:
test1.py:
def some_func(): print('in test 1, unproductive') if __name__ == '__main__': # test1.py executed as script # do something some_func()
In this setup, some_func() is the function you want to execute from service.py. The if __name__ == '__main__' check ensures that the code within is only executed when test1.py is run directly, not when it's imported.
service.py:
import test1 def service_func(): print('service func') if __name__ == '__main__': # service.py executed as script # do something service_func() test1.some_func()
In service.py, you import test1 and define a function service_func() for your service. The critical step is calling test1.some_func(), which executes the code from test1.py. Again, the if __name__ == '__main__' check ensures the code is only executed when service.py is run directly.
The above is the detailed content of How Can I Execute a Standalone Python Script from Within a Service Script?. For more information, please follow other related articles on the PHP Chinese website!