• Stars
    star
    216
  • Rank 177,136 (Top 4 %)
  • Language
    Jupyter Notebook
  • License
    Apache License 2.0
  • Created almost 3 years ago
  • Updated 4 months ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

RLDS

RLDS stands for Reinforcement Learning Datasets and it is an ecosystem of tools to store, retrieve and manipulate episodic data in the context of Sequential Decision Making including Reinforcement Learning (RL), Learning for Demonstrations, Offline RL or Imitation Learning.

This repository includes a library for manipulating RLDS compliant datasets. For other parts of the pipeline please refer to:

  • EnvLogger to create synthetic datasets
  • RLDS Creator to create datasets where a human interacts with an environment.
  • TFDS for existing RL datasets.

Learn more about the RLDS ecosystem in the Google AI Blog and the arXiv paper.

QuickStart & Colabs

See how to use RLDS in this tutorial.

You can find more examples, including performance best practices in the examples page. Besides, the transformations page provides an overview of the RLDS library.

Available datasets

This is a non-exhaustive list of datasets that are compatible with RLDS:

If you want to add your dataset to this list, let us know!

Dataset Format

The dataset is retrieved as a tf.data.Dataset of Episodes where each episode contains a tf.data.Dataset of steps.

drawing

  • Episode: dictionary that contains a tf.data.Dataset of Steps, and metadata.

    The metadeta fields are user-defined. While no names or types are prescribed, we propose a set of optional fields that are generic and useful.

    • Metadata optional fields:

      • episode_id: Unique identifier of the episode within the dataset. The episode ID should also be unique with high probability across datasets so different datasets can be merged easily on the fly.
      • agent_id: Unique identifier of the agent(s) that generated the episode. In a multi-agent setting, this could be for example a tensor of size Nx2 where N is the number of agents and where each pair represents the agent name in the environment and the ID of the agent that actually generated the episode.
      • environment_config: Configuration of the environment that was used to generate the episode.
      • experiment_id: Identifier of an experiment when the episode was generated as part of an experiment.
      • invalid: Flag to signal invalid episodes, which in general should be discarded at read time. Since episodes are in general recorded step by step, there are a few scenarios where an episode might be incomplete: e.g. machine preemption. This flag is usually used in dtaasets that have just been created and not polished for sharing.
  • Step: dictionary that contains:

    • Mandatory fields:

      • is_first: if this is the first step of an episode that contains the initial state.
      • is_last: if this is the last step of an episode, that contains the last observation. When true, action, reward and discount, and other cutom fields subsequent to the observation are considered invalid.
    • Optional fields:

      • observation: current observation
      • action: action taken in the current observation
      • reward: return after appyling the action to the current observation
      • is_terminal: if this is a terminal step
      • discount: discount factor at this step.
      • extra metadata

    When is_terminal = True, the observation corresponds to a final state, so reward, discount and action are meaningless. Depending on the environment, the final observation may also be meaningless.

    If an episode ends in a step where is_terminal = False, it means that this episode has been truncated. In this case, depending on the environment, the action, reward and discount might be empty as well.

    Note: Although some fields of the steps are optional, all the steps in the same dataset are required to have the same fields.

How to create a dataset

Although you can read datasets with the RLDS format even if they were not created with our tools (for example, by adding them to TFDS), we recommend the use of EnvLogger and RLDS Creator as they ensure that the data is stored in a lossless fashion and compatible with RLDS.

Synthetic datasets

Envlogger provides a dm_env Environment class wrapper that records interactions between a real environment and an agent.

env = envlogger.EnvLogger(
      environment,
      data_directory=`/tmp/mydataset`)

Besides, two callbacks can be passed to the EnvLogger constructor to store per-step metadata and per-episode metadata. See the EnvLogger documentation for more details.

Note that per-session metadata can be stored but is currently ignored when loading the dataset.

NOTE: We recommend to use the TFDS Envlogger backend in order to get datasets that can be read directly with TFDS. See an example in this colab.

