我正在尝试做一些我认为非常简单的事情,但由于我对Python很新,所以我无法找到方法。我需要在调用URL时在我的Python脚本中执行一个函数。
例如,我将在浏览器中访问以下URL(192.168.0.10是我运行脚本的计算机的IP,8080是首选端口)。
http://192.168.0.10:8080/captureImage
访问此URL时,我想在我的Python脚本中执行操作,在这种情况下执行我创建的函数。
我知道这可能相当简单,但我无法弄清楚如何做到这一点。我将不胜感激任何帮助!
答案 0 :(得分:14)
在python中这确实非常简单:
import SocketServer
from BaseHTTPServer import BaseHTTPRequestHandler
def some_function():
print "some_function got called"
class MyHandler(BaseHTTPRequestHandler):
def do_GET(self):
if self.path == '/captureImage':
# Insert your code here
some_function()
self.send_response(200)
httpd = SocketServer.TCPServer(("", 8080), MyHandler)
httpd.serve_forever()
根据您要从这里开始的位置,您可能需要查看BaseHttpServer的文档,或者查看更全面的网页框架,例如Django。
答案 1 :(得分:-1)
实现所需内容的一种强大方法是使用Python Web框架Flask(http://flask.pocoo.org/)。 Youtube视频可以很好地解释Flask基础知识(https://www.youtube.com/watch?v=ZVGwqnjOKjk)。
这是我的动作探测器的一个例子,当我的猫在门口等候时,它会给我发短信。触发此代码所需要做的就是在地址上发出HTTP请求(在我的例子中)http://192.168.1.112:5000/cat_detected
from flask import Flask
import smtplib
import time
def email(from_address, to_address, email_subject, email_message):
server = smtplib.SMTP('smtp.gmail.com:587')
server.ehlo()
server.starttls()
server.login(username, password)
# For character type new-lines, change the header to read: "Content-Type: text/plain". Use the double \r\n.
# For HTML style tags for your new-lines, change the header to read: "Content-Type: text/html". Use line-breaks <br>.
headers = "\r\n".join(["from: " + from_address, "subject: " + email_subject,
"to: " + to_address,
"mime-version: 1.0",
"content-type: text/plain"])
message = headers + '\r\n' + email_message
server.sendmail(from_address, to_address, message)
server.quit()
return time.strftime('%Y-%m-%d, %H:%M:%S')
app = Flask(__name__)
@app.route('/cat_detected', methods=['GET'])
def cat_detected():
fromaddr = 'CAT ALERT'
admin_addrs_list = [['YourPhoneNumber@tmomail.net', 'Mark']] # Use your carrier's format for sending text messages via email.
for y in admin_addrs_list:
email(fromaddr, y[0], 'CAT ALERT', 'Carbon life-form standing by the door.')
print('Email on its way!', time.strftime('%Y-%m-%d, %H:%M:%S'))
return 'Email Sent!'
if __name__ == '__main__':
username = 'yourGmailUserName@gmail.com'
password = 'yourGmailPassword'
app.run(host='0.0.0.0', threaded=True)