Skip to main content
Version: 0.14.13

How to create a Custom Column Aggregate Expectation

ColumnExpectations are one of the most common types of ExpectationA verifiable assertion about data.. They are evaluated for a single column, and produce an aggregate MetricA computed attribute of data such as the mean of a column., such as a mean, standard deviation, number of unique values, column type, etc. If that Metric meets the conditions you set, the Expectation considers that data valid.

This guide will walk you through the process of creating your own custom ColumnExpectation.

Prerequisites: This how-to guide assumes you have:

Steps

1. Choose a name for your Expectation

First, decide on a name for your own Expectation. By convention, ColumnExpectations always start with expect_column_. For more on Expectation naming conventions, see the Expectations section of the Code Style Guide.

Your Expectation will have two versions of the same name: a CamelCaseName and a snake_case_name. For example, this tutorial will use:

  • ExpectColumnMaxToBeBetweenCustom
  • expect_column_max_to_be_between_custom

2. Copy and rename the template file

By convention, each Expectation is kept in its own python file, named with the snake_case version of the Expectation's name.

You can find the template file for a custom ColumnExpectation here. Download the file, place it in the appropriate directory, and rename it to the appropriate name.

cp column_aggregate_expectation_template.py /SOME_DIRECTORY/expect_column_max_to_be_between_custom.py
Where should I put my Expectation file?

During development, you don't actually need to put the file anywhere in particular. It's self-contained, and can be executed anywhere as long as great_expectations is installed.

But to use your new Expectation alongside the other components of Great Expectations, you'll need to make sure the file is in the right place. The right place depends on what you intend to use it for.

  • If you're building a Custom ExpectationAn extension of the `Expectation` class, developed outside of the Great Expectations library. for personal use, you'll need to put it in the great_expectations/plugins/expectations folder of your Great Expectations deployment, and import your Custom Expectation from that directory whenever it will be used. When you instantiate the corresponding DataContext, it will automatically make all PluginsExtends Great Expectations' components and/or functionality. in the directory available for use.
  • If you're building a Custom Expectation to contribute to the open source project, you'll need to put it in the repo for the Great Expectations library itself. Most likely, this will be within a package within contrib/: great_expectations/contrib/SOME_PACKAGE/SOME_PACKAGE/expectations/. To use these Expectations, you'll need to install the package.

See our guide on how to use a Custom Expectation for more!

3. Generate a diagnostic checklist for your Expectation

Once you've copied and renamed the template file, you can execute it as follows.

python expect_column_max_to_be_between_custom.py

The template file is set up so that this will run the Expectation's print_diagnostic_checklist() method. This will run a diagnostic script on your new Expectation, and return a checklist of steps to get it to full production readiness. This guide will walk you through the first four steps, the minimum for a functioning Custom Expectation and all that is required for contribution back to open source at an Experimental level.

Completeness checklist for ExpectColumnAggregateToMatchSomeCriteria:
✔ Has a library_metadata object
Has a docstring, including a one-line short description
Has at least one positive and negative example case, and all test cases pass
Has core logic and passes tests on at least one Execution Engine
...

When in doubt, the next step to implement is the first one that doesn't have a ✔ next to it. This guide covers the first four steps on the checklist.

4. Change the Expectation class name and add a docstring

By convention, your Metric class is defined first in a Custom Expectation. For now, we're going to skip to the Expectation class and begin laying the groundwork for the functionality of your Custom Expectation.

Let's start by updating your Expectation's name and docstring.

Replace the Expectation class name

class ExpectColumnAggregateToMatchSomeCriteria(ColumnExpectation):

with your real Expectation class name, in upper camel case:

class ExpectColumnMaxToBeBetweenCustom(ColumnExpectation):

You can also go ahead and write a new one-line docstring, replacing

"""TODO: add a docstring here"""

with something like:

"""Expect column max to be between a given range."""

You'll also need to change the class name at the bottom of the file, by replacing this line:

ExpectColumnAggregateToMatchSomeCriteria().print_diagnostic_checklist()

with this one:

ExpectColumnMaxToBeBetweenCustom().print_diagnostic_checklist()

Later, you can go back and write a more thorough docstring.

At this point you can re-run your diagnostic checklist. You should see something like this:

$ python expect_column_max_to_be_between_custom.py

