我可以在 apache 光束中分块处理 pcollections 吗?我可以批量制作 pcollection 并分别处理每个批次吗?

时间:2021-04-06 07:43:23

标签: python google-cloud-dataflow batch-processing apache-beam

我在 GCS 上有大约 2000 个文件,我想处理所有文件并将它们上传到 BigQuery。当我使用管道进行处理时,这些管道无法自行完成。它在处理 70% 的文件后失败或停止工作。 我决定每批制作 100 个文件。我使用 BatchElements() 这会在列表中创建一个列表,即二维列表。 这些批次是否要单独执行。意味着在第二批开始工作后,第一批的 pcollections 将自行执行(从 GCS 打开文件并将其上传到 BigQuery)。 这是以串行方式还是并行方式工作? 如果任何批次失败,我的作业会失败吗?

xml = (
        p1
        | "Get xml name" >> beam.Create(gz_names)
        | "Batch elements" >> BatchElements(100)
        | "Open file" >> beam.ParDo(ReadGCS())
        | "Create XML" >> beam.ParDo(CreateXML())
        | "Parse Json" >> beam.ParDo(JsonParser())
        | "Remove elements" >> beam.ParDo(Filtering())
        | "Build Json" >> beam.ParDo(JsonBuilder())
        | "Write elements" >> beam.io.WriteToText(file_path_prefix="output12", file_name_suffix=".json")
)

p1.run()

1 个答案:

答案 0 :(得分:1)

Beam 和其他大数据系统尝试执行优化以改进管道的执行。最简单的优化称为“融合”,即

在这种情况下,问题在于您的 CreateBatchElementsReadGCS 转换都在同一个工作器中执行,并且没有机会分配给多个工作器。

我的建议是让您尝试重新整理您的数据。这将使其能够重新分配。像这样:

xml = (
        p1
        | "Get xml name" >> beam.Create(gz_names)
        | beam.Reshuffle()  # This will redistribute your data to other workers
        | "Open file" >> beam.ParDo(ReadGCS())
        | "Create XML" >> beam.ParDo(CreateXML())
        | "Parse Json" >> beam.ParDo(JsonParser())
        | "Remove elements" >> beam.ParDo(Filtering())
        | "Build Json" >> beam.ParDo(JsonBuilder())
        | "Write elements" >> beam.io.WriteToText(file_path_prefix="output12", file_name_suffix=".json")
)

p1.run()

完成此操作后,您的管道应该能够取得更好的进展。

另一个提高管道性能的技巧:考虑使用 transforms under apache_beam.io.fileio。它们包括匹配文件名和读取文件的转换,它们在 Beam 中是标准的。

如果您想深入了解一些运行器优化,请查看 FlumeJava paper : )

相关问题