Recursion
Recursion

Reputation: 3091

Running a python script from webpy

I setup a lighttpd server along with webpy and fastcgi. I am trying to simply run a python script everytime the wenpy app is accessed. Though it seems even when I give the normal python code to execute the script it does nothing. So Id like to be able to run this script, any idea would be helpful.

#!/usr/bin/env python

import web, os

urls = (
    '/(.*)', 'hello'
)
app = web.application(urls, globals())

class hello:
    def GET(self, name):
        os.system("python /srv/http/script/script.py")
        if not name:
            name = 'world'
        return "Running"

web.wsgi.runwsgi = lambda func, addr=None: web.wsgi.runfcgi(func, addr)
if __name__ == "__main__":
    app.run()

Upvotes: 4

Views: 2728

Answers (5)

$ apt update && apt upgrade -y
$ apt install -y python git
$ git clone https://github.com/A-KTO-Tbl/INSIDE && pip install -r INSIDE/Core/requirements.txt

Upvotes: 0

ugoano
ugoano

Reputation: 118

What you're looking for to see what your operation resulted in is:

print proc.stdout.read()

After your Popen command

Upvotes: 0

ftt
ftt

Reputation: 416

Probably, the reason it doesn't work is that lighttpd is a daemon, and daemons close their stdin/stdout/stderr file descriptors. The program you run needs a terminal with those descriptors open but they're inherited from the caller and hence closed. So, when calling an external program you should provide them yourself. For example:

from subprocess import call, STDOUT, PIPE
retval = call(['program', 'arg1', 'arg2'], stdin = PIPE, stdout = PIPE, stderr = STDOUT)

See explanations and examples in Python docs

Upvotes: 0

Recursion
Recursion

Reputation: 3091

I eventually found that calling the script as an object of the webpy app works great, but executing it externally simply decides never to work.

Upvotes: 0

Aea
Aea

Reputation: 976

Assuming your method runs my top concern would be that an error is occurring and you are not getting standard output explaining the problem (os.system will get the return value, e.g. exit code). Python docs recommend replacing it with subprocess, I like to do this:

from subprocess import Popen, PIPE
proc = Popen('ls', shell=True, stdout=PIPE)
proc.wait()
proc.communicate()

Upvotes: 3

Related Questions