我遇到了需要同时运行2个应用程序(在不同端口上)的情况。我了解这可能不是最好的主意/设计,但请忍受。
主要问题是bottle.run
正在阻止。显而易见的解决方法是使用multiprocessing.Pool
,但我想并不是很明显。
这有效(在2个不同的端口上运行相同的应用程序):
from multiprocessing import Pool
import bottle
app = bottle.Bottle()
@app.route('/')
def index():
return 'hi'
def run_app(port):
bottle.run(port=port)
if __name__ == '__main__':
pool = Pool(2)
ps = [pool.apply_async(run_app, (port,))
for port in (8081, 8082)]
[p.get() for p in ps] # YES, using a list comp for side-effect
输出为
Bottle v0.12.15 server starting up (using WSGIRefServer())...
Listening on http://127.0.0.1:8081/
Hit Ctrl-C to quit.
Bottle v0.12.15 server starting up (using WSGIRefServer())...
Listening on http://127.0.0.1:8082/
Hit Ctrl-C to quit.
但是,尝试使用2个不同的应用程序是行不通的。
from multiprocessing import Pool
import bottle
app1 = bottle.Bottle()
app2 = bottle.Bottle()
apps = [app1, app2]
@app1.route('/')
def index_app1():
return 'app1'
@app2.route('/')
def index_app2():
return 'app2'
def run_app(app, port):
bottle.run(app, port=port)
if __name__ == '__main__':
pool = Pool(2)
ps = [pool.apply_async(run_app, (app, port))
for app, port in zip(apps, [8081, 8082])]
[p.get() for p in ps]
此输出
Traceback (most recent call last):
File "test.py", line 29, in <module>
[p.get() for p in ps]
File "test.py", line 29, in <listcomp>
[p.get() for p in ps]
File "D:\Python37\Lib\multiprocessing\pool.py", line 657, in get
raise self._value
File "D:\Python37\Lib\multiprocessing\pool.py", line 431, in _handle_tasks
put(task)
File "D:\Python37\Lib\multiprocessing\connection.py", line 206, in send
self._send_bytes(_ForkingPickler.dumps(obj))
File "D:\Python37\Lib\multiprocessing\reduction.py", line 51, in dumps
cls(buf, protocol).dump(obj)
AttributeError: Can't pickle local object 'ConfigDict.__init__.<locals>.<lambda>'
更新
将第一个示例更改为:
.
.
.
def run_app(app, port):
# instead of bottle.run(port=port) which uses default_app()
app.run(port=port) # or bottle.run(app=app, port=port)
.
.
.
ps = [pool.apply_async(run_app, (app, port))
for port in (8081, 8082)]
也会引起相同的错误
答案 0 :(得分:0)
找出解决此问题的适当方法是使用Bottle.mount
。效果很好:
import bottle
parent_app = bottle.Bottle()
child_app = bottle.Bottle()
@parent_app.route('/')
def index_app1():
return 'parent_app'
@child_app.route('/')
def index_app2():
return 'child_app'
if __name__ == '__main__':
parent_app.mount('/child_app/', child_app)
parent_app.run()