An offline deep reinforcement learning library

Overview

d3rlpy: An offline deep reinforcement learning library

test build Documentation Status codecov Maintainability Gitter MIT

d3rlpy is an offline deep reinforcement learning library for practitioners and researchers.

import d3rlpy

dataset, env = d3rlpy.datasets.get_dataset("hopper-medium-v0")

# prepare algorithm
sac = d3rlpy.algos.SAC()

# train offline
sac.fit(dataset, n_steps=1000000)

# train online
sac.fit_online(env, n_steps=1000000)

# ready to control
actions = sac.predict(x)

key features

Most Practical RL Library Ever

  • offline RL: d3rlpy supports state-of-the-art offline RL algorithms. Offline RL is extremely powerful when the online interaction is not feasible during training (e.g. robotics, medical).
  • online RL: d3rlpy also supports conventional state-of-the-art online training algorithms without any compromising, which means that you can solve any kinds of RL problems only with d3rlpy.
  • advanced engineering: d3rlpy is designed to implement the faster and efficient training algorithms. For example, you can train Atari environments with x4 less memory space and as fast as the fastest RL library.

🔰 Easy-To-Use API

  • zero-knowledge of DL library: d3rlpy provides many state-of-the-art algorithms through intuitive APIs. You can become a RL engineer even without knowing how to use deep learning libraries.
  • scikit-learn compatibility: d3rlpy is not only easy, but also completely compatible with scikit-learn API, which means that you can maximize your productivity with the useful scikit-learn's utilities.

🚀 Beyond State-Of-The-Art

  • distributional Q function: d3rlpy is the first library that supports distributional Q functions in the all algorithms. The distributional Q function is known as the very powerful method to achieve the state-of-the-performance.
  • many tweek options: d3rlpy is also the first to support N-step TD backup and ensemble value functions in the all algorithms, which lead you to the place no one ever reached yet.

installation

d3rlpy supports Linux, macOS and Windows.

PyPI (recommended)

PyPI version PyPI - Downloads

$ pip install d3rlpy

Anaconda

Anaconda-Server Badge Anaconda-Server Badge Anaconda-Server Badge

$ conda install -c conda-forge d3rlpy

Docker

Docker Pulls

$ docker run -it --gpus all --name d3rlpy takuseno/d3rlpy:latest bash

supported algorithms

algorithm discrete control continuous control offline RL?
Behavior Cloning (supervised learning)
Deep Q-Network (DQN)
Double DQN
Deep Deterministic Policy Gradients (DDPG)
Twin Delayed Deep Deterministic Policy Gradients (TD3)
Soft Actor-Critic (SAC)
Batch Constrained Q-learning (BCQ)
Bootstrapping Error Accumulation Reduction (BEAR)
Advantage-Weighted Regression (AWR)
Conservative Q-Learning (CQL)
Advantage Weighted Actor-Critic (AWAC)
Critic Reguralized Regression (CRR)
Policy in Latent Action Space (PLAS)
TD3+BC

supported Q functions

other features

Basically, all features are available with every algorithm.

  • evaluation metrics in a scikit-learn scorer function style
  • export greedy-policy as TorchScript or ONNX
  • parallel cross validation with multiple GPU

experimental features

benchmark results

d3rlpy is benchmarked to ensure the implementation quality. The benchmark scripts are available reproductions directory. The benchmark results are available d3rlpy-benchmarks repository.

examples

MuJoCo

import d3rlpy

# prepare dataset
dataset, env = d3rlpy.datasets.get_d4rl('hopper-medium-v0')

# prepare algorithm
cql = d3rlpy.algos.CQL(use_gpu=True)

# train
cql.fit(dataset,
        eval_episodes=dataset,
        n_epochs=100,
        scorers={
            'environment': d3rlpy.metrics.evaluate_on_environment(env),
            'td_error': d3rlpy.metrics.td_error_scorer
        })

See more datasets at d4rl.

Atari 2600

import d3rlpy
from sklearn.model_selection import train_test_split

# prepare dataset
dataset, env = d3rlpy.datasets.get_atari('breakout-expert-v0')

# split dataset
train_episodes, test_episodes = train_test_split(dataset, test_size=0.1)

# prepare algorithm
cql = d3rlpy.algos.DiscreteCQL(n_frames=4, q_func_factory='qr', scaler='pixel', use_gpu=True)

