whylabs/whylogs-python

View on GitHub
python/examples/experimental/whylogs_UDF_examples.ipynb

Summary

Maintainability
Test Coverage
{
  "nbformat": 4,
  "nbformat_minor": 0,
  "metadata": {
    "colab": {
      "provenance": []
    },
    "kernelspec": {
      "name": "python3",
      "display_name": "Python 3"
    },
    "language_info": {
      "name": "python"
    }
  },
  "cells": [
    {
      "cell_type": "markdown",
      "source": [
        "# whylogs UDFs\n",
        "\n",
        "WARNING: UDF support is an experimental feature that is still evolving. For example, there was an incompatible UDF signature change in the whylogs 1.2.5 release. We may drop support for metric UDFs as other types of UDFs become able to handle the metric UDF use cases. Feedback on how UDFs should evolve is welcome.\n",
        "\n",
        "Sometimes you want to use whylogs to track values computed from your data along with the original input data. whylogs accepts input as either a Python dictionary representing a single row of data or a Pandas dataframe containing multiple rows. Both of these provide easy interfaces to add the results of user defined functions (UDFs) to your input data. whylogs also provides a UDF mechanism for logging computed data. It offers two advantagves over the native UDF facilities: you can easily define and apply a suite of UDFs suitable for an application area (e.g., [langkit](https://www.google.com/url?sa=t&rct=j&q=&esrc=s&source=web&cd=&cad=rja&uact=8&ved=2ahUKEwjrpa6X4aeAAxUTPEQIHTJxD7YQFnoECBUQAQ&url=https%3A%2F%2Fwhylabs.ai%2Fsafeguard-large-language-models&usg=AOvVaw202jdq6Y33iB6r0SKtmkyK&opi=89978449)), and you can easily customize which metrics whylogs tracks for each UDF output. Let's explore the whylogs UDF APIs.\n",
        "\n",
        "## Install whylogs"
      ],
      "metadata": {
        "id": "3zth_nQy00Dq"
      }
    },
    {
      "cell_type": "code",
      "execution_count": null,
      "metadata": {
        "colab": {
          "base_uri": "https://localhost:8080/"
        },
        "id": "YxjFQM3c0q6Z",
        "outputId": "dce84c9f-6dc2-4dc1-e480-f848cdc6f707"
      },
      "outputs": [
        {
          "output_type": "stream",
          "name": "stdout",
          "text": [
            "Installing collected packages: whylogs-sketching, types-urllib3, types-requests, whylabs-client, whylogs\n",
            "Successfully installed types-requests-2.31.0.2 types-urllib3-1.26.25.14 whylabs-client-0.5.3 whylogs-1.2.7 whylogs-sketching-3.4.1.dev3\n"
          ]
        }
      ],
      "source": [
        "%pip install whylogs"
      ]
    },
    {
      "cell_type": "markdown",
      "source": [
        "## Types of UDF\n",
        "\n",
        "whylogs supports four kinds of UDFs:\n",
        "\n",
        "*   Dataset UDFs take one or more named columns as input and produce a new column as output.\n",
        "*   Multioutput UDFs take one or more named columns as input and produce one or more new columns as output.\n",
        "*   Type UDFs are applied to all columns of a specified type and produce a new column as output.\n",
        "*   Metric UDFs can be applied to a column specified by name or type, and do not produce a column. Instead, their output is tracked by a whylogs `UdfMetric` instance attached to input column in the dataset profile.\n",
        "\n",
        "Dataset, multioutput, and type UDFs produce their output columns before whylogs profiles the dataset. Thus the full machinery of whylogs schema specification and segmentation apply to the output columns. The `UdfMetric` has its own submetric schema mechanism to control the statistics tracked for metric UDF output, but since metric UDFs do not create columns they cannot be used for segmentation.\n",
        "\n",
        "### Dataset UDFs\n",
        "\n",
        "The signature for dataset UDFs is\n",
        "\n",
        "`f(x: Union[Dict[str, List], pd.DataFrame]) -> Union[List, pd.Series]`\n",
        "\n",
        "The dataframe or dictionary only contains the columns the UDF is registered to access (see the section on registration below). `DataFrame` inputs may contain multiple rows. Dictionary inputs contain only a single row, but it is presented as a list containing one value. This allows UDFs to be written using the intersection of the `DataFrame` and dictionary/list APIs to handle both cases. Performance-critical UDFs can check the type of input to provide implementations optimized for the specific input type. The returned list or series should contain one value for each input row.\n",
        "\n",
        "### Multioutput UDFs\n",
        "\n",
        "The signature for multioutput UDFs is\n",
        "\n",
        "`f(Union[Dict[str, List], pd.DataFrame]) -> Union[Dict[str, List], pd.DataFrame]`\n",
        "\n",
        "These are very similar to dataset UDFs. Where dataset UDFs use the UDF's name as the name of their single output column, multioutput UDFs prepend the UDF's name to the names of the columns returned by the UDF.\n",
        "\n",
        "### Type UDFs\n",
        "\n",
        "The signature for type UDFs is\n",
        "\n",
        "`f(x: Union[List, pd.Series]) -> Union[List, pd.Series]`\n",
        "\n",
        "Since type UDFs take a single column as input, the input is presented as a single-element list representing a single row of data, or as a Pandas series representing a column. Note that the column created by a type UDF will have the input column's name prepended to it to avoid name collisions.\n",
        "\n",
        "\n",
        "### Metric UDFs\n",
        "\n",
        "The signature for metric UDFs is\n",
        "\n",
        "`f(x: Any) -> Any`\n",
        "\n",
        "Metric UDFs recieve a single value as input, and produce a single value as output. The UDF will be invoked for each element of the column the `UdfMetric` is attached to."
      ],
      "metadata": {
        "id": "hcaTK-2c-sqx"
      }
    },
    {
      "cell_type": "markdown",
      "source": [
        "## UDF Registration\n",
        "\n",
        "The easiest way to get whylogs to invoke your UDFs is to register the UDF functions with the appropriate decorator. There's a decorator for each type of UDF. Note that using the decorators requires you use the schema produced by `whylogs.experimental.core.udf_schema()`.\n",
        "\n",
        "### Dataset UDFs\n",
        "\n",
        "The `@register_dataset_udf` decorator declares dataset UDFs.\n",
        "```\n",
        "from whylogs.experimental.core.udf_schema import register_dataset_udf\n",
        "import pandas as pd\n",
        "\n",
        "@register_dataset_udf([\"mass\", \"volume\"])\n",
        "def density(data: Union[Dict[str, List], pd.DataFrame]) -> Union[List, pd.Series]:\n",
        "  if isinstance(data, pd.DataFrame):\n",
        "    return data[\"mass\"] / data[\"volume\"]\n",
        "  else:\n",
        "    return [mass / volume for mass, volume in zip(data[\"mass\"], data[\"volume\"])]\n",
        "```\n",
        "\n",
        "If you log a `DataFrame` (or single row via a dictionary) containing columns named `mass` and `volume`, a column named `density` will be added by applying the `density()` function before whylogs produces its profile. If either of the input columns is missing or the output column is already present, the UDF will not be invoked. Note that the code in the `else` branch works fine for `DataFrame` inputs as well, so the the `isinstance` check is just an optimization.\n",
        "\n",
        "The `@register_dataset_udf` decorator has several optional arguments to customize whylogs' behavior.\n",
        "```\n",
        "def register_dataset_udf(\n",
        "  col_names: List[str],\n",
        "  udf_name: Optional[str] = None,\n",
        "  metrics: Optional[List[MetricSpec]] = None,\n",
        "  namespace: Optional[str] = None,\n",
        "  schema_name: str = \"\",\n",
        "  anti_metrics: Optional[List[Metric]] = None,\n",
        ")\n",
        "```\n",
        "The `col_names` arguments lists the UDF's required input columns. The remaining arguments are optional:\n",
        "*   `udf_name` specifies the name of the UDF's output column. It defaults to the name of the function.\n",
        "*   `metrics` takes a list of `MetricSpec` instances (see [Schema Configuration](https://github.com/whylabs/whylogs/blob/mainline/python/examples/basic/Schema_Configuration.ipynb)) specifying the whylogs metrics to track for the column produced by the UDF. If this is omitted, the metrics are determined by the defualt schema or any metric specifications passed to `udf_schema()`.\n",
        "*   `anti_metrics` is an optional list of whylogs `Metric` classes to prohibit from being attached to the UDFs output column.\n",
        "*   `namespace`, if present, is prepended to the UDF name to help manage UDF name collisions.\n",
        "*   `schema_name` helps manage collections of UDFs. A UDF can be registered in a specified schema. If omitted, it will be registered to the defualt schema. `udf_schema()` merges the UDFs registered in the requested schemas.\n",
        "\n",
        "### Multioutput UDFs\n",
        "\n",
        "The `@register_multioutput_udf` decorator declares multioutput UDFs.\n",
        "```\n",
        "from whylogs.experimental.core.udf_schema import register_multioutput_udf\n",
        "import pandas as pd\n",
        "\n",
        "@register_multioutput_udf([\"x\"])\n",
        "def powers(data: Union[Dict[str, List], pd.DataFrame]) -> Union[Dict[str, List], pd.DataFrame]:\n",
        "  if isinstance(data, pd.DataFrame):\n",
        "    result = pd.DataFrame()\n",
        "    result[\"xx\"] = data[\"x\"] * data[\"x\"]\n",
        "    result[\"xxx\"] = data[\"x\"] * data[\"x\"] * data[\"x\"]\n",
        "    return result\n",
        "  else:\n",
        "    result = {\"xx\" : [data[\"x\"][0] * data[\"x\"][0]]}\n",
        "    result[\"xxx\"] = [data[\"x\"][0] * data[\"x\"][0] * data[\"x\"][0]]\n",
        "    return result\n",
        "```\n",
        "\n",
        "If you log a `DataFrame` (or single row via a dictionary) containing a column named `x`, columns named `powers.xx` and `powers.xxx` containing the squared and cubed input column will be added by applying the `powers()` function before whylogs produces its profile. If any of the input columns is missing, the UDF will not be invoked. While dataset UDFs do not execute if their output column already exists, multioutput UDFs always produce their output columns.\n",
        "\n",
        "### Type UDFs\n",
        "\n",
        "The `@register_type_udf` decorator declares type UDFs to be applied to columns of a specified type. Types can be specified as subclass of `whylogs.core.datatypes.DataType` or a plain Python type.\n",
        "```\n",
        "from whylogs.experimental.core.udf_schema import register_type_udf\n",
        "from whylogs.core.datatypes import Fractional\n",
        "import pandas as pd\n",
        "\n",
        "@register_type_udf(Fractional)\n",
        "def square(input: Union[List, pd.Series]) -> Union[List, pd.Series]:\n",
        "  return [x * x for x in input]\n",
        "```\n",
        "The `square()` function will be applied to any floating point columns in a `DataFrame` or row logged. The output columns are named `square` prepended with the input column name. In this example, we use code that works for either `DataFrame` or single row (dictionary) input.\n",
        "\n",
        "The `@register_type_udf` decorator also has optional parameters to customize its behavior:\n",
        "```\n",
        "def register_type_udf(\n",
        "    col_type: Type,\n",
        "    udf_name: Optional[str] = None,\n",
        "    namespace: Optional[str] = None,\n",
        "    schema_name: str = \"\",\n",
        "    type_mapper: Optional[TypeMapper] = None,\n",
        ")\n",
        "```\n",
        "*   `col_type` is the column type the UDF should be applied to. It can be a subclass of `whylogs.core.datatype.DataType` or a Python type. Note that the argument must be a subclass of `DataType` or `Type`, not an instance.\n",
        "*   `udf_name` specifies the suffix of the name of the UDF's output column. It defaults to the name of the function. The input column's name is the prefix.\n",
        "*   `namespace`, if present, is prepended to the UDF name to help manage UDF name collisions.\n",
        "*   `schema_name` helps manage collections of UDFs. A UDF can be registered in a specified schema. If omitted, it will be registered to the defualt schema. `udf_schema()` merges the UDFs registered in the requested schemas.\n",
        "*   `type_mapper` is an instance of `whylogs.core.datatype.TypeMapper` responsible for mapping native Python data types to a subclass of `whylogs.core.datatype.DataType`.\n",
        "\n",
        "\n",
        "### Metric UDFs\n",
        "\n",
        "\n",
        "The `@register_metric_udf` decorator declares metric UDFs to be applied to columns specified by name or type. Types can be specified as subclass of `whylogs.core.datatypes.DataType` or a plain Python type.\n",
        "```\n",
        "from whylogs.experimental.core.metrics.udf_metric import register_metric_udf\n",
        "from whylogs.core.datatypes import String\n",
        "\n",
        "@register_metric_udf(col_type=String)\n",
        "def upper(input: Any) -> Any:\n",
        "  return input.upper()\n",
        "```\n",
        "This will create a `UdfMetric` instance for all string columns. Note that there can only be one instance of a metric class for a column, so avoid specifying `UdfMetric` on string columns elswhere in your schema definition.\n",
        "\n",
        "The `UdfMetric` will have a submetric named `upper` that tracks metrics according to the default submetric schema for the `upper` UDF's return type, in this case also string.\n",
        "\n",
        "The `@register_metric_udf` decorator also has optional parameters to customize its behavior:\n",
        "```\n",
        "def register_metric_udf(\n",
        "    col_name: Optional[str] = None,\n",
        "    col_type: Optional[DataType] = None,\n",
        "    submetric_name: Optional[str] = None,\n",
        "    submetric_schema: Optional[SubmetricSchema] = None,\n",
        "    type_mapper: Optional[TypeMapper] = None,\n",
        "    namespace: Optional[str] = None,\n",
        "    schema_name: str = \"\",\n",
        ")\n",
        "```\n",
        "You must specify exactly one of either `col_name` or `col_type`.\n",
        "`col_type` can be a subclass of `whylogs.core.datatype.DataType` or a Python type. Note that the argument must be a subclass of `DataType` or `Type`, not an instance.\n",
        "*   `submetric_name` is the name of the submetric within the `UdfMetric`. It defautls to the name of the decorated function. Note that all lambdas are named \"lambda\" so omitting `submetric_name` on more than one lambda will result in name collisions. If you pass a namespace, it will be prepended to the UDF name.\n",
        "*   `submetric_schema` allows you to specify and configure the metrics to be tracked for each metric UDF. This defualts to the `STANDARD_UDF_RESOLVER` metrics.\n",
        "*   `type_mapper` is an instance of `whylogs.core.datatype.TypeMapper` responsible for mapping native Python data types to a subclass of `whylogs.core.datatype.DataType`.\n",
        "*   `namespace`, if present, is prepended to the UDF name to help manage UDF name collisions.\n",
        "*   `schema_name` helps manage collections of UDFs. A UDF can be registered in a specified schema. If omitted, it will be registered to the defualt schema. `udf_schema()` merges the UDFs registered in the requested schemas.\n",
        "\n",
        "`SubmetricSchema` is very similar to the `DeclarativeSchema` (see [Schema Configuration](https://github.com/whylabs/whylogs/blob/mainline/python/examples/basic/Schema_Configuration.ipynb)), but applies to just the submetrics within an instance of a `UdfMetric`. The defualt `STANDARD_UDF_RESOLVER` applies the same metrics as the `STANDARD_RESOLVER` for the dataset, except it does not include frequent items for string columns. You can customize the metrics tracked for your UDF outputs by specifying your own `submetric_schema`. Note that several `@register_metric_udf` decorators may apply to the same input column; you should make sure only one of the decorators is passed your submetric schema, or that they are all passed the same submetric schema.\n"
      ],
      "metadata": {
        "id": "GfHXYOhHRjPa"
      }
    },
    {
      "cell_type": "markdown",
      "source": [
        "## Examples\n",
        "\n",
        "### Logging\n",
        "\n",
        "Let's look at a full example using the UDFs defined above:"
      ],
      "metadata": {
        "id": "G3vOs4QNEGCI"
      }
    },
    {
      "cell_type": "code",
      "source": [
        "import whylogs as why\n",
        "from whylogs.core.datatypes import Fractional, String\n",
        "from whylogs.experimental.core.udf_schema import (\n",
        "  register_dataset_udf,\n",
        "  register_multioutput_udf,\n",
        "  register_type_udf,\n",
        "  udf_schema\n",
        ")\n",
        "from whylogs.experimental.core.metrics.udf_metric import register_metric_udf\n",
        "\n",
        "from typing import Any, Dict, List, Union\n",
        "import pandas as pd\n",
        "\n",
        "@register_dataset_udf([\"mass\", \"volume\"])\n",
        "def density(data: Union[Dict[str, List], pd.DataFrame]) -> Union[List, pd.Series]:\n",
        "  if isinstance(data, pd.DataFrame):\n",
        "    return data[\"mass\"] / data[\"volume\"]\n",
        "  else:\n",
        "    return [mass / volume for mass, volume in zip(data[\"mass\"], data[\"volume\"])]\n",
        "\n",
        "\n",
        "@register_multioutput_udfs([\"x\"])\n",
        "def powers(data: Union[Dict[str, List], pd.DataFrame]) -> Union[Dict[str, List], pd.DataFrame]:\n",
        "  if isinstance(data, pd.DataFrame):\n",
        "    result = pd.DataFrame()\n",
        "    result[\"xx\"] = data[\"x\"] * data[\"x\"]\n",
        "    result[\"xxx\"] = data[\"x\"] * data[\"x\"] * data[\"x\"]\n",
        "    return result\n",
        "  else:\n",
        "    result = {\"xx\": [data[\"x\"][0] * data[\"x\"][0]]}\n",
        "    result[\"xxx\"] = [data[\"x\"][0] * data[\"x\"][0] * data[\"x\"][0]]\n",
        "    return result\n",
        "\n",
        "\n",
        "@register_type_udf(Fractional)\n",
        "def square(input: Union[List, pd.Series]) -> Union[List, pd.Series]:\n",
        "  return [x * x for x in input]\n",
        "\n",
        "\n",
        "@register_metric_udf(col_type=String)\n",
        "def upper(input: Any) -> Any:\n",
        "  return input.upper()\n",
        "\n",
        "\n",
        "df = pd.DataFrame({\n",
        "    \"mass\": [1, 2, 3],\n",
        "    \"volume\": [4, 5, 6],\n",
        "    \"score\": [1.9, 4.2, 3.1],\n",
        "    \"lower\": [\"a\", \"b\", \"c\"],\n",
        "    \"x\": [1, 2, 3]\n",
        "})\n",
        "schema = udf_schema()\n",
        "result = why.log(df, schema=schema)\n",
        "result.view().to_pandas()\n"
      ],
      "metadata": {
        "colab": {
          "base_uri": "https://localhost:8080/",
          "height": 364
        },
        "id": "LVKWYEwkEXd5",
        "outputId": "470b8700-b22e-4912-d9e7-037922c1b694"
      },
      "execution_count": null,
      "outputs": [
        {
          "output_type": "execute_result",
          "data": {
            "text/plain": [
              "              cardinality/est  cardinality/lower_1  cardinality/upper_1  \\\n",
              "column                                                                    \n",
              "density                   3.0                  3.0              3.00015   \n",
              "lower                     3.0                  3.0              3.00015   \n",
              "mass                      3.0                  3.0              3.00015   \n",
              "score                     3.0                  3.0              3.00015   \n",
              "score.square              3.0                  3.0              3.00015   \n",
              "volume                    3.0                  3.0              3.00015   \n",
              "\n",
              "              counts/inf  counts/n  counts/nan  counts/null  distribution/max  \\\n",
              "column                                                                          \n",
              "density                0         3           0            0              0.50   \n",
              "lower                  0         3           0            0               NaN   \n",
              "mass                   0         3           0            0              3.00   \n",
              "score                  0         3           0            0              4.20   \n",
              "score.square           0         3           0            0             17.64   \n",
              "volume                 0         3           0            0              6.00   \n",
              "\n",
              "              distribution/mean  distribution/median  ...  \\\n",
              "column                                                ...   \n",
              "density                0.383333                 0.40  ...   \n",
              "lower                  0.000000                  NaN  ...   \n",
              "mass                   2.000000                 2.00  ...   \n",
              "score                  3.066667                 3.10  ...   \n",
              "score.square          10.286667                 9.61  ...   \n",
              "volume                 5.000000                 5.00  ...   \n",
              "\n",
              "              udf/upper:distribution/stddev  \\\n",
              "column                                        \n",
              "density                                 NaN   \n",
              "lower                                   0.0   \n",
              "mass                                    NaN   \n",
              "score                                   NaN   \n",
              "score.square                            NaN   \n",
              "volume                                  NaN   \n",
              "\n",
              "                      udf/upper:frequent_items/frequent_strings  \\\n",
              "column                                                            \n",
              "density                                                     NaN   \n",
              "lower         [FrequentItem(value='A', est=1, upper=1, lower...   \n",
              "mass                                                        NaN   \n",
              "score                                                       NaN   \n",
              "score.square                                                NaN   \n",
              "volume                                                      NaN   \n",
              "\n",
              "              udf/upper:types/boolean  udf/upper:types/fractional  \\\n",
              "column                                                              \n",
              "density                           NaN                         NaN   \n",
              "lower                             0.0                         0.0   \n",
              "mass                              NaN                         NaN   \n",
              "score                             NaN                         NaN   \n",
              "score.square                      NaN                         NaN   \n",
              "volume                            NaN                         NaN   \n",
              "\n",
              "              udf/upper:types/integral  udf/upper:types/object  \\\n",
              "column                                                           \n",
              "density                            NaN                     NaN   \n",
              "lower                              0.0                     0.0   \n",
              "mass                               NaN                     NaN   \n",
              "score                              NaN                     NaN   \n",
              "score.square                       NaN                     NaN   \n",
              "volume                             NaN                     NaN   \n",
              "\n",
              "              udf/upper:types/string  udf/upper:types/tensor  ints/max  \\\n",
              "column                                                                   \n",
              "density                          NaN                     NaN       NaN   \n",
              "lower                            3.0                     0.0       NaN   \n",
              "mass                             NaN                     NaN       3.0   \n",
              "score                            NaN                     NaN       NaN   \n",
              "score.square                     NaN                     NaN       NaN   \n",
              "volume                           NaN                     NaN       6.0   \n",
              "\n",
              "              ints/min  \n",
              "column                  \n",
              "density            NaN  \n",
              "lower              NaN  \n",
              "mass               1.0  \n",
              "score              NaN  \n",
              "score.square       NaN  \n",
              "volume             4.0  \n",
              "\n",
              "[6 rows x 58 columns]"
            ],
            "text/html": [
              "\n",
              "\n",
              "  <div id=\"df-7f35e440-c6b9-4519-be9a-2c3c51852920\">\n",
              "    <div class=\"colab-df-container\">\n",
              "      <div>\n",
              "<style scoped>\n",
              "    .dataframe tbody tr th:only-of-type {\n",
              "        vertical-align: middle;\n",
              "    }\n",
              "\n",
              "    .dataframe tbody tr th {\n",
              "        vertical-align: top;\n",
              "    }\n",
              "\n",
              "    .dataframe thead th {\n",
              "        text-align: right;\n",
              "    }\n",
              "</style>\n",
              "<table border=\"1\" class=\"dataframe\">\n",
              "  <thead>\n",
              "    <tr style=\"text-align: right;\">\n",
              "      <th></th>\n",
              "      <th>cardinality/est</th>\n",
              "      <th>cardinality/lower_1</th>\n",
              "      <th>cardinality/upper_1</th>\n",
              "      <th>counts/inf</th>\n",
              "      <th>counts/n</th>\n",
              "      <th>counts/nan</th>\n",
              "      <th>counts/null</th>\n",
              "      <th>distribution/max</th>\n",
              "      <th>distribution/mean</th>\n",
              "      <th>distribution/median</th>\n",
              "      <th>...</th>\n",
              "      <th>udf/upper:distribution/stddev</th>\n",
              "      <th>udf/upper:frequent_items/frequent_strings</th>\n",
              "      <th>udf/upper:types/boolean</th>\n",
              "      <th>udf/upper:types/fractional</th>\n",
              "      <th>udf/upper:types/integral</th>\n",
              "      <th>udf/upper:types/object</th>\n",
              "      <th>udf/upper:types/string</th>\n",
              "      <th>udf/upper:types/tensor</th>\n",
              "      <th>ints/max</th>\n",
              "      <th>ints/min</th>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>column</th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "      <th></th>\n",
              "    </tr>\n",
              "  </thead>\n",
              "  <tbody>\n",
              "    <tr>\n",
              "      <th>density</th>\n",
              "      <td>3.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>3.00015</td>\n",
              "      <td>0</td>\n",
              "      <td>3</td>\n",
              "      <td>0</td>\n",
              "      <td>0</td>\n",
              "      <td>0.50</td>\n",
              "      <td>0.383333</td>\n",
              "      <td>0.40</td>\n",
              "      <td>...</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>lower</th>\n",
              "      <td>3.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>3.00015</td>\n",
              "      <td>0</td>\n",
              "      <td>3</td>\n",
              "      <td>0</td>\n",
              "      <td>0</td>\n",
              "      <td>NaN</td>\n",
              "      <td>0.000000</td>\n",
              "      <td>NaN</td>\n",
              "      <td>...</td>\n",
              "      <td>0.0</td>\n",
              "      <td>[FrequentItem(value='A', est=1, upper=1, lower...</td>\n",
              "      <td>0.0</td>\n",
              "      <td>0.0</td>\n",
              "      <td>0.0</td>\n",
              "      <td>0.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>0.0</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>mass</th>\n",
              "      <td>3.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>3.00015</td>\n",
              "      <td>0</td>\n",
              "      <td>3</td>\n",
              "      <td>0</td>\n",
              "      <td>0</td>\n",
              "      <td>3.00</td>\n",
              "      <td>2.000000</td>\n",
              "      <td>2.00</td>\n",
              "      <td>...</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>3.0</td>\n",
              "      <td>1.0</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>score</th>\n",
              "      <td>3.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>3.00015</td>\n",
              "      <td>0</td>\n",
              "      <td>3</td>\n",
              "      <td>0</td>\n",
              "      <td>0</td>\n",
              "      <td>4.20</td>\n",
              "      <td>3.066667</td>\n",
              "      <td>3.10</td>\n",
              "      <td>...</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>score.square</th>\n",
              "      <td>3.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>3.00015</td>\n",
              "      <td>0</td>\n",
              "      <td>3</td>\n",
              "      <td>0</td>\n",
              "      <td>0</td>\n",
              "      <td>17.64</td>\n",
              "      <td>10.286667</td>\n",
              "      <td>9.61</td>\n",
              "      <td>...</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>volume</th>\n",
              "      <td>3.0</td>\n",
              "      <td>3.0</td>\n",
              "      <td>3.00015</td>\n",
              "      <td>0</td>\n",
              "      <td>3</td>\n",
              "      <td>0</td>\n",
              "      <td>0</td>\n",
              "      <td>6.00</td>\n",
              "      <td>5.000000</td>\n",
              "      <td>5.00</td>\n",
              "      <td>...</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>NaN</td>\n",
              "      <td>6.0</td>\n",
              "      <td>4.0</td>\n",
              "    </tr>\n",
              "  </tbody>\n",
              "</table>\n",
              "<p>6 rows × 58 columns</p>\n",
              "</div>\n",
              "      <button class=\"colab-df-convert\" onclick=\"convertToInteractive('df-7f35e440-c6b9-4519-be9a-2c3c51852920')\"\n",
              "              title=\"Convert this dataframe to an interactive table.\"\n",
              "              style=\"display:none;\">\n",
              "\n",
              "  <svg xmlns=\"http://www.w3.org/2000/svg\" height=\"24px\"viewBox=\"0 0 24 24\"\n",
              "       width=\"24px\">\n",
              "    <path d=\"M0 0h24v24H0V0z\" fill=\"none\"/>\n",
              "    <path d=\"M18.56 5.44l.94 2.06.94-2.06 2.06-.94-2.06-.94-.94-2.06-.94 2.06-2.06.94zm-11 1L8.5 8.5l.94-2.06 2.06-.94-2.06-.94L8.5 2.5l-.94 2.06-2.06.94zm10 10l.94 2.06.94-2.06 2.06-.94-2.06-.94-.94-2.06-.94 2.06-2.06.94z\"/><path d=\"M17.41 7.96l-1.37-1.37c-.4-.4-.92-.59-1.43-.59-.52 0-1.04.2-1.43.59L10.3 9.45l-7.72 7.72c-.78.78-.78 2.05 0 2.83L4 21.41c.39.39.9.59 1.41.59.51 0 1.02-.2 1.41-.59l7.78-7.78 2.81-2.81c.8-.78.8-2.07 0-2.86zM5.41 20L4 18.59l7.72-7.72 1.47 1.35L5.41 20z\"/>\n",
              "  </svg>\n",
              "      </button>\n",
              "\n",
              "\n",
              "\n",
              "    <div id=\"df-26c56976-bda9-4461-b13e-2802338be2bf\">\n",
              "      <button class=\"colab-df-quickchart\" onclick=\"quickchart('df-26c56976-bda9-4461-b13e-2802338be2bf')\"\n",
              "              title=\"Suggest charts.\"\n",
              "              style=\"display:none;\">\n",
              "\n",
              "<svg xmlns=\"http://www.w3.org/2000/svg\" height=\"24px\"viewBox=\"0 0 24 24\"\n",
              "     width=\"24px\">\n",
              "    <g>\n",
              "        <path d=\"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zM9 17H7v-7h2v7zm4 0h-2V7h2v10zm4 0h-2v-4h2v4z\"/>\n",
              "    </g>\n",
              "</svg>\n",
              "      </button>\n",
              "    </div>\n",
              "\n",
              "<style>\n",
              "  .colab-df-quickchart {\n",
              "    background-color: #E8F0FE;\n",
              "    border: none;\n",
              "    border-radius: 50%;\n",
              "    cursor: pointer;\n",
              "    display: none;\n",
              "    fill: #1967D2;\n",
              "    height: 32px;\n",
              "    padding: 0 0 0 0;\n",
              "    width: 32px;\n",
              "  }\n",
              "\n",
              "  .colab-df-quickchart:hover {\n",
              "    background-color: #E2EBFA;\n",
              "    box-shadow: 0px 1px 2px rgba(60, 64, 67, 0.3), 0px 1px 3px 1px rgba(60, 64, 67, 0.15);\n",
              "    fill: #174EA6;\n",
              "  }\n",
              "\n",
              "  [theme=dark] .colab-df-quickchart {\n",
              "    background-color: #3B4455;\n",
              "    fill: #D2E3FC;\n",
              "  }\n",
              "\n",
              "  [theme=dark] .colab-df-quickchart:hover {\n",
              "    background-color: #434B5C;\n",
              "    box-shadow: 0px 1px 3px 1px rgba(0, 0, 0, 0.15);\n",
              "    filter: drop-shadow(0px 1px 2px rgba(0, 0, 0, 0.3));\n",
              "    fill: #FFFFFF;\n",
              "  }\n",
              "</style>\n",
              "\n",
              "    <script>\n",
              "      async function quickchart(key) {\n",
              "        const containerElement = document.querySelector('#' + key);\n",
              "        const charts = await google.colab.kernel.invokeFunction(\n",
              "            'suggestCharts', [key], {});\n",
              "      }\n",
              "    </script>\n",
              "\n",
              "      <script>\n",
              "\n",
              "function displayQuickchartButton(domScope) {\n",
              "  let quickchartButtonEl =\n",
              "    domScope.querySelector('#df-26c56976-bda9-4461-b13e-2802338be2bf button.colab-df-quickchart');\n",
              "  quickchartButtonEl.style.display =\n",
              "    google.colab.kernel.accessAllowed ? 'block' : 'none';\n",
              "}\n",
              "\n",
              "        displayQuickchartButton(document);\n",
              "      </script>\n",
              "      <style>\n",
              "    .colab-df-container {\n",
              "      display:flex;\n",
              "      flex-wrap:wrap;\n",
              "      gap: 12px;\n",
              "    }\n",
              "\n",
              "    .colab-df-convert {\n",
              "      background-color: #E8F0FE;\n",
              "      border: none;\n",
              "      border-radius: 50%;\n",
              "      cursor: pointer;\n",
              "      display: none;\n",
              "      fill: #1967D2;\n",
              "      height: 32px;\n",
              "      padding: 0 0 0 0;\n",
              "      width: 32px;\n",
              "    }\n",
              "\n",
              "    .colab-df-convert:hover {\n",
              "      background-color: #E2EBFA;\n",
              "      box-shadow: 0px 1px 2px rgba(60, 64, 67, 0.3), 0px 1px 3px 1px rgba(60, 64, 67, 0.15);\n",
              "      fill: #174EA6;\n",
              "    }\n",
              "\n",
              "    [theme=dark] .colab-df-convert {\n",
              "      background-color: #3B4455;\n",
              "      fill: #D2E3FC;\n",
              "    }\n",
              "\n",
              "    [theme=dark] .colab-df-convert:hover {\n",
              "      background-color: #434B5C;\n",
              "      box-shadow: 0px 1px 3px 1px rgba(0, 0, 0, 0.15);\n",
              "      filter: drop-shadow(0px 1px 2px rgba(0, 0, 0, 0.3));\n",
              "      fill: #FFFFFF;\n",
              "    }\n",
              "  </style>\n",
              "\n",
              "      <script>\n",
              "        const buttonEl =\n",
              "          document.querySelector('#df-7f35e440-c6b9-4519-be9a-2c3c51852920 button.colab-df-convert');\n",
              "        buttonEl.style.display =\n",
              "          google.colab.kernel.accessAllowed ? 'block' : 'none';\n",
              "\n",
              "        async function convertToInteractive(key) {\n",
              "          const element = document.querySelector('#df-7f35e440-c6b9-4519-be9a-2c3c51852920');\n",
              "          const dataTable =\n",
              "            await google.colab.kernel.invokeFunction('convertToInteractive',\n",
              "                                                     [key], {});\n",
              "          if (!dataTable) return;\n",
              "\n",
              "          const docLinkHtml = 'Like what you see? Visit the ' +\n",
              "            '<a target=\"_blank\" href=https://colab.research.google.com/notebooks/data_table.ipynb>data table notebook</a>'\n",
              "            + ' to learn more about interactive tables.';\n",
              "          element.innerHTML = '';\n",
              "          dataTable['output_type'] = 'display_data';\n",
              "          await google.colab.output.renderOutput(dataTable, element);\n",
              "          const docLink = document.createElement('div');\n",
              "          docLink.innerHTML = docLinkHtml;\n",
              "          element.appendChild(docLink);\n",
              "        }\n",
              "      </script>\n",
              "    </div>\n",
              "  </div>\n"
            ]
          },
          "metadata": {},
          "execution_count": 3
        }
      ]
    },
    {
      "cell_type": "code",
      "source": [
        "result.view().get_column(\"lower\").get_metric(\"udf\").to_summary_dict()[\"upper:frequent_items/frequent_strings\"]"
      ],
      "metadata": {
        "colab": {
          "base_uri": "https://localhost:8080/"
        },
        "id": "t_q4gAsyJHhq",
        "outputId": "54dae1e6-18b6-4a49-f98d-91063c5986f6"
      },
      "execution_count": null,
      "outputs": [
        {
          "output_type": "execute_result",
          "data": {
            "text/plain": [
              "[FrequentItem(value='A', est=1, upper=1, lower=1),\n",
              " FrequentItem(value='C', est=1, upper=1, lower=1),\n",
              " FrequentItem(value='B', est=1, upper=1, lower=1)]"
            ]
          },
          "metadata": {},
          "execution_count": 4
        }
      ]
    },
    {
      "cell_type": "markdown",
      "source": [
        "### Direct invocation\n",
        "\n",
        "Sometimes you might want to apply the UDFs before or instead of logging data for profiling. You can do that with the `apply_udfs()` method of the `UdfSchema`."
      ],
      "metadata": {
        "id": "1aosQlxp3LX9"
      }
    },
    {
      "cell_type": "code",
      "source": [
        "new_df, _ = schema.apply_udfs(df)\n",
        "new_df"
      ],
      "metadata": {
        "colab": {
          "base_uri": "https://localhost:8080/",
          "height": 164
        },
        "id": "rPajILVsJtaf",
        "outputId": "c20857f4-5dae-4e6a-a283-c09a2036075d"
      },
      "execution_count": null,
      "outputs": [
        {
          "output_type": "execute_result",
          "data": {
            "text/plain": [
              "   mass  volume  score lower  density  score.square\n",
              "0     1       4    1.9     a     0.25          3.61\n",
              "1     2       5    4.2     b     0.40         17.64\n",
              "2     3       6    3.1     c     0.50          9.61"
            ],
            "text/html": [
              "\n",
              "\n",
              "  <div id=\"df-433580a6-842c-4f9e-801c-61c3b9512eba\">\n",
              "    <div class=\"colab-df-container\">\n",
              "      <div>\n",
              "<style scoped>\n",
              "    .dataframe tbody tr th:only-of-type {\n",
              "        vertical-align: middle;\n",
              "    }\n",
              "\n",
              "    .dataframe tbody tr th {\n",
              "        vertical-align: top;\n",
              "    }\n",
              "\n",
              "    .dataframe thead th {\n",
              "        text-align: right;\n",
              "    }\n",
              "</style>\n",
              "<table border=\"1\" class=\"dataframe\">\n",
              "  <thead>\n",
              "    <tr style=\"text-align: right;\">\n",
              "      <th></th>\n",
              "      <th>mass</th>\n",
              "      <th>volume</th>\n",
              "      <th>score</th>\n",
              "      <th>lower</th>\n",
              "      <th>density</th>\n",
              "      <th>score.square</th>\n",
              "    </tr>\n",
              "  </thead>\n",
              "  <tbody>\n",
              "    <tr>\n",
              "      <th>0</th>\n",
              "      <td>1</td>\n",
              "      <td>4</td>\n",
              "      <td>1.9</td>\n",
              "      <td>a</td>\n",
              "      <td>0.25</td>\n",
              "      <td>3.61</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>1</th>\n",
              "      <td>2</td>\n",
              "      <td>5</td>\n",
              "      <td>4.2</td>\n",
              "      <td>b</td>\n",
              "      <td>0.40</td>\n",
              "      <td>17.64</td>\n",
              "    </tr>\n",
              "    <tr>\n",
              "      <th>2</th>\n",
              "      <td>3</td>\n",
              "      <td>6</td>\n",
              "      <td>3.1</td>\n",
              "      <td>c</td>\n",
              "      <td>0.50</td>\n",
              "      <td>9.61</td>\n",
              "    </tr>\n",
              "  </tbody>\n",
              "</table>\n",
              "</div>\n",
              "      <button class=\"colab-df-convert\" onclick=\"convertToInteractive('df-433580a6-842c-4f9e-801c-61c3b9512eba')\"\n",
              "              title=\"Convert this dataframe to an interactive table.\"\n",
              "              style=\"display:none;\">\n",
              "\n",
              "  <svg xmlns=\"http://www.w3.org/2000/svg\" height=\"24px\"viewBox=\"0 0 24 24\"\n",
              "       width=\"24px\">\n",
              "    <path d=\"M0 0h24v24H0V0z\" fill=\"none\"/>\n",
              "    <path d=\"M18.56 5.44l.94 2.06.94-2.06 2.06-.94-2.06-.94-.94-2.06-.94 2.06-2.06.94zm-11 1L8.5 8.5l.94-2.06 2.06-.94-2.06-.94L8.5 2.5l-.94 2.06-2.06.94zm10 10l.94 2.06.94-2.06 2.06-.94-2.06-.94-.94-2.06-.94 2.06-2.06.94z\"/><path d=\"M17.41 7.96l-1.37-1.37c-.4-.4-.92-.59-1.43-.59-.52 0-1.04.2-1.43.59L10.3 9.45l-7.72 7.72c-.78.78-.78 2.05 0 2.83L4 21.41c.39.39.9.59 1.41.59.51 0 1.02-.2 1.41-.59l7.78-7.78 2.81-2.81c.8-.78.8-2.07 0-2.86zM5.41 20L4 18.59l7.72-7.72 1.47 1.35L5.41 20z\"/>\n",
              "  </svg>\n",
              "      </button>\n",
              "\n",
              "\n",
              "\n",
              "    <div id=\"df-656d6763-94db-442e-8057-58b20186bb81\">\n",
              "      <button class=\"colab-df-quickchart\" onclick=\"quickchart('df-656d6763-94db-442e-8057-58b20186bb81')\"\n",
              "              title=\"Suggest charts.\"\n",
              "              style=\"display:none;\">\n",
              "\n",
              "<svg xmlns=\"http://www.w3.org/2000/svg\" height=\"24px\"viewBox=\"0 0 24 24\"\n",
              "     width=\"24px\">\n",
              "    <g>\n",
              "        <path d=\"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zM9 17H7v-7h2v7zm4 0h-2V7h2v10zm4 0h-2v-4h2v4z\"/>\n",
              "    </g>\n",
              "</svg>\n",
              "      </button>\n",
              "    </div>\n",
              "\n",
              "<style>\n",
              "  .colab-df-quickchart {\n",
              "    background-color: #E8F0FE;\n",
              "    border: none;\n",
              "    border-radius: 50%;\n",
              "    cursor: pointer;\n",
              "    display: none;\n",
              "    fill: #1967D2;\n",
              "    height: 32px;\n",
              "    padding: 0 0 0 0;\n",
              "    width: 32px;\n",
              "  }\n",
              "\n",
              "  .colab-df-quickchart:hover {\n",
              "    background-color: #E2EBFA;\n",
              "    box-shadow: 0px 1px 2px rgba(60, 64, 67, 0.3), 0px 1px 3px 1px rgba(60, 64, 67, 0.15);\n",
              "    fill: #174EA6;\n",
              "  }\n",
              "\n",
              "  [theme=dark] .colab-df-quickchart {\n",
              "    background-color: #3B4455;\n",
              "    fill: #D2E3FC;\n",
              "  }\n",
              "\n",
              "  [theme=dark] .colab-df-quickchart:hover {\n",
              "    background-color: #434B5C;\n",
              "    box-shadow: 0px 1px 3px 1px rgba(0, 0, 0, 0.15);\n",
              "    filter: drop-shadow(0px 1px 2px rgba(0, 0, 0, 0.3));\n",
              "    fill: #FFFFFF;\n",
              "  }\n",
              "</style>\n",
              "\n",
              "    <script>\n",
              "      async function quickchart(key) {\n",
              "        const containerElement = document.querySelector('#' + key);\n",
              "        const charts = await google.colab.kernel.invokeFunction(\n",
              "            'suggestCharts', [key], {});\n",
              "      }\n",
              "    </script>\n",
              "\n",
              "      <script>\n",
              "\n",
              "function displayQuickchartButton(domScope) {\n",
              "  let quickchartButtonEl =\n",
              "    domScope.querySelector('#df-656d6763-94db-442e-8057-58b20186bb81 button.colab-df-quickchart');\n",
              "  quickchartButtonEl.style.display =\n",
              "    google.colab.kernel.accessAllowed ? 'block' : 'none';\n",
              "}\n",
              "\n",
              "        displayQuickchartButton(document);\n",
              "      </script>\n",
              "      <style>\n",
              "    .colab-df-container {\n",
              "      display:flex;\n",
              "      flex-wrap:wrap;\n",
              "      gap: 12px;\n",
              "    }\n",
              "\n",
              "    .colab-df-convert {\n",
              "      background-color: #E8F0FE;\n",
              "      border: none;\n",
              "      border-radius: 50%;\n",
              "      cursor: pointer;\n",
              "      display: none;\n",
              "      fill: #1967D2;\n",
              "      height: 32px;\n",
              "      padding: 0 0 0 0;\n",
              "      width: 32px;\n",
              "    }\n",
              "\n",
              "    .colab-df-convert:hover {\n",
              "      background-color: #E2EBFA;\n",
              "      box-shadow: 0px 1px 2px rgba(60, 64, 67, 0.3), 0px 1px 3px 1px rgba(60, 64, 67, 0.15);\n",
              "      fill: #174EA6;\n",
              "    }\n",
              "\n",
              "    [theme=dark] .colab-df-convert {\n",
              "      background-color: #3B4455;\n",
              "      fill: #D2E3FC;\n",
              "    }\n",
              "\n",
              "    [theme=dark] .colab-df-convert:hover {\n",
              "      background-color: #434B5C;\n",
              "      box-shadow: 0px 1px 3px 1px rgba(0, 0, 0, 0.15);\n",
              "      filter: drop-shadow(0px 1px 2px rgba(0, 0, 0, 0.3));\n",
              "      fill: #FFFFFF;\n",
              "    }\n",
              "  </style>\n",
              "\n",
              "      <script>\n",
              "        const buttonEl =\n",
              "          document.querySelector('#df-433580a6-842c-4f9e-801c-61c3b9512eba button.colab-df-convert');\n",
              "        buttonEl.style.display =\n",
              "          google.colab.kernel.accessAllowed ? 'block' : 'none';\n",
              "\n",
              "        async function convertToInteractive(key) {\n",
              "          const element = document.querySelector('#df-433580a6-842c-4f9e-801c-61c3b9512eba');\n",
              "          const dataTable =\n",
              "            await google.colab.kernel.invokeFunction('convertToInteractive',\n",
              "                                                     [key], {});\n",
              "          if (!dataTable) return;\n",
              "\n",
              "          const docLinkHtml = 'Like what you see? Visit the ' +\n",
              "            '<a target=\"_blank\" href=https://colab.research.google.com/notebooks/data_table.ipynb>data table notebook</a>'\n",
              "            + ' to learn more about interactive tables.';\n",
              "          element.innerHTML = '';\n",
              "          dataTable['output_type'] = 'display_data';\n",
              "          await google.colab.output.renderOutput(dataTable, element);\n",
              "          const docLink = document.createElement('div');\n",
              "          docLink.innerHTML = docLinkHtml;\n",
              "          element.appendChild(docLink);\n",
              "        }\n",
              "      </script>\n",
              "    </div>\n",
              "  </div>\n"
            ]
          },
          "metadata": {},
          "execution_count": 7
        }
      ]
    },
    {
      "cell_type": "code",
      "source": [
        "_, new_row = schema.apply_udfs(row={\"mass\": 4, \"volume\": 7, \"score\": 2.0, \"lower\": \"d\"})\n",
        "new_row"
      ],
      "metadata": {
        "colab": {
          "base_uri": "https://localhost:8080/"
        },
        "id": "J6R9Aauv4qmW",
        "outputId": "b9c6b175-8bd1-4caa-a854-c57820c1509d"
      },
      "execution_count": null,
      "outputs": [
        {
          "output_type": "execute_result",
          "data": {
            "text/plain": [
              "{'mass': 4,\n",
              " 'volume': 7,\n",
              " 'score': 2.0,\n",
              " 'lower': 'd',\n",
              " 'density': 0.5714285714285714,\n",
              " 'score.square': 4.0}"
            ]
          },
          "metadata": {},
          "execution_count": 8
        }
      ]
    },
    {
      "cell_type": "markdown",
      "source": [
        "Note that metric UDFs are not applied in this case, because metric UDFs are invoked by the `UdfMetric`. Since we are not profiling in this case, no whylogs metrics exist to invoke them.\n",
        "\n",
        "Also note that dataset and type UDFs are not invoked if their output columns are already present in the input. So in this case `why.log(new_df, schema=schema)` will only execute the metric UDFs since the other UDF columns are already there."
      ],
      "metadata": {
        "id": "ni-9541hKfe-"
      }
    }
  ]
}