Completeness checklist for ExpectColumnValuesToBeBetweenCustom:
✔ Has a library_metadata object
✔ Has a docstring, including a one-line short description
Has at least one positive and negative example case, and all test cases pass
Has core logic and passes tests on at least one Execution Engine
...

Congratulations! You're one step closer to implementing a Custom Expectation.

5. Add example cases

Next, we're going to search for examples = [] in your file, and replace it with at least two test examples. These examples serve a dual purpose:

  1. They provide test fixtures that Great Expectations can execute automatically via pytest.
  2. They help users understand the logic of your Expectation by providing tidy examples of paired input and output. If you contribute your Expectation to open source, these examples will appear in the Gallery.

Your examples will look something like this:

examples = [
{
"data": {"x": [1, 2, 3, 4, 5], "y": [0, -1, -2, 4, None]},
"tests": [
{
"title": "basic_positive_test",
"exact_match_out": False,
"include_in_gallery": True,
"in": {
"column": "x",
"min_value": 4,
"strict_min": True,
"max_value": 5,
"strict_max": False,
},
"out": {"success": True},
},
{
"title": "basic_negative_test",
"exact_match_out": False,
"include_in_gallery": True,
"in": {
"column": "y",
"min_value": -2,
"strict_min": False,
"max_value": 3,
"strict_max": True,
},
"out": {"success": False},
},
],
"test_backends": [
{
"backend": "pandas",
"dialects": None,
},
{
"backend": "sqlalchemy",
"dialects": ["sqlite", "postgresql"],
},
{
"backend": "spark",
"dialects": None,
},
],
}
]

Here's a quick overview of how to create test cases to populate examples. The overall structure is a list of dictionaries. Each dictionary has two keys:

  • data: defines the input data of the example as a table/data frame. In this example the table has one column named x and a second column named y. Both columns have 5 rows. (Note: if you define multiple columns, make sure that they have the same number of rows.)
  • tests: a list of test cases to ValidateThe act of applying an Expectation Suite to a Batch. against the data frame defined in the corresponding data.
    • title should be a descriptive name for the test case. Make sure to have no spaces.
    • include_in_gallery: This must be set to True if you want this test case to be visible in the Gallery as an example.
    • in contains exactly the parameters that you want to pass in to the Expectation. "in": {"column": "x", "min_value": 4, "strict_min": True} in the example above is equivalent to expect_column_max_to_be_between_custom(column="x", min_value=4, strict_min=True)
    • out is based on the Validation ResultGenerated when data is Validated against an Expectation or Expectation Suite. returned when executing the Expectation.
    • exact_match_out: if you set exact_match_out=False, then you don’t need to include all the elements of the Validation Result object - only the ones that are important to test.
test_backends?
test_backends is an optional key you can pass to offer more granular control over which backends and SQL dialects your tests are run against.

If you run your Expectation file again, you won't see any new checkmarks, as the logic for your Custom Expectation hasn't been implemented yet. However, you should see that the tests you've written are now being caught and reported in your checklist:

$ python expect_column_column_max_to_be_between_custom.py

Completeness checklist for ExpectColumnValuesToBeBetweenCustom:
✔ Has a library_metadata object
✔ Has a docstring, including a one-line short description
...
Has core logic that passes tests for all applicable Execution Engines and SQL dialects
Only 0 / 2 tests for pandas are passing
Failing: basic_positive_test, basic_negative_test
...
note

For more information on tests and example cases,
see our guide on creating example cases for a Custom Expectation.

6. Implement your Metric and connect it to your Expectation

This is the stage where you implement the actual business logic for your Expectation. To do so, you'll need to implement a function within a Metric class, and link it to your Expectation. By the time your Expectation is complete, your Metric will have functions for all three Execution EnginesA system capable of processing data to compute Metrics. (Pandas, Spark, and SQLAlchemy) supported by Great Expectations. For now, we're only going to define one.

note

Metrics answer questions about your data posed by your Expectation,
and allow your Expectation to judge whether your data meets your expectations.

Your Metric function will have the @column_aggregate_value decorator, with the appropriate engine. Metric functions can be as complex as you like, but they're often very short. For example, here's the definition for a Metric function to calculate the max of a column using the PandasExecutionEngine.

@column_aggregate_value(engine=PandasExecutionEngine)
def _pandas(cls, column, **kwargs):
"""Pandas Max Implementation"""
return column.max()

