CopulaGANSynthesizer

The Copula GAN Synthesizer uses a mix classic, statistical methods and GAN-based deep learning methods to train a model and generate synthetic data.

This is an experimental synthesizer! Let us know if you're finding the modeling process and synthetic data creation useful.

from sdv.single_table import CopulaGANSynthesizer

synthesizer = CopulaGANSynthesizer(metadata)
synthesizer.fit(data)

synthetic_data = synthesizer.sample(num_rows=10)

Creating a synthesizer

When creating your synthesizer, you are required to pass in a SingleTableMetadata object as the first argument. All other parameters are optional. You can include them to customize the synthesizer.

synthesizer = CopulaGANSynthesizer(
    metadata, # required
    enforce_min_max_values=True,
    enforce_rounding=False,
    numerical_distributions={
        'amenities_fee': 'beta',
        'checkin_date': 'uniform'
    },
    epochs=500,
    verbose=True
)

Parameter Reference

enforce_min_max_values: Control whether the synthetic data should adhere to the same min/max boundaries set by the real data

(default) True

The synthetic data will contain numerical values that are within the ranges of the real data.

False

The synthetic data may contain numerical values that are less than or greater than the real data. Note that you can still set the limits on individual columns using Constraints.

enforce_rounding: Control whether the synthetic data should have the same number of decimal digits as the real data

(default) True

The synthetic data will be rounded to the same number of decimal digits that were observed in the real data

False

The synthetic data may contain more decimal digits than were observed in the real data

locales: A list of locale strings. Any PII columns will correspond to the locales that you provide.

(default) ['en_US']

Generate PII values in English corresponding to US-based concepts (eg. addresses, phone numbers, etc.)

<list>

Create data from the list of locales. Each locale string consists of a 2-character code for the language and 2-character code for the country, separated by an underscore.

For example ["en_US", "fr_CA"].

For all options, see the Faker docs.

numerical_distributions: Set the distribution shape of any numerical columns that appear in your table. Input this as a dictionary, where the key is the name of the numerical column and the values is a numerical distribution.

numerical_distributions = {
    <column name>: 'gaussian',
    <column name>: 'uniform', 
    ...
}

Possible options are:

  • (default) None: Use the default distribution for the column name.

  • One of: 'norm' 'beta', 'truncnorm', 'uniform', 'gamma' or 'gaussian_kde'

default_distribution: Set the distribution shape to use by default for all columns. Input this as a single string.

  • (default) 'beta': Model the column as a beta distribution

  • One of: 'norm' 'beta', 'truncnorm', 'uniform', 'gamma' or 'gaussian_kde'

Setting the distribution to 'gaussian_kde' increases the time it takes to train your synthesizer.

epochs: Number of times to train the GAN. Each new epoch can improve the model.

(default) 300

Run all the data through the Generator and Discriminator 300 times during training

<number>

Train for a different number of epochs. Note that larger numbers will increase the modeling time.

verbose: Control whether to print out the results of each epoch. You can use this to track the training time as well as the improvements per epoch.

(default) False

Do not print out any results

True

Print out the Generator and Discriminator loss values per epoch. The loss values indicate how well the GAN is currently performing, lower values indicating higher quality.

cuda: Whether to use CUDA, a parallel computing platform that allows you to speed up modeling time using the GPU

(default) True

If available, use CUDA to speed up modeling time. If it's not available, then there will be no difference.

False

Do not use CUDA to speed up modeling time.

Looking for more customizations? Other settings are available to fine-tune the architecture of the underlying GAN used to model the data. Click the section below to expand.

Click to expand additional GAN customization options

These settings are specific to the GAN. Use these settings if you want to optimize the technical architecture and modeling.

batch_size: Number of data samples to process in each step. This value must be even, and it must be divisible by the pac parameter (see below). Defaults to 500.

discriminator_dim: Size of the output samples for each one of the Discriminator Layers. A Linear Layer will be created for each one of the values provided. Defaults to (256, 256).

discriminator_decay: Discriminator weight decay for the Adam Optimizer. Defaults to 1e-6.

discriminator_lr: Learning rate for the discriminator. Defaults to 2e-4.

discriminator_steps: Number of discriminator updates to do for each generator update. Default 1 to match the original CTGAN implementation

embedding_dim: Size of the random sample passed to the Generator. (Default 128)

generator_decay: Generator weight decay for the Adam Optimizer. Defaults to 1e-6

generator_dim: Size of the output samples for each one of the Residuals. A Residual Layer will be created for each one of the values provided. Defaults to (256, 256).

generator_lr: Learning rate for the generator. Defaults to 2e-4.

log_frequency: Whether to use log frequency of categorical levels in conditional sampling. Defaults to True.

pac: Number of samples to group together when applying the discriminator. Defaults to 10.

get_parameters

Use this function to access the all parameters your synthesizer uses -- those you have provided as well as the default ones.

Parameters None

Output A dictionary with the parameter names and the values

synthesizer.get_parameters()
{
    'enforce_min_max_values': True
    'enforce_rounding': False,
    'epochs': 500,
    'verbose': True,
    'numerical_distributions': {
        'amenities_fee': 'beta',
        'checkin_date': 'uniform'
    },
    ...
}

The returned parameters are a copy. Changing them will not affect the synthesizer.

get_metadata

Use this function to access the metadata object that you have included for the synthesizer

Parameters None

Output A SingleTableMetadata object

metadata = synthesizer.get_metadata()

The returned metadata is a copy. Changing it will not affect the synthesizer.

Learning from your data

To learn a machine learning model based on your real data, use the fit method.

fit

Parameters

  • (required) data: A pandas DataFrame object containing the real data that the machine learning model will learn from

Output (None)

Technical Details: This synthesizer learns the marginal distributions of the real data columns and normalizes them. Then, it uses CTGAN to learn the normalized data. This takes place in two stages, as shown below.

  1. Statistical Learning: The synthesizer learns the distribution (shape) of each individual column, also known as the 1D or marginal distribution. For example a beta distribution with α=2 and β=5. The synthesizer uses the learned distribution to normalize the values, creating normal curves with µ=0 and σ=1. The Synthetic Data Vault paper has more information about the Gaussian normalization process.

  2. GAN-based Learning: This synthesizer uses CTGAN to train the normalized data. The CTGAN uses generative adversarial networks (GANs) to model data, as described in the Modeling Tabular data using Conditional GAN paper which was presented at the NeurIPS conference in 2019.

get_learned_distributions

After fitting this synthesizer, you can access the marginal distributions that were learned to estimate the shape of each column.

Parameters None

Output A dictionary that maps the name of each learned column to the distribution that estimates its shape

synthesizer.get_learned_distributions()
{
    'amenities_fee': {
        'distribution': 'beta',
        'learned_parameters': { 'a': 2.22, 'b': 3.17, 'loc': 0.07, 'scale': 48.5 }
    },
    'checkin_date': { 
        ...
    },
    ...
}

For more information about the distributions and their parameters, visit the Copulas library.

Learned parameters are only available for parametric distributions. For eg. you will not be able to access learned distributions for the 'gaussian_kde' technique.

In some cases, the synthesizer may not be able to fit the exact distribution shape you requested, so you may see another distribution shape (eg. 'truncnorm' instead of 'beta').

get_loss_values

After fitting, you can access the loss values computed during each epoch for both the numerator and denominator.

Parameters (None)

Output A pandas.DataFrame object containing epoch number, generator loss value and discriminator loss value.

synthesizer.get_loss_values()
Epoch  Generator Loss  Discriminator Loss
1      1.7863          -0.3639
2      1.5484          0.2260
3      1.3633          -0.0441
...

Saving your synthesizer

Save your trained synthesizer for future use.

save

Use this function to save your trained synthesizer as a Python pickle file.

Parameters

  • (required) filepath: A string describing the filepath where you want to save your synthesizer. Make sure this ends in .pkl

Output (None) The file will be saved at the desired location

synthesizer.save(
    filepath='my_synthesizer.pkl'
)

CopulaGANSynthesizer.load

Use this function to load a trained synthesizer from a Python pickle file

Parameters

  • (required) filepath: A string describing the filepath of your saved synthesizer

Output Your synthesizer, as a CopulaGANSynthesizer object

from sdv.single_table import CopulaGANSynthesizer

synthesizer = CopulaGANSynthesizer.load(
    filepath='my_synthesizer.pkl'
)

What's next?

After training your synthesizer, you can now sample synthetic data. See the Sampling section for more details.

Want to improve your synthesizer? Input logical rules in the form of constraints, and customize the transformations used for pre- and post-processing the data.

For more details, see Customizations.

FAQs

What happens if columns don't contain numerical data?

This synthesizer models non-numerical columns, including columns with missing values.

Although the Gaussian Copula algorithm is designed for only numerical data, this synthesizer converts other data types using Reversible Data Transforms (RDTs). To access and modify the transformations, see Advanced Features.

Why is 'beta' the default distribution & when should I change it?

To create high quality synthetic data, the distribution should be able to match the shape of data for some optimal set of parameters. (The synthesizer learns and optimizes the parameters.)

We chose 'beta' as the default distribution because it can take different characteristics based on the parameters, which means it's capable of matching a variety of different shapes. It's also time efficient compared to other distributions like 'gaussian_kde'.

This default is not guaranteed to work on every dataset. Consider changing the default distribution if all your columns have specific characteristics that you want to capture. If you have only a few columns that are highly important to match, then you can set those shapes specifically using the numerical_distributions parameter.

Can I call fit again even if I've previously fit some data?

Yes, even if you're previously fit data, you should be able to call the fit method again.

If you do this, the synthesizer will start over from scratch and fit the new data that you provide it. This is the equivalent of creating a new synthesizer and fitting it with new data.

How do I cite CopulaGAN?

The CopulaGAN is a hybrid of the Gaussian Copula and the CTGAN algorithms. The Gaussian Copula is a well-known statistical approach. The CTGAN is a research project that you can cite using the following text:

Lei Xu, Maria Skoularidou, Alfredo Cuesta-Infante, Kalyan Veeramachaneni. Modeling Tabular data using Conditional GAN. NeurIPS, 2019.

@inproceedings{ctgan,
   title={Modeling Tabular data using Conditional GAN},
   author={Xu, Lei and Skoularidou, Maria and Cuesta-Infante, Alfredo and Veeramachaneni, Kalyan},
   booktitle={Advances in Neural Information Processing Systems},
   year={2019}
}

Last updated

Copyright (c) 2023, DataCebo, Inc.