我正在使用盈透证券的 ibapi,通常我无法捕获返回的数据。 例如,根据 api 文档,当我请求 reqAccountSummary() 时,该方法通过 accountSummary() 传递数据。 但他们的示例仅打印数据。我尝试捕获数据或将其分配给变量,但他们的文档中没有显示如何做到这一点。 我也在谷歌搜索,只找到 register() 和 registerAll(),但这来自 ib.opt,它不在最新的工作 ibapi 包中。
这是我的代码。 你能告诉我如何修改 accountSummary() 来捕获数据吗?
from ibapi.client import EClient
from ibapi.wrapper import EWrapper
from ibapi.common import *
class TestApp(EWrapper,EClient):
def __init__(self):
EClient.__init__(self,self)
# request account data:
def my_reqAccountSummary1(self, reqId:int, groupName:str, tags:str):
self.reqAccountSummary(reqId, "All", "TotalCashValue")
# The received data is passed to accountSummary()
def accountSummary(self, reqId: int, account: str, tag: str, value: str, currency: str):
super().accountSummary(reqId, account, tag, value, currency)
print("Acct# Summary. ReqId>:", reqId, "Acct:", account, "Tag: ", tag, "Value:", value, "Currency:", currency)
return value #This is my attempt which doesn't work
def main():
app = TestApp()
app.connect("127.0.0.1",7497,clientId=0)
app.my_reqAccountSummary1(8003, "All", "TotalCashValue") #"This works, but the data is print to screen. I don't know how to assign the received TotalCashValue to a variable"
# myTotalCashValue=app.my_reqAccountSummary1(8003, "All", "TotalCashValue") #"My attempt doesn't work"
# more code to stop trading if myTotalCashValue is low
app.run()
if __name__=="__main__":
main()
你不能在主函数中执行此操作,因为app.run
会监听TWS的响应。一旦你正确地设置了所有回调,main 函数将在 app.run
中永远循环。
您必须将代码直接放入accountSummary
函数中。这就是这些程序的工作方式,您将逻辑直接放入 回调函数。您始终可以分配self.myTotalCashValue = value
,使其可用于类的其他部分,甚至可用于其他线程。
--或--
您在线程中运行 app.run 并等待值返回,例如
将self._myTotalCashValue = value
添加到 accountSummary,导入 threading
和 time
,然后在 main 中添加类似以下内容的内容:
t = threading.Thread(target=app.run)
t.daemon = True
t.start()
while not hasattr(app,"_myTotalCashValue"):
time.sleep(1)
print(app._myTotalCashValue)
与线程一样,您必须小心app
和main
之间的共享内存。