This is all that you need to define for now. In the next step, we will implement the method to validate the results of this Metric.

Other parameters

Expectation Success Keys - A tuple consisting of values that must / could be provided by the user and defines how the Expectation evaluates success.

Expectation Default Kwarg Values (Optional) - Default values for success keys and the defined domain, among other values.

Metric Condition Value Keys (Optional) - Contains any additional arguments passed as parameters to compute the Metric.

Next, choose a Metric Identifier for your Metric. By convention, Metric Identifiers for Column Map Expectations start with column.. The remainder of the Metric Identifier simply describes what the Metric computes, in snake case. For this example, we'll use column.custom_max.

You'll need to substitute this metric into two places in the code. First, in the Metric class, replace

metric_name = "METRIC NAME GOES HERE"

with

metric_name = "column.custom_max"

Second, in the Expectation class, replace

metric_dependencies = ("METRIC NAME GOES HERE",)

with

metric_dependencies = ("column.custom_max",)

It's essential to make sure to use matching Metric Identifier strings across your Metric class and Expectation class. This is how the Expectation knows which Metric to use for its internal logic.

Finally, rename the Metric class name itself, using the camel case version of the Metric Identifier, minus any periods.

For example, replace:

class ColumnAggregateMatchesSomeCriteria(ColumnAggregateMetricProvider):

with

class ColumnCustomMax(ColumnAggregateMetricProvider):

7. Validate

In this step, we simply need to validate that the results of our Metrics meet our Expectation.

The validate method is implemented as _validate(...):

def _validate(
self,
configuration: ExpectationConfiguration,
metrics: Dict,
runtime_configuration: dict = None,
execution_engine: ExecutionEngine = None,
):

This method takes a dictionary named metrics, which contains all Metrics requested by your Metric dependencies, and performs a simple validation against your success keys (i.e. important thresholds) in order to return a dictionary indicating whether the Expectation has evaluated successfully or not.

To do so, we'll be accessing our success keys, as well as the result of our previously-calculated Metrics. For example, here is the definition of a _validate(...) method to validate the results of our column.custom_max Metric against our success keys:

def _validate(
self,
configuration: ExpectationConfiguration,
metrics: Dict,
runtime_configuration: dict = None,
execution_engine: ExecutionEngine = None,
):
"""Validates the given data against the set minimum and maximum value thresholds for the column max"""
column_max = metrics["column.custom_max"]

# Obtaining components needed for validation
min_value = self.get_success_kwargs(configuration).get("min_value")
strict_min = self.get_success_kwargs(configuration).get("strict_min")
max_value = self.get_success_kwargs(configuration).get("max_value")
strict_max = self.get_success_kwargs(configuration).get("strict_max")

# Checking if mean lies between thresholds
if min_value is not None:
if strict_min:
above_min = column_max > min_value
else:
above_min = column_max >= min_value
else:
above_min = True

if max_value is not None:
if strict_max:
below_max = column_max < max_value
else:
below_max = column_max <= max_value
else:
below_max = True

success = above_min and below_max

return {"success": success, "result": {"observed_value": column_max}}

Running your diagnostic checklist at this point should return something like this:

$ python expect_column_max_to_be_between_custom.py

Completeness checklist for ExpectColumnMaxToBeBetweenCustom:
✔ Has a library_metadata object
✔ Has a docstring, including a one-line short description
✔ Has at least one positive and negative example case, and all test cases pass
✔ Has core logic and passes tests on at least one Execution Engine
...

Congratulations!
🎉 You've just built your first Custom Expectation! 🎉

8. Contribution (Optional)

This guide will leave you with a Custom Expectation sufficient for contribution back to Great Expectations at an Experimental level.

If you plan to contribute your Expectation to the public open source project, you should update the library_metadata object before submitting your Pull Request. For example:

library_metadata = {
"tags": [], # Tags for this Expectation in the Gallery
"contributors": [ # Github handles for all contributors to this Expectation.
"@your_name_here", # Don't forget to add your github handle here!
],
}

would become

library_metadata = {
"tags": ["flexible max comparisons"],
"contributors": ["@joegargery"],
}

This is particularly important because we want to make sure that you get credit for all your hard work!

note

For more information on our code standards and contribution, see our guide on Levels of Maturity for Expectations.

To view the full script used in this page, see it on GitHub: