本文为您介绍基于MaxCompute客户端通过Python 3 UDTF读取MaxCompute资源的使用示例。
前提条件
已安装MaxCompute客户端。更多安装MaxCompute客户端操作,请参见安装并配置MaxCompute客户端。
UDTF的动态参数说明
Python UDTF函数签名格式请参见函数签名及数据类型。
- 您可以在参数列表中使用
*
,表示接受任意长度、任意类型的输入参数。例如@annotate('double,*->string')
表示接受第一个参数是DOUBLE类型,后接任意长度、任意类型的参数列表。此时,您需要自己编写代码判断输入的个数和参数类型,然后对它们进行相应的操作(您可以对比C语言里面的printf
函数来理解此操作)。说明*
用在返回值列表中时,表示的是不同的含义。 - UDTF的返回值可以使用
*
,表示返回任意个STRING类型。返回值的个数与调用函数时设置的别名个数有关。例如@annotate("bigint,string->double,*")
,调用方式是UDTF(x, y) as (a, b, c)
,此处as
后面设置了三个别名,即a
、b
、c
。编辑器会认定a
为DOUBLE类型(Annotation中返回值第一列的类型是给定的),b
和c
为STRING类型。因为这里给出了三个返回值,所以UDTF在调用forward
时,forward
必须是长度为3的数组,否则会出现运行时报错。说明 这种错误无法在编译时报出,因此UDTF的调用者在SQL中设置alias个数时,必须遵循该UDTF定义的规则。由于聚合函数的返回值个数固定是1,所以这个功能对UDAF来说并无意义。
UDTF代码示例
- 读取MaxCompute资源代码示例。
from odps.udf import annotate from odps.udf import BaseUDTF from odps.distcache import get_cache_file from odps.distcache import get_cache_table @annotate('string -> string, bigint') class UDTFExample(BaseUDTF): """读取资源文件和资源表里的pageid、adid_list,生成dict """ def __init__(self): import json cache_file = get_cache_file('test_json.txt') self.my_dict = json.load(cache_file) cache_file.close() records = list(get_cache_table('table_resource1')) for record in records: self.my_dict[record[0]] = record[1] """输入pageid,输出pageid以及它对应的所有adid """ def process(self, pageid): for adid in self.my_dict[pageid]: self.forward(pageid, adid)
- 动态参数代码示例。
from odps.udf import annotate from odps.udf import BaseUDTF import json @annotate('string,*->string,*') class JsonTuple(BaseUDTF): def process(self, *args): length = len(args) result = [None] * length try: obj = json.loads(args[0]) for i in range(1, length): result[i] = str(obj.get(args[i])) except Exception as err: result[0] = str(err) for i in range(1, length): result[i] = None self.forward(*result)
以上UDTF示例中,返回值个数会根据输入参数的个数来决定。输出参数中的第一个参数是一个JSON文本,后面的参数需要从JSON中根据Key进行解析。返回值中的第一个返回值是解析JSON过程中的出错信息,如果没有出错,则会根据输入的Key依次输出从JSON中解析出来的内容,使用示例如下。-- 根据输入参数的个数定制输出别名个数。 SELECT my_json_tuple(json, 'a', 'b') as (exceptions, a, b) FROM jsons; -- 变长部分可以一列都没有。 SELECT my_json_tuple(json) as exceptions FROM jsons; -- 下面这个SQL会出现运行时错误,因为别名个数与实际输出个数不符。 -- 注意编译时无法发现此错误。 SELECT my_json_tuple(json, 'a', 'b') as (exceptions, a, b, c) FROM jsons;