I have a set of .xml documents that I want to parse.
I previously have tried to parse them using methods that take the file contents and dump them into a single cell, however I've noticed this doesn't work in practice since I'm seeing slower and slower run times, often with one task taking tens of hours to run:
The first transform of mine takes the .xml contents and puts it into a single cell, and a second transform takes this string and uses Python's xml library to parse the string into a document. This document I'm then able to extract properties from and return a DataFrame.
I'm using a UDF to conduct the process of mapping the string contents to the fields I want.
How can I make this faster / work better with large .xml files?
For this problem, we're going to combine a couple of different techniques to make this code both testable and highly scalable.
Theory
When parsing raw files, you have a couple of options you can consider:
In our case, we can use the Databricks parser to great effect.
In general, you should also avoid using the
.udfmethod as it likely is being used instead of good functionality already available in the Spark API. UDFs are not as performant as native methods and should be used only when no other option is available.A good example of UDFs covering up hidden problems would be string manipulations of column contents; while you technically can use a UDF to do things like splitting and trimming strings, these things already exist in the Spark API and will be orders of magnitude faster than your own code.
Design
Our design is going to use the following:
Wire the Parser
First, we need to add the
.jarto ourspark_sessionavailable inside Transforms. Thanks to recent improvements, this argument, when configured, will allow you to use the.jarin both Preview/Test and at full build time. Previously, this would have required a full build but not so now.We need to go to our
transforms-python/build.gradlefile and add 2 blocks of config:pytestplugincondaJarsargument and declare the.jardependencyMy
/transforms-python/build.gradlenow looks like the following:After applying this config, you'll want to restart your Code Assist session by clicking on the bottom ribbon and hitting
RefreshAfter refreshing Code Assist, we now have low-level functionality available to parse our
.xmlfiles, now we need to test it!Testing the Parser
If we adopt the same style of test-driven development as here, we end up with
/transforms-python/src/myproject/datasets/xml_parse_transform.pywith the following contents:... an example file
/transforms-python/test/myproject/datasets/sample.xmlwith contents:And a test file
/transforms-python/test/myproject/datasets/test_xml_parse_transform.py:We now have:
.xmlparser that is highly scalableCheers