# Data Transformation

Jeffrey Heer, Dominik Moritz, Jake VanderPlas, Brock Craft

In previous notebooks we learned how to use marks and visual encodings to represent individual data records. Here we will explore methods for *transforming* data, including the use of aggregates to summarize multiple records. Data transformation is an integral part of visualization: choosing the variables to show and their level of detail is just as important as choosing appropriate visual encodings. After all, it doesn't matter how well chosen your visual encodings are if you are showing the wrong information! As you work through this module, we recommend that you open the [Altair Data Transformations documentation](https://altair-viz.github.io/user_guide/transform.html) in another tab. It will be a useful resource if at any point you'd like more details or want to see what other transformations are available. *This notebook is part of the [data visualization curriculum](https://github.com/uwdata/visualization-curriculum).* ```python id=cfd967e9-accf-4c36-861f-447a2ea51d6c import pandas as pd import altair as alt ``` # The Movies Dataset We will be working with a table of data about motion pictures, taken from the [vega-datasets](https://vega.github.io/vega-datasets/) collection. The data includes variables such as the film name, director, genre, release date, ratings, and gross revenues. However, *be careful when working with this data*: the films are from unevenly sampled years, using data combined from multiple sources. If you dig in you will find issues with missing values and even some subtle errors! Nevertheless, the data should prove interesting to explore... Let's retrieve the URL for the JSON data file from the vega_datasets package, and then read the data into a Pandas data frame so that we can inspect its contents. ```python id=a25bf677-5a05-4e23-97a4-592214fa1145 from vega_datasets import data as vega_data movies_url = vega_data.movies.url movies = pd.read_json(movies_url) ``` How many rows (records) and columns (fields) are in the movies dataset? ```python id=f2b05617-c251-4950-bd70-e98f7273531e movies.shape ``` Now let's peek at the first 5 rows of the table to get a sense of the fields and data types... ```python id=8ab95a36-c581-4fdf-9c1a-07743f0763ba movies.head(5) ``` # Histograms We'll start our transformation tour by *binning* data into discrete groups and *counting* records to summarize those groups. The resulting plots are known as *[histograms](https://en.wikipedia.org/wiki/Histogram)*. Let's first look at unaggregated data: a scatter plot showing movie ratings from Rotten Tomatoes versus ratings from IMDB users. We'll provide data to Altair by passing the movies data URL to the `Chart` method. (We could also pass the Pandas data frame directly to get the same result.) We can then encode the Rotten Tomatoes and IMDB ratings fields using the `x` and `y` channels: ```python id=3bb7ac18-0b15-4231-b0e1-5058f92358fc alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q'), alt.Y('IMDB_Rating:Q') ) ``` [result][nextjournal#output#3bb7ac18-0b15-4231-b0e1-5058f92358fc#result] To summarize this data, we can *bin* a data field to group numeric values into discrete groups. Here we bin along the x-axis by adding `bin=True` to the `x` encoding channel. The result is a set of ten bins of equal step size, each corresponding to a span of ten ratings points. ```python id=f44a34cf-b864-4126-afa8-a8269412d291 alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=True), alt.Y('IMDB_Rating:Q') ) ``` [result][nextjournal#output#f44a34cf-b864-4126-afa8-a8269412d291#result] Setting `bin=True` uses default binning settings, but we can exercise more control if desired. Let's instead set the maximum bin count (`maxbins`) to 20, which has the effect of doubling the number of bins. Now each bin corresponds to a span of five ratings points. ```python id=b05ee4d2-722b-48d6-8a2c-85f4e27c8831 alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('IMDB_Rating:Q') ) ``` [result][nextjournal#output#b05ee4d2-722b-48d6-8a2c-85f4e27c8831#result] With the data binned, let's now summarize the distribution of Rotten Tomatoes ratings. We will drop the IMDB ratings for now and instead use the `y` encoding channel to show an aggregate `count` of records, so that the vertical position of each point indicates the number of movies per Rotten Tomatoes rating bin. As the `count` aggregate counts the number of total records in each bin regardless of the field values, we do not need to include a field name in the `y` encoding. ```python id=59a31c84-73f1-472f-8dfc-ba9be27dd325 alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('count()') ) ``` [result][nextjournal#output#59a31c84-73f1-472f-8dfc-ba9be27dd325#result] To arrive at a standard histogram, let's change the mark type from `circle` to `bar`: ```python id=4ab831e4-ac8d-4c49-9b7f-17651c45b91a alt.Chart(movies_url).mark_bar().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('count()') ) ``` [result][nextjournal#output#4ab831e4-ac8d-4c49-9b7f-17651c45b91a#result] *We can now examine the distribution of ratings more clearly: we can see fewer movies on the negative end, and a bit more movies on the high end, but a generally uniform distribution overall. Rotten Tomatoes ratings are determined by taking "thumbs up" and "thumbs down" judgments from film critics and calculating the percentage of positive reviews. It appears this approach does a good job of utilizing the full range of rating values.* Similarly, we can create a histogram for IMDB ratings by changing the field in the `x` encoding channel: ```python id=0ace8b6d-18ec-4647-8e58-4031585a671e alt.Chart(movies_url).mark_bar().encode( alt.X('IMDB_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('count()') ) ``` [result][nextjournal#output#0ace8b6d-18ec-4647-8e58-4031585a671e#result] *In contrast to the more uniform distribution we saw before, IMDB ratings exhibit a bell-shaped (though [negatively skewed](https://en.wikipedia.org/wiki/Skewness)) distribution. IMDB ratings are formed by averaging scores (ranging from 1 to 10) provided by the site's users. We can see that this form of measurement leads to a different shape than the Rotten Tomatoes ratings. We can also see that the mode of the distribution is between 6.5 and 7: people generally enjoy watching movies, potentially explaining the positive bias!* Now let's turn back to our scatter plot of Rotten Tomatoes and IMDB ratings. Here's what happens if we bin *both* axes of our original plot. ```python id=24c986d3-af61-4cde-831a-29f45659ce6d alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('IMDB_Rating:Q', bin=alt.BinParams(maxbins=20)), ) ``` [result][nextjournal#output#24c986d3-af61-4cde-831a-29f45659ce6d#result] Detail is lost due to *overplotting*, with many points drawn directly on top of each other. To form a two-dimensional histogram we can add a `count` aggregate as before. As both the `x` and `y` encoding channels are already taken, we must use a different encoding channel to convey the counts. Here is the result of using circular area by adding a *size* encoding channel. ```python id=c8cf7a7d-5e5f-4467-b711-f1cde7a6c61f alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('IMDB_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Size('count()') ) ``` [result][nextjournal#output#c8cf7a7d-5e5f-4467-b711-f1cde7a6c61f#result] Alternatively, we can encode counts using the `color` channel and change the mark type to `bar`. The result is a two-dimensional histogram in the form of a *[heatmap](https://en.wikipedia.org/wiki/Heat_map)*. ```python id=779fee35-44e8-49db-a4f3-273049675167 alt.Chart(movies_url).mark_bar().encode( alt.X('Rotten_Tomatoes_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Y('IMDB_Rating:Q', bin=alt.BinParams(maxbins=20)), alt.Color('count()') ) ``` [result][nextjournal#output#779fee35-44e8-49db-a4f3-273049675167#result] Compare the *size* and *color*-based 2D histograms above. Which encoding do you think should be preferred? Why? In which plot can you more precisely compare the magnitude of individual values? In which plot can you more accurately see the overall density of ratings? # Aggregation Counts are just one type of aggregate. We might also calculate summaries using measures such as the `average`, `median`, `min`, or `max`. The Altair documentation includes the [full set of available aggregation functions](https://altair-viz.github.io/user_guide/encoding.html#encoding-aggregates). Let's look at some examples! ## Averages and Sorting *Do different genres of films receive consistently different ratings from critics?* As a first step towards answering this question, we might examine the *[average](https://en.wikipedia.org/wiki/Arithmetic_mean)*[ (a.k.a. the ](https://en.wikipedia.org/wiki/Arithmetic_mean)*[arithmetic mean](https://en.wikipedia.org/wiki/Arithmetic_mean)*[)](https://en.wikipedia.org/wiki/Arithmetic_mean) rating for each genre of movie. Let's visualize genre along the `y` axis and plot `average` Rotten Tomatoes ratings along the `x` axis. ```python id=204aeef3-bdd2-4912-a715-a895fbd6890a alt.Chart(movies_url).mark_bar().encode( alt.X('average(Rotten_Tomatoes_Rating):Q'), alt.Y('Major_Genre:N') ) ``` [result][nextjournal#output#204aeef3-bdd2-4912-a715-a895fbd6890a#result] *There does appear to be some interesting variation, but looking at the data as an alphabetical list is not very helpful for ranking critical reactions to the genres.* For a tidier picture, let's sort the genres in descending order of average rating. To do so, we will add a `sort` parameter to the `y` encoding channel, stating that we wish to sort by the *average* (`op`, the aggregate operation) Rotten Tomatoes rating (the `field`) in descending `order`. ```python id=1473ce40-e0a8-486b-a627-bb7ab728dba3 alt.Chart(movies_url).mark_bar().encode( alt.X('average(Rotten_Tomatoes_Rating):Q'), alt.Y('Major_Genre:N', sort=alt.EncodingSortField( op='average', field='Rotten_Tomatoes_Rating', order='descending') ) ) ``` [result][nextjournal#output#1473ce40-e0a8-486b-a627-bb7ab728dba3#result] *The sorted plot suggests that critics think highly of documentaries, musicals, westerns, and dramas, but look down upon romantic comedies and horror films... and who doesn't love `null` movies!?* ## Medians and the Inter-Quartile Range While averages are a common way to summarize data, they can sometimes mislead. For example, very large or very small values (*[outliers](https://en.wikipedia.org/wiki/Outlier)*) might skew the average. To be safe, we can compare the genres according to the *[median](https://en.wikipedia.org/wiki/Median)* ratings as well. The median is a point that splits the data evenly, such that half of the values are less than the median and the other half are greater. The median is less sensitive to outliers and so is referred to as a *[robust](https://en.wikipedia.org/wiki/Robust_statistics)*[ statistic](https://en.wikipedia.org/wiki/Robust_statistics). For example, arbitrarily increasing the largest rating value will not cause the median to change. Let's update our plot to use a `median` aggregate and sort by those values: ```python id=a81ec22d-405a-4ed6-83d4-3914473ef8dd alt.Chart(movies_url).mark_bar().encode( alt.X('median(Rotten_Tomatoes_Rating):Q'), alt.Y('Major_Genre:N', sort=alt.EncodingSortField( op='median', field='Rotten_Tomatoes_Rating', order='descending') ) ) ``` [result][nextjournal#output#a81ec22d-405a-4ed6-83d4-3914473ef8dd#result] *We can see that some of the genres with similar averages have swapped places (films of unknown genre, or `null`, are now rated highest!), but the overall groups have stayed stable. Horror films continue to get little love from professional film critics.* It's a good idea to stay skeptical when viewing aggregate statistics. So far we've only looked at *point estimates*. We have not examined how ratings vary within a genre. Let's visualize the variation among the ratings to add some nuance to our rankings. Here we will encode the *[inter-quartile range](https://en.wikipedia.org/wiki/Interquartile_range)*[ (IQR)](https://en.wikipedia.org/wiki/Interquartile_range) for each genre. The IQR is the range in which the middle half of data values reside. A *[quartile](https://en.wikipedia.org/wiki/Quartile)* contains 25% of the data values. The inter-quartile range consists of the two middle quartiles, and so contains the middle 50%. To visualize ranges, we can use the `x` and `x2` encoding channels to indicate the starting and ending points. We use the aggregate functions `q1` (the lower quartile boundary) and `q3` (the upper quartile boundary) to provide the inter-quartile range. (In case you are wondering, *q2* would be the median.) ```python id=40f5651e-1d64-4628-a615-838ce65f7257 alt.Chart(movies_url).mark_bar().encode( alt.X('q1(Rotten_Tomatoes_Rating):Q'), alt.X2('q3(Rotten_Tomatoes_Rating):Q'), alt.Y('Major_Genre:N', sort=alt.EncodingSortField( op='median', field='Rotten_Tomatoes_Rating', order='descending') ) ) ``` [result][nextjournal#output#40f5651e-1d64-4628-a615-838ce65f7257#result] ## Time Units *Now let's ask a completely different question: do box office returns vary by season?* To get an initial answer, let's plot the median U.S. gross revenue by month. To make this chart, use the `timeUnit` transform to map release dates to the `month` of the year. The result is similar to binning, but using meaningful time intervals. Other valid time units include `year`, `quarter`, `date` (numeric day in month), `day` (day of the week), and `hours`, as well as compound units such as `yearmonth` or `hoursminutes`. See the Altair documentation for a [complete list of time units](https://altair-viz.github.io/user_guide/transform.html#timeunit-transform). ```python id=8cc18ade-7d15-4629-8502-121534acfa25 alt.Chart(movies_url).mark_area().encode( alt.X('month(Release_Date):T'), alt.Y('median(US_Gross):Q') ) ``` [result][nextjournal#output#8cc18ade-7d15-4629-8502-121534acfa25#result] *Looking at the resulting plot, median movie sales in the U.S. appear to spike around the summer blockbuster season and the end of year holiday period. Of course, people around the world (not just the U.S.) go out to the movies. Does a similar pattern arise for worldwide gross revenue?* ```python id=c8886929-1114-49ed-955e-7534e1581186 alt.Chart(movies_url).mark_area().encode( alt.X('month(Release_Date):T'), alt.Y('median(Worldwide_Gross):Q') ) ``` [result][nextjournal#output#c8886929-1114-49ed-955e-7534e1581186#result] *Yes!* # Advanced Data Transformation The examples above all use transformations (*bin*, *timeUnit*, *aggregate*, *sort*) that are defined relative to an encoding channel. However, at times you may want to apply a chain of multiple transformations prior to visualization, or use transformations that don't integrate into encoding definitions. For such cases, Altair and Vega-Lite support data transformations defined separately from encodings. These transformations are applied to the data *before* any encodings are considered. We *could* also perform transformations using Pandas directly, and then visualize the result. However, using the built-in transforms allows our visualizations to be published more easily in other contexts; for example, exporting the Vega-Lite JSON to use in a stand-alone web interface. Let's look at the built-in transforms supported by Altair, such as `calculate`, `filter`, `aggregate`, and `window`. ## Calculate *Think back to our comparison of U.S. gross and worldwide gross. Doesn't worldwide revenue include the U.S.? (Indeed it does.) How might we get a better sense of trends outside the U.S.?* With the `calculate` transform we can derive new fields. Here we want to subtract U.S. gross from worldwide gross. The `calculate` transform takes a [Vega expression string](https://vega.github.io/vega/docs/expressions/) to define a formula over a single record. Vega expressions use JavaScript syntax. The `datum.` prefix accesses a field value on the input record. ```python id=31bd5ffb-ac3b-4709-8d98-34c0a1d4ff53 alt.Chart(movies).mark_area().transform_calculate( NonUS_Gross='datum.Worldwide_Gross - datum.US_Gross' ).encode( alt.X('month(Release_Date):T'), alt.Y('median(NonUS_Gross):Q') ) ``` [result][nextjournal#output#31bd5ffb-ac3b-4709-8d98-34c0a1d4ff53#result] *We can see that seasonal trends hold outside the U.S., but with a more pronounced decline in the non-peak months.* ## Filter The *filter* transform creates a new table with a subset of the original data, removing rows that fail to meet a provided *[predicate](https://en.wikipedia.org/wiki/Predicate_%28mathematical_logic%29)* test. Similar to the *calculate* transform, filter predicates are expressed using the [Vega expression language](https://vega.github.io/vega/docs/expressions/). Below we add a filter to limit our initial scatter plot of IMDB vs. Rotten Tomatoes ratings to only films in the major genre of "Romantic Comedy". ```python id=34e251fc-75e7-4610-80ee-465362f7878b alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q'), alt.Y('IMDB_Rating:Q') ).transform_filter('datum.Major_Genre == "Romantic Comedy"') ``` [result][nextjournal#output#34e251fc-75e7-4610-80ee-465362f7878b#result] *How does the plot change if we filter to view other genres? Edit the filter expression to find out.* Now let's filter to look at films released before 1970. ```python id=43da7714-d9ba-42e9-9c83-9d8278c59acb alt.Chart(movies_url).mark_circle().encode( alt.X('Rotten_Tomatoes_Rating:Q'), alt.Y('IMDB_Rating:Q') ).transform_filter('year(datum.Release_Date) < 1970') ``` [result][nextjournal#output#43da7714-d9ba-42e9-9c83-9d8278c59acb#result] *They seem to score unusually high! Are older films simply better, or is there a [selection bias](https://en.wikipedia.org/wiki/Selection%5Fbias) towards more highly-rated older films in this dataset?* ## Aggregate We have already seen `aggregate` transforms such as `count` and `average` in the context of encoding channels. We can also specify aggregates separately, as a pre-processing step for other transforms (as in the `window` transform examples below). The output of an `aggregate` transform is a new data table with records that contain both the `groupby` fields and the computed `aggregate` measures. Let's recreate our plot of average ratings by genre, but this time using a separate `aggregate` transform. The output table from the aggregate transform contains 13 rows, one for each genre. To order the `y` axis we must include a required aggregate operation in our sorting instructions. Here we use the `max` operator, which works fine because there is only one output record per genre. We could similarly use the `min` operator and end up with the same plot. ```python id=22a64bc7-198c-46c9-9ea1-1db98ca0eb3a alt.Chart(movies_url).mark_bar().transform_aggregate( groupby=['Major_Genre'], Average_Rating='average(Rotten_Tomatoes_Rating)' ).encode( alt.X('Average_Rating:Q'), alt.Y('Major_Genre:N', sort=alt.EncodingSortField( op='max', field='Average_Rating', order='descending' ) ) ) ``` [result][nextjournal#output#22a64bc7-198c-46c9-9ea1-1db98ca0eb3a#result] ## Window The `window` transform performs calculations over sorted groups of data records. Window transforms are quite powerful, supporting tasks such as ranking, lead/lag analysis, cumulative totals, and running sums or averages. Values calculated by a `window` transform are written back to the input data table as new fields. Window operations include the aggregate operations we've seen earlier, as well as specialized operations such as `rank`, `row_number`, `lead`, and `lag`. The Vega-Lite documentation lists [all valid window operations](https://vega.github.io/vega-lite/docs/window.html#ops). One use case for a `window` transform is to calculate top-k lists. Let's plot the top 20 directors in terms of total worldwide gross. We first use a `filter` transform to remove records for which we don't know the director. Otherwise, the director `null` would dominate the list! We then apply an `aggregate` to sum up the worldwide gross for all films, grouped by director. At this point we could plot a sorted bar chart, but we'd end up with hundreds and hundreds of directors. How can we limit the display to the top 20? The `window` transform allows us to determine the top directors by calculating their rank order. Within our `window` transform definition we can `sort` by gross and use the `rank` operation to calculate rank scores according to that sort order. We can then add a subsequent `filter` transform to limit the data to only records with a rank value less than or equal to 20. ```python id=02205e85-a103-409c-9bb9-45c92c9ee902 alt.Chart(movies_url).mark_bar().transform_filter( 'datum.Director != null' ).transform_aggregate( Gross='sum(Worldwide_Gross)', groupby=['Director'] ).transform_window( Rank='rank()', sort=[alt.SortField('Gross', order='descending')] ).transform_filter( 'datum.Rank < 20' ).encode( alt.X('Gross:Q'), alt.Y('Director:N', sort=alt.EncodingSortField( op='max', field='Gross', order='descending' )) ) ``` [result][nextjournal#output#02205e85-a103-409c-9bb9-45c92c9ee902#result] *We can see that Steven Spielberg has been quite successful in his career! However, showing sums might favor directors who have had longer careers, and so have made more movies and thus more money. What happens if we change the choice of aggregate operation? Who is the most successful director in terms of `average` or `median` gross per film? Modify the aggregate transform above!* Earlier in this notebook we looked at histograms, which approximate the *[probability density function](https://en.wikipedia.org/wiki/Probability_density_function)* of a set of values. A complementary approach is to look at the *[cumulative distribution](https://en.wikipedia.org/wiki/Cumulative_distribution_function)*. For example, think of a histogram in which each bin includes not only its own count but also the counts from all previous bins — the result is a *running total*, with the last bin containing the total number of records. A cumulative chart directly shows us, for a given reference value, how many data values are less than or equal to that reference. As a concrete example, let's look at the cumulative distribution of films by running time (in minutes). Only a subset of records actually include running time information, so we first `filter` down to the subset of films for which we have running times. Next, we apply an `aggregate` to count the number of films per duration (implicitly using "bins" of 1 minute each). We then use a `window` transform to compute a running total of counts across bins, sorted by increasing running time. ```python id=57b99219-1737-4b6d-bf2e-45cc7abe5b03 alt.Chart(movies_url).mark_line(interpolate='step-before').transform_filter( 'datum.Running_Time_min != null' ).transform_aggregate( groupby=['Running_Time_min'], Count='count()', ).transform_window( Cumulative_Sum='sum(Count)', sort=[alt.SortField('Running_Time_min', order='ascending')] ).encode( alt.X('Running_Time_min:Q', axis=alt.Axis(title='Duration (min)')), alt.Y('Cumulative_Sum:Q', axis=alt.Axis(title='Cumulative Count of Films')) ) ``` [result][nextjournal#output#57b99219-1737-4b6d-bf2e-45cc7abe5b03#result] *Let's examine the cumulative distribution of film lengths. We can see that films under 110 minutes make up about half of all the films for which we have running times. We see a steady accumulation of films between 90 minutes and 2 hours, after which the distribution begins to taper off. Though rare, the dataset does contain multiple films more than 3 hours long!* # Summary We've only scratched the surface of what data transformations can do! For more details, including all the available transformations and their parameters, see the [Altair data transformation documentation](https://altair-viz.github.io/user_guide/transform.html). Sometimes you will need to perform significant data transformation to prepare your data *prior* to using visualization tools. To engage in *[data wrangling](https://en.wikipedia.org/wiki/Data_wrangling)* right here in Python, you can use the [Pandas library](https://pandas.pydata.org/). [nextjournal#output#3bb7ac18-0b15-4231-b0e1-5058f92358fc#result]: [nextjournal#output#f44a34cf-b864-4126-afa8-a8269412d291#result]: [nextjournal#output#b05ee4d2-722b-48d6-8a2c-85f4e27c8831#result]: [nextjournal#output#59a31c84-73f1-472f-8dfc-ba9be27dd325#result]: [nextjournal#output#4ab831e4-ac8d-4c49-9b7f-17651c45b91a#result]: [nextjournal#output#0ace8b6d-18ec-4647-8e58-4031585a671e#result]: [nextjournal#output#24c986d3-af61-4cde-831a-29f45659ce6d#result]: [nextjournal#output#c8cf7a7d-5e5f-4467-b711-f1cde7a6c61f#result]: [nextjournal#output#779fee35-44e8-49db-a4f3-273049675167#result]: [nextjournal#output#204aeef3-bdd2-4912-a715-a895fbd6890a#result]: [nextjournal#output#1473ce40-e0a8-486b-a627-bb7ab728dba3#result]: [nextjournal#output#a81ec22d-405a-4ed6-83d4-3914473ef8dd#result]: [nextjournal#output#40f5651e-1d64-4628-a615-838ce65f7257#result]: [nextjournal#output#8cc18ade-7d15-4629-8502-121534acfa25#result]: [nextjournal#output#c8886929-1114-49ed-955e-7534e1581186#result]: [nextjournal#output#31bd5ffb-ac3b-4709-8d98-34c0a1d4ff53#result]: [nextjournal#output#34e251fc-75e7-4610-80ee-465362f7878b#result]: [nextjournal#output#43da7714-d9ba-42e9-9c83-9d8278c59acb#result]: [nextjournal#output#22a64bc7-198c-46c9-9ea1-1db98ca0eb3a#result]: [nextjournal#output#02205e85-a103-409c-9bb9-45c92c9ee902#result]: [nextjournal#output#57b99219-1737-4b6d-bf2e-45cc7abe5b03#result]:
This notebook was exported from https://nextjournal.com/a/LYwGXSoTLzRhQEyouPCWP?change-id=CXgtLMBQxvGefmutE7PjTi ```edn nextjournal-metadata {:article {:settings {:authors? true}, :nodes {"02205e85-a103-409c-9bb9-45c92c9ee902" {:compute-ref #uuid "76dbc0a9-91a1-4314-92fc-eda165e74631", :exec-duration 619, :id "02205e85-a103-409c-9bb9-45c92c9ee902", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "0ace8b6d-18ec-4647-8e58-4031585a671e" {:compute-ref #uuid "b344ce2b-e5a6-4fdb-b8e9-b8844124f42c", :exec-duration 623, :id "0ace8b6d-18ec-4647-8e58-4031585a671e", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "1473ce40-e0a8-486b-a627-bb7ab728dba3" {:compute-ref #uuid "d93ab62d-b1d3-4c65-a7f0-352cf427540f", :exec-duration 622, :id "1473ce40-e0a8-486b-a627-bb7ab728dba3", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "162a3859-2b0e-497e-8217-ba49f8a1c26d" {:environment [:environment {:article/nextjournal.id #uuid "02bace15-fb18-4f1d-bdb2-b1b439f6c741", :change/nextjournal.id #uuid "5d5d5771-0b0a-41f1-9f7d-b9add0fa094f", :node/id "b7d4501c-af50-4765-b6a4-cfc39d530336"}], :id "162a3859-2b0e-497e-8217-ba49f8a1c26d", :kind "runtime", :language "python", :type :nextjournal}, "204aeef3-bdd2-4912-a715-a895fbd6890a" {:compute-ref #uuid "936b62fd-d526-47e0-ae15-1f91d5c5ac79", :exec-duration 688, :id "204aeef3-bdd2-4912-a715-a895fbd6890a", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "22a64bc7-198c-46c9-9ea1-1db98ca0eb3a" {:compute-ref #uuid "9bf0851f-269b-4828-b788-8d8ac32a1626", :exec-duration 671, :id "22a64bc7-198c-46c9-9ea1-1db98ca0eb3a", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "24c986d3-af61-4cde-831a-29f45659ce6d" {:compute-ref #uuid "53094611-c57f-4dee-aa2e-e9f20432dccb", :exec-duration 657, :id "24c986d3-af61-4cde-831a-29f45659ce6d", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "31bd5ffb-ac3b-4709-8d98-34c0a1d4ff53" {:compute-ref #uuid "63291b79-c994-41fc-bccf-8f997c7b0530", :exec-duration 1161, :id "31bd5ffb-ac3b-4709-8d98-34c0a1d4ff53", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "34e251fc-75e7-4610-80ee-465362f7878b" {:compute-ref #uuid "ab539c4a-e7fe-4bab-8978-43bbce5df062", :exec-duration 682, :id "34e251fc-75e7-4610-80ee-465362f7878b", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "3bb7ac18-0b15-4231-b0e1-5058f92358fc" {:compute-ref #uuid "94ed9863-57ca-4436-bc89-d63c0c142ac0", :exec-duration 693, :id "3bb7ac18-0b15-4231-b0e1-5058f92358fc", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "40f5651e-1d64-4628-a615-838ce65f7257" {:compute-ref #uuid "e54feb93-0b4f-4cef-bf38-41f81924630f", :exec-duration 568, :id "40f5651e-1d64-4628-a615-838ce65f7257", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "43da7714-d9ba-42e9-9c83-9d8278c59acb" {:compute-ref #uuid "d120dbf6-a208-4bae-a2a1-bc88d0ad418c", :exec-duration 678, :id "43da7714-d9ba-42e9-9c83-9d8278c59acb", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "4ab831e4-ac8d-4c49-9b7f-17651c45b91a" {:compute-ref #uuid "1ffa3266-0c44-4363-8869-fbbc5a3ced4b", :exec-duration 670, :id "4ab831e4-ac8d-4c49-9b7f-17651c45b91a", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "57b99219-1737-4b6d-bf2e-45cc7abe5b03" {:compute-ref #uuid "9970989b-82ca-44d7-b2a4-9d951e23197b", :exec-duration 569, :id "57b99219-1737-4b6d-bf2e-45cc7abe5b03", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "59a31c84-73f1-472f-8dfc-ba9be27dd325" {:compute-ref #uuid "7b52e8fb-bc59-45af-b4f7-af89d7d3d798", :exec-duration 675, :id "59a31c84-73f1-472f-8dfc-ba9be27dd325", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "779fee35-44e8-49db-a4f3-273049675167" {:compute-ref #uuid "03a2e5de-e742-4e73-a8a7-e62086e7fded", :exec-duration 607, :id "779fee35-44e8-49db-a4f3-273049675167", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "8ab95a36-c581-4fdf-9c1a-07743f0763ba" {:compute-ref #uuid "71dec902-587d-4d10-94ee-15855ea3c138", :exec-duration 650, :id "8ab95a36-c581-4fdf-9c1a-07743f0763ba", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "8cc18ade-7d15-4629-8502-121534acfa25" {:compute-ref #uuid "e5dcae17-b0c8-477c-bfa9-8635a82d1cec", :exec-duration 664, :id "8cc18ade-7d15-4629-8502-121534acfa25", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "a25bf677-5a05-4e23-97a4-592214fa1145" {:compute-ref #uuid "5d30f081-073d-468c-a9ea-ac4b83e694cd", :exec-duration 770, :id "a25bf677-5a05-4e23-97a4-592214fa1145", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "a81ec22d-405a-4ed6-83d4-3914473ef8dd" {:compute-ref #uuid "fcd56747-69bb-4327-99e1-e7e38b57096d", :exec-duration 618, :id "a81ec22d-405a-4ed6-83d4-3914473ef8dd", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "b05ee4d2-722b-48d6-8a2c-85f4e27c8831" {:compute-ref #uuid "c7485213-9ba0-4f34-aff2-324b20fa33d6", :exec-duration 687, :id "b05ee4d2-722b-48d6-8a2c-85f4e27c8831", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "c8886929-1114-49ed-955e-7534e1581186" {:compute-ref #uuid "1c7b1ace-9a85-4a07-a728-c38b007ba450", :exec-duration 586, :id "c8886929-1114-49ed-955e-7534e1581186", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "c8cf7a7d-5e5f-4467-b711-f1cde7a6c61f" {:compute-ref #uuid "86a5b54d-a639-4174-8205-266e3de6fc28", :exec-duration 663, :id "c8cf7a7d-5e5f-4467-b711-f1cde7a6c61f", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "cfd967e9-accf-4c36-861f-447a2ea51d6c" {:compute-ref #uuid "bff591b2-905f-4991-be00-877a4d6905c0", :exec-duration 642, :id "cfd967e9-accf-4c36-861f-447a2ea51d6c", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "f2b05617-c251-4950-bd70-e98f7273531e" {:compute-ref #uuid "36f0515d-6e7d-409b-b2e3-cfd94572744e", :exec-duration 200, :id "f2b05617-c251-4950-bd70-e98f7273531e", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}, "f44a34cf-b864-4126-afa8-a8269412d291" {:compute-ref #uuid "289221cc-9419-4519-98a3-971280e6760c", :exec-duration 711, :id "f44a34cf-b864-4126-afa8-a8269412d291", :kind "code", :output-log-lines {:stdout 0}, :runtime [:runtime "162a3859-2b0e-497e-8217-ba49f8a1c26d"]}}, :nextjournal/id #uuid "02bad00b-5b28-4369-9ce3-ea6950f72624", :article/change {:nextjournal/id #uuid "5d5d6b1c-6e21-43cd-9ef8-3c3d3cd7f9a5"}}} ```