# start training
cql.fit(train_episodes,
        eval_episodes=test_episodes,
        n_epochs=100,
        scorers={
            'environment': d3rlpy.metrics.evaluate_on_environment(env),
            'td_error': d3rlpy.metrics.td_error_scorer
        })

See more Atari datasets at d4rl-atari.

PyBullet

import d3rlpy

# prepare dataset
dataset, env = d3rlpy.datasets.get_pybullet('hopper-bullet-mixed-v0')

# prepare algorithm
cql = d3rlpy.algos.CQL(use_gpu=True)

# start training
cql.fit(dataset,
        eval_episodes=dataset,
        n_epochs=100,
        scorers={
            'environment': d3rlpy.metrics.evaluate_on_environment(env),
            'td_error': d3rlpy.metrics.td_error_scorer
        })

See more PyBullet datasets at d4rl-pybullet.

Online Training

import d3rlpy
import gym

# prepare environment
env = gym.make('HopperBulletEnv-v0')
eval_env = gym.make('HopperBulletEnv-v0')

# prepare algorithm
sac = d3rlpy.algos.SAC(use_gpu=True)

# prepare replay buffer
buffer = d3rlpy.online.buffers.ReplayBuffer(maxlen=1000000, env=env)

# start training
sac.fit_online(env, buffer, n_steps=1000000, eval_env=eval_env)

tutorials

Try a cartpole example on Google Colaboratory!

  • offline RL tutorial: Open In Colab
  • online RL tutorial: Open In Colab

contributions

Any kind of contribution to d3rlpy would be highly appreciated! Please check the contribution guide.

The release planning can be checked at milestones.

community

Channel Link
Chat Gitter
Issues GitHub Issues

family projects

Project Description
d4rl-pybullet An offline RL datasets of PyBullet tasks
d4rl-atari A d4rl-style library of Google's Atari 2600 datasets
MINERVA An out-of-the-box GUI tool for offline RL

roadmap

The roadmap to the future release is available in ROADMAP.md.

citation

The paper is available here.

@InProceedings{seno2021d3rlpy,
  author = {Takuma Seno, Michita Imai},
  title = {d3rlpy: An Offline Deep Reinforcement Library},
  booktitle = {NeurIPS 2021 Offline Reinforcement Learning Workshop},
  month = {December},
  year = {2021}
}

acknowledgement

This work is supported by Information-technology Promotion Agency, Japan (IPA), Exploratory IT Human Resources Project (MITOU Program) in the fiscal year 2020.

