最近有个项目需要通过Java调用Python的服务,有考虑过gRPC,那是一个很好的框架,通信效率高。但是基于够用就好的原则,决定选择使用简单的HTTP通信方式,Python建立服务器,公开JSON API,Java通过API方式调用Python的服务,下面是web.py的简单使用教程。
web.py 是一个Python 的web 框架,它简单而且功能强大。
pip install web.py
下面的代码实现的功能是,调用http://localhost:8080/upper/TEXT
,返回TEXT对应的大写。调用http://localhost:8080/lower/TEXT
,返回TEXT对应的小写。
作者:ImWiki
链接:https://www.jianshu.com/p/56df6f1c07b9
来源:简书
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
import web
urls = (
'/upper/(.*)', 'upper',
'/lower/(.*)', 'lower'
)
app = web.application(urls, globals())
class upper:
def GET(self, text):
print('input:' + text)
return text.upper()
class lower:
def GET(self, text):
print('input:' + text)
return text.lower()
if __name__ == "__main__":
app.run()
测试
http://localhost:8080/upper/Wiki
http://localhost:8080/lower/Wiki
我们开发除了API外,HTML也是常用,在templates
文件夹下创建一个名称叫做hello.html
的文件。
作者:ImWiki
链接:https://www.jianshu.com/p/56df6f1c07b9
来源:简书
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
$def with (content)
<html>
<body>
<p>识别结果:$content</p>
</body>
</html>
hello.html
的名称很重要,和下面的render.hello
是对应的,$content
是传入的参数名称。
import web
urls = (
'/upper_html/(.*)', 'upper_html'
)
app = web.application(urls, globals())
render = web.template.render('templates/')
class upper_html:
def GET(self, text):
print('input:' + text)
return render.hello(content=text.upper())
if __name__ == "__main__":
app.run()
测试
http://localhost/upper_html/Wiki
在images
目录下放一张image.jpg
的图片
修改HTML
$def with (content)
<html>
<body>
<p>识别结果:$content</p>
<img src="/images/image.jpg" width="400">
</body>
</html>
修改python代码,下面增加的代码的意思是,把包含js
、css
、images
路径的请求,返回静态资源,但是通常建议使用nginx
来实现静态资源。
import web
urls = (
'/upper_html/(.*)', 'upper_html',
'/(js|css|images)/(.*)', 'static'
)
app = web.application(urls, globals())
render = web.template.render('templates/')
class upper_html:
def GET(self, text):
print('input:' + text)
return render.hello(content=text.upper())
class static:
def GET(self, media, file):
try:
f = open(media+'/'+file, 'rb')
return f.read()
except:
return ''
if __name__ == "__main__":
app.run()
测试
http://localhost/upper_html/Wiki
├── images
│ └── image.jpg
├── templates
│ └── hello.html
├── web_demo.py