Note that the Envlogger follows the dm_env convention. So considering:

  • o_i: observation at step i
  • a_i: action applied to o_i
  • r_i: reward obtained when applying a_i in o_i
  • d_i: discount for reward r_i
  • m_i: metadata for step i

Data is generated as:

    (o_0, _, _, _, m_0) → (o_1, a_0, r_0, d_0, m_1)  → (o_2, a_1, r_1, d_1, m_2) ⇢ ...

But loaded with RLDS as:

    (o_0,a_0, r_0, d_0, m_0) → (o_1, a_1, r_1, d_1, m_1)  → (o_2, a_2, r_2, d_2, m_2) ⇢ ...

Human datasets

If you want to collect data generated by a human interacting with an environment, check the RLDS Creator.

How to load a dataset

RL datasets can be loaded with TFDS and they are retrieved with the canonical RLDS dataset format.

Load with TFDS

Note: In TFDS you can load the nested dataset as a batched sequence instead of a tf.data.Dataset. See the FAQ for details.

Datasets created with Envlogger and the TFDS backend

These datasets can be loaded directly with:

tfds.builder_from_directory('path').as_dataset(split='all')

or from a list of paths:

tfds.builder_from_directories(paths).as_dataset(split='all')

See more examples in this colab.

Datasets in the TFDS catalog

These datasets can be loaded directly with:

tfds.load('dataset_name').as_dataset()['train']

This is how we load the datasets in the tutorial.

See the full documentation and the catalog in the [TFDS] site.

Datasets in your own repository

Datasets can be implemented with TFDS both inside and outside of the TFDS repository. See examples here.

How to add your dataset to TFDS

This is only necessary when your dataset is not already in TFDS format or if you want to add it to the TFDS catalog. See more details in this page.

Performance best practices

As RLDS exposes RL datasets in a form of Tensorflow's tf.data, many Tensorflow's performance hints apply to RLDS as well. It is important to note, however, that RLDS datasets are very specific and not all general speed-up methods work out of the box. Advice on improving performance might not result in expected outcome.

RLDS provides an optimized library of transformations, but to get a better understanding on how to use RLDS datasets effectively we recommend going through this colab.

FAQ

Processing steps in random order

While by default the order of episodes in RLDS datasets is randomized and there is no need to randomize them again when loading the dataset, some algorithms operate on steps/n-step transitions. There are different ways to interleave steps across multiple episodes - for example:

  • Shuffle steps using tf.data.Dataset.shuffle. Note that obtaining perfect shuffling this way involves specifying buffer_size which can accomodate entire dataset and can result in high memory usage for big datasets.

  • Interleave N copies of the dataset using tf.data.Dataset.interleave:

def ds_loader():
  episode_dataset = tfds.load(...)
  step_dataset = episode_dataset.flat_map(lambda x: x[rlds.STEPS])
  return step_dataset

dataset = Dataset.range(1, N).interleave(ds_loader, cycle_length=..., block_length=...)

Each copy of the dataset shuffles input partitions independently, so consecutive steps returned by the resulting dataset come from unrelated episodes. It is important to note, however, that this way each step will be loaded N times. To avoid duplicates, it is possible to construct each dataset using disjoint splits.

See one example of randomized access in the Atari colab.

Processing random episodes in multiple readers.

Sometimes, users read multiple copies of the dataset in separate processes. For example, to emulate a multiple-actor single learner scenario, where the actors get the offline data from the same dataset. In these situations, it is important that the different processes don't get the same sequence of episodes.

When the number of readers is known, the easiest way is to use the split API from TFDS to ensure that each of the reader takes a different set of episodes from the dataset. Note that if one of the reader dies, its portion of the dataset will not be processed.

Another option is to ensure that the datasets are read in a non-deterministic way. This can be achieved by setting shuffle_files=True and by tuning the ReadConfig options in tfds.load or in builder.as_dataset. You can find more details in the [TFDS documentation about determinism]. In this case, if a reader dies, the full dataset can still be processed. However, with this option, some episodes may appear more than once.

Reducing memory usage

To improve throughput of loading datasets, by default TFDS loads multiple partitions of the dataset in parallel. In the case of datasets with big episodes that can result in high memory usage. If you run into high memory usage problems, it is worth playing around with read_config provided to tfds.load.

Loading the steps as a batch instead of a nested dataset.

If using TFDS you can load the nested dataset as a batched sequence instead of a nested tf.data.Dataset. You can do it by using SkipDecoding:

ds = tfds.load('d4rl_mujoco_halfcheetah/v0-medium', decoders={rlds.STEPS: tfds.decode.SkipDecoding()}, split='train')

To decode the steps as a dataset, you can use tf.data.Dataset.from_tensor_slices.

for e in ds:
 print(tf.data.Dataset.from_tensor_slices(e[rlds.STEPS]))
 break

When using tfds.builder_from_directories or tfds.builder_from_directory, the decoder argument can be passed to as_dataset.

Who uses RLDS

Publications

Below is a sample of publications using RLDS:

Citation

If you use RLDS, please cite the RLDS paper as

@misc{ramos2021rlds,
      title={RLDS: an Ecosystem to Generate, Share and Use Datasets in Reinforcement Learning},
      author={Sabela Ramos and Sertan Girgin and Léonard Hussenot and Damien Vincent and Hanna Yakubovich and Daniel Toyama and Anita Gergely and Piotr Stanczyk and Raphael Marinier and Jeremiah Harmsen and Olivier Pietquin and Nikola Momchev},
      year={2021},
      eprint={2111.02767},
      archivePrefix={arXiv},
      primaryClass={cs.LG}
}

Acknowledgements

We greatly appreciate all the support from the TF-Agents team in setting up building and testing for EnvLogger.

Disclaimer

This is not an officially supported Google product.

More Repositories

1

bert

TensorFlow code and pre-trained models for BERT
Python
36,701
star
2

google-research

Google Research
Jupyter Notebook
32,945
star
3

tuning_playbook

A playbook for systematically maximizing the performance of deep learning models.
24,615
star
4

vision_transformer

Jupyter Notebook
9,288
star
5

text-to-text-transfer-transformer

Code for the paper "Exploring the Limits of Transfer Learning with a Unified Text-to-Text Transformer"
Python
5,820
star
6

arxiv-latex-cleaner

arXiv LaTeX Cleaner: Easily clean the LaTeX code of your paper to submit to arXiv
Python
4,736
star
7

simclr

SimCLRv2 - Big Self-Supervised Models are Strong Semi-Supervised Learners
Jupyter Notebook
3,937
star
8

multinerf

A Code Release for Mip-NeRF 360, Ref-NeRF, and RawNeRF
Python
3,484
star
9

football

Check out the new game server:
Python
3,230
star
10

albert

ALBERT: A Lite BERT for Self-supervised Learning of Language Representations
Python
3,209
star
11

scenic

Scenic: A Jax Library for Computer Vision Research and Beyond
Python
2,999
star
12

frame-interpolation

FILM: Frame Interpolation for Large Motion, In ECCV 2022.
Python
2,643
star
13

t5x

Python
2,494
star
14

electra

ELECTRA: Pre-training Text Encoders as Discriminators Rather Than Generators
Python
2,284
star
15

kubric

A data generation pipeline for creating semi-realistic synthetic multi-object videos with rich annotations such as instance segmentation masks, depth maps, and optical flow.
Jupyter Notebook
2,183
star
16

uda

Unsupervised Data Augmentation (UDA)
Python
2,131
star
17

pegasus

Python
1,578
star
18

big_vision

Official codebase used to develop Vision Transformer, SigLIP, MLP-Mixer, LiT and more.
Jupyter Notebook
1,555
star
19

language

Shared repository for open-sourced projects from the Google AI Language team.
Python
1,553
star
20

