2

概述

我正在尝试为 WAMP 应用程序实现一个简单的命令行界面。

对于 WAMP 实现,使用了autobahnpython 包。

我想要一个交互式外壳,所以我决定使用该cmd模块来解析输入。不幸的是,我无法将 的asyncio性质autobahncmd循环结合起来。

代码

所以总的来说,我想要的是类似于这样的东西:

import argparse
import autobahn.asyncio.wamp as wamp
import cmd

class Shell(cmd.Cmd):
    intro = 'Interactive WAMP shell. Type help or ? to list commands.\n'
    prompt = '>> '

    def __init__(self, caller, *args):
        super().__init__(*args)
        self.caller = caller

    def do_add(self, arg):
        'Add two integers'
        a, b = arg.split(' ')
        res = self.caller(u'com.example.add2', int(a), int(b))
        res = res.result() # this cannot work and yields an InvalidStateError
        print('call result: {}'.format(res))

class Session(wamp.ApplicationSession):
    async def onJoin(self, details):
        Shell(self.call).cmdloop()

def main(args):
    url = 'ws://{0}:{1}/ws'.format(args.host, args.port)
    print('Attempting connection to "{0}"'.format(url))

    try:
        runner = wamp.ApplicationRunner(url=url, realm=args.realm)
        runner.run(Session)
    except OSError as err:
        print("OS error: {0}".format(err))

if __name__ == '__main__':
    parser = argparse.ArgumentParser()
    parser.add_argument('realm', type=str)
    parser.add_argument('host', type=str)
    parser.add_argument('port', type=int)

    main(parser.parse_args())

这显然是行不通的,因为result()在将来调用时结果还没有准备好,但是我不能使用 await,因为 Shellasync本身不是。

解决方案尝试

我已经找到asynccmd了,但我不知道如何使用它,autobahn而且总的来说,我仍然对asyncio.

使用简单的循环

try:
    while(True):
        a = int(input('a:'))
        b = int(input('b:'))
        res = await self.call(u'com.example.add2', a, b)
        print('call result: {}'.format(res))
except Exception as e:
    print('call error: {0}'.format(e))

函数内部onJoin工作得非常好,所以我觉得我的问题也必须有一个简单而精益的解决方案。

我们欢迎所有的建议!

4

1 回答 1

0

事实证明,这个问题已经有了解决方案。

autobahn有两个版本,一个使用aysncio和一个使用来自twisted.

该包crochet允许使用twisted来自同步上下文的 -callbacks,因此提供了一种解决方案。

简单的解决方案

该包autobahn-synccrochet高速公路的包装器,使从内部cmd.Cmd(或其他任何地方)调用 RCP 变得微不足道:

import autobahn_sync

autobahn_sync.run(url='example.com', realm='myrealm')
autobahn_sync.call(u'com.example.add2', a, b)
于 2017-12-11T08:13:44.733 回答