如何将节俭结构传递给 Python 服务器

How to pass a thrift struct to Python Server

我在 python 服务器和 java 客户端之间使用 thrift 进行 rpc 通信。在我的 thrift Handler 中,我有一个函数,我想在其中传递一个 thrift 结构。对于基本数据类型传递我可以直接做:

def assignValue(self, variable, value):

但现在我想传递结构而不是变量(字符串类型)。我该怎么做?

struct MyStruct { 1:string var1; 2:string var2; }

PS: 我是thrift的新手,正在关注thrift的官方documentation,如果有任何其他文档可以提供帮助,请随时传递。谢谢!

这是一个在 Thrift IDL 中传递结构的简单示例:

https://github.com/RandyAbernethy/ThriftBook/blob/master/part1/arch/halibut.thrift

struct Date {
    1: i16  year
    2: i16  month
    3: i16  day
}

service HalibutTracking {
    i32 get_catch_in_pounds_today()
    i32 get_catch_in_pounds_by_date(1: Date dt, 2: double tm)
}

此处有一个 Java 客户端和服务器示例:

https://github.com/RandyAbernethy/ThriftBook/tree/master/part3/ws/thrift

它显示了 returning 一个结构(但传递一个很容易推断)。 Python 和 Java 中的 ThriftBook 存储库中也有许多示例(所有来源均来自《Apache Thrift 程序员指南》):

示例结构 return thrift idl 如下所示:

struct TradeReport {
    1: string  symbol,
    2: double  price,
    3: i32     size,
    4: i32     seq_num
} 

service TradeHistory {
    TradeReport get_last_sale(1: string Symbol) 
}

列表中的 Java 客户端如下所示:

import java.io.IOException;
import org.apache.thrift.TException;
import org.apache.thrift.transport.TSocket;
import org.apache.thrift.protocol.TBinaryProtocol;

public class ThriftClient {
    public static void main(String[] args) 
            throws IOException, TException {
        TSocket trans = new TSocket("localhost", 9090);
        TBinaryProtocol proto = new TBinaryProtocol(trans);
        TradeHistory.Client client = new TradeHistory.Client(proto);

        trans.open();
        for (int i = 0; i < 1000000; i++) {
            TradeReport tr = client.get_last_sale("APPL");
        }
        trans.close();
    }
}

这里有其他 IDL 示例(包括几个传递结构的示例):

https://github.com/RandyAbernethy/ThriftBook/tree/master/part2/IDL