dex-lang

Research language for array processing in the Haskell/ML family
Haskell
1,539
star
21

parti

1,513
star
22

big_transfer

Official repository for the "Big Transfer (BiT): General Visual Representation Learning" paper.
Python
1,491
star
23

torchsde

Differentiable SDE solvers with GPU support and efficient sensitivity analysis.
Python
1,444
star
24

FLAN

Python
1,403
star
25

disentanglement_lib

disentanglement_lib is an open-source library for research on learning disentangled representations.
Python
1,311
star
26

robotics_transformer

Python
1,198
star
27

multilingual-t5

Python
1,197
star
28

planet

Learning Latent Dynamics for Planning from Pixels
Python
1,134
star
29

mixmatch

Python
1,126
star
30

tapas

End-to-end neural table-text understanding models.
Python
1,108
star
31

fixmatch

A simple method to perform semi-supervised learning with limited data.
Python
1,053
star
32

morph-net

Fast & Simple Resource-Constrained Learning of Deep Network Structure
Python
1,011
star
33

deduplicate-text-datasets

Rust
1,007
star
34

deeplab2

DeepLab2 is a TensorFlow library for deep labeling, aiming to provide a unified and state-of-the-art TensorFlow codebase for dense pixel labeling tasks.
Python
976
star
35

batch-ppo

Efficient Batched Reinforcement Learning in TensorFlow
Python
963
star
36

augmix

AugMix: A Simple Data Processing Method to Improve Robustness and Uncertainty
Python
951
star
37

maxim

[CVPR 2022 Oral] Official repository for "MAXIM: Multi-Axis MLP for Image Processing". SOTA for denoising, deblurring, deraining, dehazing, and enhancement.
Python
937
star
38

magvit

Official JAX implementation of MAGVIT: Masked Generative Video Transformer
Python
847
star
39

pix2seq

Pix2Seq codebase: multi-tasks with generative modeling (autoregressive and diffusion)
Jupyter Notebook
813
star
40

seed_rl

SEED RL: Scalable and Efficient Deep-RL with Accelerated Central Inference. Implements IMPALA and R2D2 algorithms in TF2 with SEED's architecture.
Python
790
star
41

meta-dataset

A dataset of datasets for learning to learn from few examples
Python
740
star
42

noisystudent

Code for Noisy Student Training. https://arxiv.org/abs/1911.04252
Python
736
star
43

jax3d

Python
720
star
44

recsim

A Configurable Recommender Systems Simulation Platform
Python
717
star
45

lottery-ticket-hypothesis

A reimplementation of "The Lottery Ticket Hypothesis" (Frankle and Carbin) on MNIST.
Python
704
star
46

rliable