Comments
  • Problem with loading trained model

    Problem with loading trained model

    I am trying to load a trained model with CQL.load_model(..full model [path). I first got fname is missing I tried fname=..full_model_path I then got self is missing I added self It still doesn't load the model. no attribute 'impl' ...

    bug 
    opened by hn2 21
  • Question regarding plotting Cumulative Reward graph on Tensorboard

    Question regarding plotting Cumulative Reward graph on Tensorboard

    I really enjoyed working with this repo. Thank you very much for your great work! I was just wondering how to have the cumulative reward plots on Tensorboard for deep Q network algorithm.

    Thank you again!

    enhancement 
    opened by ajam74001 14
  • [BUG] gaussian likelihood computation

    [BUG] gaussian likelihood computation

    ======== dynamics.py ===========

    def _gaussian_likelihood( x: torch.Tensor, mu: torch.Tensor, logstd: torch.Tensor ) -> torch.Tensor: inv_std = torch.exp(-logstd) return (((mu - x) ** 2) * inv_std).mean(dim=1, keepdim=True)

    ======= I think It should be... =============

    def _gaussian_likelihood( x: torch.Tensor, mu: torch.Tensor, logstd: torch.Tensor ) -> torch.Tensor: inv_std = torch.exp(-logstd) return 0.5 * (((mu - x) ** 2) * (inv_std ** 2)).sum(dim=1, keepdim=True)

    image

    bug 
    opened by tominku 14
  • d4rlpy MDPDataset

    d4rlpy MDPDataset

    Hi @takuseno, firstly thanks a lot for such a high quality repo for offline RL. I have a question about the method get_d4rl(), why the rewards are all moved by one step? while cursor < dataset_size: # collect data for step=t observation = dataset["observations"][cursor] action = dataset["actions"][cursor] if episode_step == 0: reward = 0.0 else: reward = dataset["rewards"][cursor - 1]

    Long for your feedback.

    opened by cclvr 14
  • [BUG] Final observation not stored

    [BUG] Final observation not stored

    Hello,

    Describe the bug it seems that the final observation is not stored in the Episode object.

    Looking at the code, if an episode is only one step long, the Episode object should store:

    • initial observation
    • action, reward
    • final observation

    But it seems that the observations array has the same length as the actions or rewards one which probably means that the final observation is not stored.

    Note: this would probably require some changes later on in the code as no action is taken after the final observation.

    Additional context The way it is handled in SB3 for instance is to have a separate array that store the next observation. A special treatment is also needed when using multiple envs at the same time that may reset automatically.

    See https://github.com/DLR-RM/stable-baselines3/blob/503425932f5dc59880f854c4f0db3255a3aa8c1e/stable_baselines3/common/off_policy_algorithm.py#L488 and https://github.com/DLR-RM/stable-baselines3/blob/503425932f5dc59880f854c4f0db3255a3aa8c1e/stable_baselines3/common/buffers.py#L267 (when using only one array)

    cc @megan-klaiber

    bug 
    opened by araffin 12
  • ValueError: loaded state dict contains a parameter group that doesn't match the size of optimizer's group

    ValueError: loaded state dict contains a parameter group that doesn't match the size of optimizer's group

    I get this error when loading a trained model Whta does it mean?

    ValueError: loaded state dict contains a parameter group that doesn't match the size of optimizer's group

    bug 
    opened by hn2 11
  • [REQUEST] Save model less frequently than metrics

    [REQUEST] Save model less frequently than metrics

    Hello, when running fit_online I'd like to be able to save the metrics regularly (eg, once every episode, which is 200 timesteps for the pendulum environment) without having to save the model .pt files at the same high frequency (because the model files are quite large).

    Put another way, I'd like to be able to write data to the evaluation.csv file without having to write a model_?????.pt file every time.

    I can't see how this is possible in the current code. If it's not possible, I'd like to request it as a feature. Thanks!

    enhancement 
    opened by pstansell 11
  • How to switch batch size during training?

    How to switch batch size during training?

    @takuseno , firstly thanks a lot for your clear and complete code base for offline RL. Recently I try to conduct new algorithms based on this code base, and I want to switch batch size during the training process, but I don't know how to modify it with the smallest changes . Could you help to give some clue? Looking forward to your replay.

    opened by cclvr 10
  • [REQUEST] Run time benchmarks,

    [REQUEST] Run time benchmarks,

    Hello dear @takuseno, Thank you very much for sharing this amazing library. I am training CQL and DQN models for breakout Atari on V100 GPU. However, the training is so slow (it takes a day to run 50 episodes). I was wondering if you have a benchmark for run times?

    enhancement 
    opened by ajam74001 9
  • NaN in Predictions while online finetune

    NaN in Predictions while online finetune

    Hi @takuseno , First of all thanks again for your awesome work, I was able to train my agent in a custom environment with your help and already increased the performance significantly! Nevertheless, I wanted to fine tune the agent in an online environment. Unfortunately. this worked for only somewhere between 500-1000 steps (not fixed, seems arbitrary) until I get an AssertionError because NaN values are predicted. I get the following trace. Any idea where I could look into / fix this?

    Exception has occurred: ValueError       (note: full exception trace is shown but execution is paused at: _run_module_as_main)
    Expected parameter loc (Tensor of shape (1, 4)) of distribution Normal(loc: torch.Size([1, 4]), scale: torch.Size([1, 4])) to satisfy the constraint Real(), but found invalid values:
    tensor([[nan, nan, nan, nan]])
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/torch/distributions/distribution.py", line 55, in __init__
        raise ValueError(
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/torch/distributions/normal.py", line 54, in __init__
        super(Normal, self).__init__(batch_shape, validate_args=validate_args)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/models/torch/distributions.py", line 99, in __init__
        self._dist = Normal(self._mean, self._std)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/models/torch/policies.py", line 175, in dist
        return SquashedGaussianDistribution(mu, clipped_logstd.exp())
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/models/torch/policies.py", line 189, in forward
        dist = self.dist(x)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/models/torch/policies.py", line 245, in best_action
        action = self.forward(x, deterministic=True, with_log_prob=False)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/algos/torch/ddpg_impl.py", line 195, in _predict_best_action
        return self._policy.best_action(x)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/algos/torch/base.py", line 58, in predict_best_action
        action = self._predict_best_action(x)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/torch_utility.py", line 295, in wrapper
        return f(self, *tensors, **kwargs)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/torch_utility.py", line 305, in wrapper
        return f(self, *args, **kwargs)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/algos/base.py", line 127, in predict
        return self._impl.predict_best_action(x)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/online/explorers.py", line 50, in sample
        greedy_actions = algo.predict(x)
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/online/iterators.py", line 212, in train_single_env
        action = explorer.sample(algo, x, total_step)[0]
      File "/home/user/ws/d3/.venv/lib/python3.10/site-packages/d3rlpy/algos/base.py", line 251, in fit_online
        train_single_env(
      File "/home/user/ws/d3/simulation/examples/tune_d3rlpy.py", line 78, in <module>
        cql.fit_online(env, buffer, explorer, n_steps=1000)
      File "/usr/lib/python3.10/runpy.py", line 86, in _run_code
        exec(code, run_globals)
      File "/usr/lib/python3.10/runpy.py", line 196, in _run_module_as_main (Current frame)
        return _run_code(code, main_globals, None,
    

    I used following script to initiate fine-tuning:

    cql = d3rlpy.algos.CQL(use_gpu=False, action_scaler=action_scaler, scaler=scaler)
    cql.build_with_env(env)
    cql.load_model("model_43596.pt")
    
    buffer = d3rlpy.online.buffers.ReplayBuffer(maxlen=100000, env=env)
    explorer = d3rlpy.online.explorers.ConstantEpsilonGreedy(0.1)
    cql.fit_online(env, buffer, explorer, n_steps=1000)
    
    opened by lettersfromfelix 9
  • Create a Generator version of fit as fitter

    Create a Generator version of fit as fitter

    This is just to start studying the change and discuss about it

    This provides many benefits such as monitoring, live changes to algo params etc

    This will also alleviate the need for doing complicated hierarchies of Callbacks mechanisms that are easier to solve with iterators and generators.

    At least for me it is very useful to have direct access to metrics, to have direct access to the algo object to change and query things every epoch and adjust things interactively instead of a programmatic callback way.

    opened by jamartinh 9
  • loss=nan

    loss=nan

    Hello, I'm trying to run offline RL where the state is formed by 75 or 100 variables (sampled from a bayesian network). The collected samples are in a data frame called "data", and I run the following.

    
    observations_dwh=data[['disease','weight','heartattack']].to_numpy()
    
    rewards = data['variable74']
    
    m=len(actions)
    
    terminals = np.repeat(1,m)
    
    dataset_dwh = MDPDataset(observations_dwh, actions, rewards, terminals)
    
    train_episodes_dwh, test_episodes_dwh = train_test_split(dataset_dwh)
    
    q_func_dwh=d3rlpy.algos.DQN()
    
    q_func_dwh.fit(train_episodes_dwh,test_episodes_dwh,scorers={'advantage': discounted_sum_of_advantage_scorer,
                                                  'td_error': td_error_scorer, # smaller is better
                                                  'value_scale': average_value_estimation_scorer
                                                 })`
    
    
    And it runs quite good, except that the loss=nan from the first step,
    any idea why?
    
    Thanks.
    bug 
    opened by MauricioGS99 0
  • NameNotFound: Environment BreakoutNoFrameskip doesn't exist

    NameNotFound: Environment BreakoutNoFrameskip doesn't exist

    Hello,

    I am running the example code on the welcome page of Github for Atari 2600 and Online Training. Both of the two pieces of code raise the error that the environment cannot be found. Please see below.

    For Atari 2600, I just copy the code and paste in PyCharm on Windows 11.

    import d3rlpy
    from sklearn.model_selection import train_test_split
    
    # prepare dataset
    dataset, env = d3rlpy.datasets.get_atari('breakout-expert-v0')
    
    # split dataset
    train_episodes, test_episodes = train_test_split(dataset, test_size=0.1)
    
    # prepare algorithm
    cql = d3rlpy.algos.DiscreteCQL(
        n_frames=4,
        q_func_factory='qr',
        scaler='pixel',
        use_gpu=True,
    )
    
    # start training
    cql.fit(
        train_episodes,
        eval_episodes=test_episodes,
        n_epochs=100,
        scorers={
            'environment': d3rlpy.metrics.evaluate_on_environment(env),
            'td_error': d3rlpy.metrics.td_error_scorer,
        },
    )
    

    And it says image

    Same for Online Training, I just copy and paste the code to PyCharm on Windows 11.

    import d3rlpy
    import gym
    
    # prepare environment
    env = gym.make('HopperBulletEnv-v0')
    eval_env = gym.make('HopperBulletEnv-v0')
    
    # prepare algorithm
    sac = d3rlpy.algos.SAC(use_gpu=True)
    
    # prepare replay buffer
    buffer = d3rlpy.online.buffers.ReplayBuffer(maxlen=1000000, env=env)
    
    # start training
    sac.fit_online(env, buffer, n_steps=1000000, eval_env=eval_env)
    

    And it says image

    Thank you!

    bug 
    opened by Zebin-Li 3
  • [REQUEST] Support Mildly Conservative Q-Learning (MCQ)

    [REQUEST] Support Mildly Conservative Q-Learning (MCQ)

    Hi

    Thank you for providing excellent code. I am using CQL for offline reinforcement learning. CQL is very useful with its attention span, but we need to compensate for its weaknesses.

    So I found the following paper, would it be a valuable additional implementation for this repository? https://arxiv.org/abs/2206.04745

    Unfortunately I don't have the power to implement this, so I will add it here as an issue. Thank you.

    enhancement 
    opened by bakud 0
  • [REQUEST] Enable observation dictionary input.

    [REQUEST] Enable observation dictionary input.

    Is your feature request related to a problem? Please describe. Currently, your MDPDataset class assert the observation to be an ndarray object. However, In the field of autonomous driving, the MDP observation cannot be represented by a simple ndarray object. Typically, the observation space can be composed of a BEV image and a speed profile, which is not supported by your MDPDataset yet.

    Describe the solution you'd like I believe it will make the repo stronger to enable observation dictionary storage and training like {"BEV": ndarray(C, W, H), "speed": (1,)} in the MDPDataset (as well as Episode and Transition class).

    enhancement 
    opened by Emiyalzn 0
  • [BUG] Pytorch module hooks are not executed

    [BUG] Pytorch module hooks are not executed

    Describe the bug I'm trying to debug some issues during online training (using fit_online) using pytorch hooks, but these hooks are not being executed. Looking at the code, policies are explicitly calling self.forward() like this. Directly calling self.forward() doesn't execute any hooks (see this post), so __call__() should be used instead. So self.forward() should be replaced with self().

    To Reproduce

    1. Register a hook with the policy module, e.g. algo._impl.policy.register_module_forward_pre_hook(hook)
    2. Train with algo.fit_online(...)
    3. Observe that the hook is never invoked

    Expected behavior The registered hooks should be executed.

    Additional context N/A.

    bug 
    opened by abhaybd 0
  • TransitionMiniBatch object is NOT writable

    TransitionMiniBatch object is NOT writable

    For validating an idea, I want to modify rewards in a TransitionMiniBatch dynamically. However, it threw an exception TransitionMiniBatch object is NOT writable. I checked the source code, and found that TransitionMiniBatch was implemented by C. I wonder there is a method to modify TransitionMiniBatch object. Thanks!

    enhancement 
    opened by XiudingCai 1
Releases(v1.1.1)
Owner
Takuma Seno
Machine learning engineer at Sony AI / Ph.D CS student at Keio University.
Takuma Seno
OpenDelta - An Open-Source Framework for Paramter Efficient Tuning.

OpenDelta is a toolkit for parameter efficient methods (we dub it as delta tuning), by which users could flexibly assign (or add) a small amount parameters to update while keeping the most paramters

THUNLP 386 Dec 26, 2022
Readings for "A Unified View of Relational Deep Learning for Polypharmacy Side Effect, Combination Therapy, and Drug-Drug Interaction Prediction."

Polypharmacy - DDI - Synergy Survey The Survey Paper This repository accompanies our survey paper A Unified View of Relational Deep Learning for Polyp

AstraZeneca 79 Jan 05, 2023
A gesture recognition system powered by OpenPose, k-nearest neighbours, and local outlier factor.

OpenHands OpenHands is a gesture recognition system powered by OpenPose, k-nearest neighbours, and local outlier factor. Currently the system can iden

Paul Treanor 12 Jan 10, 2022
Mengzi Pretrained Models

中文 | English Mengzi 尽管预训练语言模型在 NLP 的各个领域里得到了广泛的应用,但是其高昂的时间和算力成本依然是一个亟需解决的问题。这要求我们在一定的算力约束下,研发出各项指标更优的模型。 我们的目标不是追求更大的模型规模,而是轻量级但更强大,同时对部署和工业落地更友好的模型。

Langboat 424 Jan 04, 2023
official implementation for the paper "Simplifying Graph Convolutional Networks"

Simplifying Graph Convolutional Networks Updates As pointed out by #23, there was a subtle bug in our preprocessing code for the reddit dataset. After

Tianyi 727 Jan 01, 2023
Code used for the results in the paper "ClassMix: Segmentation-Based Data Augmentation for Semi-Supervised Learning"

Code used for the results in the paper "ClassMix: Segmentation-Based Data Augmentation for Semi-Supervised Learning" Getting started Prerequisites CUD

70 Dec 02, 2022
TorchMD-Net provides state-of-the-art graph neural networks and equivariant transformer neural networks potentials for learning molecular potentials

TorchMD-net TorchMD-Net provides state-of-the-art graph neural networks and equivariant transformer neural networks potentials for learning molecular

TorchMD 104 Jan 03, 2023
Neural Style and MSG-Net

PyTorch-Style-Transfer This repo provides PyTorch Implementation of MSG-Net (ours) and Neural Style (Gatys et al. CVPR 2016), which has been included

Hang Zhang 904 Dec 21, 2022
Official repo for QHack—the quantum machine learning hackathon

Note: This repository has been frozen while we consider the submissions for the QHack Open Hackathon. We hope you enjoyed the event! Welcome to QHack,

Xanadu 118 Jan 05, 2023
This repository contains the code used to quantitatively evaluate counterfactual examples in the associated paper.

On Quantitative Evaluations of Counterfactuals Install To install required packages with conda, run the following command: conda env create -f requi

Frederik Hvilshøj 1 Jan 16, 2022
pytorch implementation of openpose including Hand and Body Pose Estimation.

pytorch-openpose pytorch implementation of openpose including Body and Hand Pose Estimation, and the pytorch model is directly converted from openpose

Hzzone 1.4k Jan 07, 2023
Minimal deep learning library written from scratch in Python, using NumPy/CuPy.

SmallPebble Project status: experimental, unstable. SmallPebble is a minimal/toy automatic differentiation/deep learning library written from scratch

Sidney Radcliffe 92 Dec 30, 2022
A curated list and survey of awesome Vision Transformers.

English | 简体中文 A curated list and survey of awesome Vision Transformers. You can use mind mapping software to open the mind mapping source file. You c

OpenMMLab 281 Dec 21, 2022
Syntax-Aware Action Targeting for Video Captioning

Syntax-Aware Action Targeting for Video Captioning Code for SAAT from "Syntax-Aware Action Targeting for Video Captioning" (Accepted to CVPR 2020). Th

59 Oct 13, 2022
Spatial Action Maps for Mobile Manipulation (RSS 2020)

spatial-action-maps Update: Please see our new spatial-intention-maps repository, which extends this work to multi-agent settings. It contains many ne

Jimmy Wu 27 Nov 30, 2022
SoK: Vehicle Orientation Representations for Deep Rotation Estimation

SoK: Vehicle Orientation Representations for Deep Rotation Estimation Raymond H. Tu, Siyuan Peng, Valdimir Leung, Richard Gao, Jerry Lan This is the o

FIRE Capital One Machine Learning of the University of Maryland 12 Oct 07, 2022
Spatial Intention Maps for Multi-Agent Mobile Manipulation (ICRA 2021)

spatial-intention-maps This code release accompanies the following paper: Spatial Intention Maps for Multi-Agent Mobile Manipulation Jimmy Wu, Xingyua

Jimmy Wu 70 Jan 02, 2023
Object detection evaluation metrics using Python.

Object detection evaluation metrics using Python.

Louis Facun 2 Sep 06, 2022
Reverse engineering recurrent neural networks with Jacobian switching linear dynamical systems

Reverse engineering recurrent neural networks with Jacobian switching linear dynamical systems This repository is the official implementation of Rever

6 Aug 25, 2022
Game Agent Framework. Helping you create AIs / Bots that learn to play any game you own!

Serpent.AI - Game Agent Framework (Python) Update: Revival (May 2020) Development work has resumed on the framework with the aim of bringing it into 2

Serpent.AI 6.4k Jan 05, 2023