在 Java 中更新 BigQuery 架构/添加新列

Sim*_*mer 1 java schema google-bigquery

我需要通过 Java 更新 BigQuery 表架构。更改将是附加的(仅添加新列)。

我正在努力寻找实现这一目标的方法。在 Python 中,可能是这样的:

table_ref = client.dataset(dataset_id).table(table_id)
table = client.get_table(table_ref)  # API request

original_schema = table.schema
new_schema = original_schema[:]  # creates a copy of the schema
new_schema.append(bigquery.SchemaField('phone', 'STRING'))

table.schema = new_schema
table = client.update_table(table, ['schema'])  # API request
Run Code Online (Sandbox Code Playgroud)

在页面https://cloud.google.com/bigquery/docs/managing-table-schemas上,声明使用补丁端点来执行此任务。

提出了一个问题来改进补丁 API,但我不知道结果https://github.com/googleapis/google-cloud-java/issues/1564

这是补丁类文档的链接:https://developers.google.com/resources/api-libraries/documentation/bigquery/v2/java/latest/com/google/api/services/bigquery/Bigquery.Tables。 Patch.html#set-java.lang.String-java.lang.Object-

任何帮助将不胜感激。谢谢

dse*_*sto 5

Java 中的想法与您共享的 Python 示例中的想法相同,即获取当前模式并向其添加新列。您可以使用我准备的代码片段来实现此目的,如下所示:

// Instantiate the BQ client
BigQuery bigquery = BigQueryOptions.getDefaultInstance().getService();

// Get the table, schema and fields from the already-existing table
Table table = bigquery.getTable(TableId.of("PROJECT_ID", "DATASET", "TABLE"));
Schema schema = table.getDefinition().getSchema();
FieldList fields = schema.getFields();

// Create the new field
Field newField = Field.of("column2", LegacySQLTypeName.STRING);

// Create a new schema adding the current fields, plus the new one
List<Field> field_list = new ArrayList<Field>();
for (Field f : fields) {
    field_list.add(f);
}
field_list.add(newField);
Schema newSchema = Schema.of(field_list);

// Update the table with the new schema
Table updatedTable = table.toBuilder().setDefinition(StandardTableDefinition.of(newSchema)).build().update();
Run Code Online (Sandbox Code Playgroud)

此代码正在使用该com.google.cloud.bigquery包(请参阅此处的文档)。然后,它按照表文档中的示例指定架构定义,最后更新它。