[NeurIPS'21 Outstanding Paper] Library for reliable evaluation on RL and ML benchmarks, even with only a handful of seeds.
Jupyter Notebook
689
star
47

circuit_training

Python
685
star
48

long-range-arena

Long Range Arena for Benchmarking Efficient Transformers
Python
681
star
49

bleurt

BLEURT is a metric for Natural Language Generation based on transfer learning.
Python
651
star
50

federated

A collection of Google research projects related to Federated Learning and Federated Analytics.
Python
646
star
51

nasbench

NASBench: A Neural Architecture Search Dataset and Benchmark
Python
641
star
52

xtreme

XTREME is a benchmark for the evaluation of the cross-lingual generalization ability of pre-trained multilingual models that covers 40 typologically diverse languages and includes nine tasks.
Python
620
star
53

prompt-tuning

Original Implementation of Prompt Tuning from Lester, et al, 2021
Python
617
star
54

sound-separation

Python
603
star
55

lasertagger

Python
603
star
56

dreamer

Dream to Control: Learning Behaviors by Latent Imagination
Python
568
star
57

robopianist

[CoRL '23] Dexterous piano playing with deep reinforcement learning.
Python
531
star
58

pix2struct

Python
530
star
59

fast-soft-sort

Fast Differentiable Sorting and Ranking
Python
527
star
60

bigbird

Transformers for Longer Sequences
Python
518
star
61

ravens

Train robotic agents to learn pick and place with deep learning for vision-based manipulation in PyBullet. Transporter Nets, CoRL 2020.
Python
517
star
62

sam

Python
512
star
63

batch_rl

Offline Reinforcement Learning (aka Batch Reinforcement Learning) on Atari 2600 games
Python
507
star
64

vmoe

Jupyter Notebook
507
star
65

tensor2robot

Distributed machine learning infrastructure for large-scale robotics research
Python
483
star
66

mint

Multi-modal Content Creation Model Training Infrastructure including the FACT model (AI Choreographer) implementation.
Python
465
star
67

byt5

Python
464
star
68

adapter-bert

Python
459
star
69

leaf-audio

LEAF is a learnable alternative to audio features such as mel-filterbanks, that can be initialized as an approximation of mel-filterbanks, and then be trained for the task at hand, while using a very small number of parameters.
Python
446
star
70

robustness_metrics

Jupyter Notebook
442
star
71

receptive_field

Compute receptive fields of your favorite convnets
Python
420
star
72

maxvit

[ECCV 2022] Official repository for "MaxViT: Multi-Axis Vision Transformer". SOTA foundation models for classification, detection, segmentation, image quality, and generative modeling...
Jupyter Notebook
417
star
73

ssl_detection

Semi-supervised learning for object detection
Python
398
star
74

maskgit

Official Jax Implementation of MaskGIT
Jupyter Notebook
376
star
75

l2p

Learning to Prompt (L2P) for Continual Learning @ CVPR22 and DualPrompt: Complementary Prompting for Rehearsal-free Continual Learning @ ECCV22
Python
373
star
76

nerf-from-image

Shape, Pose, and Appearance from a Single Image via Bootstrapped Radiance Field Inversion
Python
366
star
77

computation-thru-dynamics

Understanding computation in artificial and biological recurrent networks through the lens of dynamical systems.
Jupyter Notebook
362
star
78

tf-slim

Python
360
star
79

distilling-step-by-step

Python
341
star
80

realworldrl_suite

Real-World RL Benchmark Suite
Python
332
star
81

rigl

End-to-end training of sparse deep neural networks with little-to-no performance loss.
Python
314
star
82

python-graphs

A static analysis library for computing graph representations of Python programs suitable for use with graph neural networks.
Python
312
star
83

weatherbench2

A benchmark for the next generation of data-driven global weather models.
Python
306
star
84

tensorflow_constrained_optimization

Python
300
star
85

task_adaptation

Python
295
star
86

ibc

Official implementation of Implicit Behavioral Cloning, as described in our CoRL 2021 paper, see more at https://implicitbc.github.io/
Python
286
star
87

exoplanet-ml

Machine learning models and utilities for exoplanet science.
Python
283
star
88

self-organising-systems

Jupyter Notebook
279
star
89

tensorflow-coder

Python
275
star
90

retvec

RETVec is an efficient, multilingual, and adversarially-robust text vectorizer.
Jupyter Notebook
269
star
91

vdm

Jupyter Notebook
267
star
92

sparf

This is the official code release for SPARF: Neural Radiance Fields from Sparse and Noisy Poses [CVPR 2023-Highlight]
Python
263
star
93

falken

Falken provides developers with a service that allows them to train AI that can play their games
Python
253
star
94

syn-rep-learn

Learning from synthetic data - code and models
Python
246
star
95

lm-extraction-benchmark

Python
244
star
96

meliad

Python
231
star
97

3d-moments

Code for CVPR 2022 paper '3D Moments from Near-Duplicate Photos'
Python
229
star
98

perceiver-ar

Python
224
star
99

ott

Python
215
star
100

language-table

Suite of human-collected datasets and a multi-task continuous control benchmark for open vocabulary visuolinguomotor learning.
Jupyter Notebook
213
star