GithubHelp home page GithubHelp logo

willcode2surf / parlai Goto Github PK

View Code? Open in Web Editor NEW

This project forked from facebookresearch/parlai

0.0 2.0 0.0 3.14 MB

A framework for training and evaluating AI models on a variety of openly available dialog datasets.

Home Page: parl.ai

License: Other

Python 87.88% Lua 6.08% HTML 5.38% Shell 0.65%

parlai's Introduction


ParlAI (pronounced “par-lay”) is a framework for dialog AI research, implemented in Python.

Its goal is to provide researchers:

  • a unified framework for training and testing dialog models
  • multi-task training over many datasets at once
  • seamless integration of Amazon Mechanical Turk for data collection and human evaluation

Over 20 tasks are supported in the first release, including popular datasets such as SQuAD, bAbI tasks, MCTest, WikiQA, WebQuestions, SimpleQuestions, WikiMovies, QACNN & QADailyMail, CBT, BookTest, bAbI Dialog tasks, Ubuntu Dialog, OpenSubtitles, Cornell Movie and VQA-COCO2014.

Included are examples of training neural models with PyTorch and Lua Torch, with batch training on GPU or hogwild training on CPUs. Using Theano or Tensorflow instead is also straightforward.

Our aim is for the number of tasks and agents that train on them to grow in a community-based way.

We are in an early-release Beta. Expect some adventures and rough edges.

Goals

Unified framework for evaluation of dialogue models

  • downloads tasks/datasets on demand and provides the same simple interface to them
  • unifies dataset input and evaluation frameworks/metrics
  • agents/ directory encourages researchers to submit their training code to the repository to share with others
  • aids reproducibility

End goal is general dialogue, which includes many different skills

  • seamlessly combines simulated and real language tasks
  • encourages multi-task model development & evaluation
  • helps to reduce overfitting of models to specific datasets

End goal is real dialogue with people

  • train and evaluate on live dialogue with humans via Mechanical Turk
  • easy setup for connecting turkers with your dialogue agent
  • allow to compare different research groups turk experiments

Set of datasets to bootstrap a working dialogue model for human interaction

  • motivates building new datasets that will go in the repository

Properties

  • All datasets look like natural dialogue: a single format / API.
  • Both fixed datasets (conversation logs) and interactive (online/RL) tasks.
  • Both real and simulated tasks.
  • Supports other media, e.g. visual in VQA.
  • Can use Mechanical Turk to run / collect data / evaluate.
  • Python framework.
  • Examples of training with PyTorch.
  • Uses zmq to talk to other toolboxes not in Python, examples of Lua Torch given.
  • Supports hogwild and batch training of models.

Basic Examples

Display 10 random examples from task 1 of the "1k training examples" bAbI task:

python examples/display_data.py -t babi:task1k:1

Displays 100 random examples from multi-tasking on the bAbI task and the SQuAD dataset at the same time:

python examples/display_data.py -t babi:task1k:1,squad -n 100

Evaluate an IR baseline model on the validation set of the Movies Subreddit dataset:

python examples/eval_model.py -m ir_baseline -t "#moviedd-reddit" -dt valid

Display the predictions of that same IR baseline model:

python examples/display_model.py -m ir_baseline -t "#moviedd-reddit" -dt valid

Train a simple cpu-based memory network on the "10k training examples" bAbI task 1 with 8 threads (python processes) using Hogwild (requires zmq and Lua Torch):

python examples/memnn_luatorch_cpu/full_task_train.py -t babi:task10k:1 -nt 8

Trains an attentive LSTM model on the SQuAD dataset with a batch size of 32 examples (pytorch and regex):

python examples/drqa/train.py -t squad -bs 32

Requirements

ParlAI currently requires Python3.

Dependencies of the core modules are listed in requirement.txt.

Several models included (in parlai/agents) have additional requirements. DrQA requires installing PyTorch, and the MemNN model requires installing Lua Torch. See their respective websites for installation instructions.

Installing ParlAI

Run the following commands to clone the repository and install ParlAI:

git clone https://github.com/facebookresearch/ParlAI.git ~/ParlAI
cd ~/ParlAI; python setup.py develop

This will link the cloned directory to your site-packages.

This is the recommended installation procedure, as it provides ready access to the examples and allows you to modify anything you might need. This is especially useful if you if you want to submit another task to the repository.

All needed data will be downloaded to ~/ParlAI/data, and any non-data files (such as the MemNN code) if requested will be downloaded to ~/ParlAI/downloads. If you need to clear out the space used by these files, you can safely delete these directories and any files needed will be downloaded again.

Worlds, agents and teachers

The main concepts (classes) in ParlAI:

  • world - defines the environment (can be very simple, just two agents talking to each other).
  • agent – an agent in the world, e.g. the learner. (There can be multiple learners.)
  • teacher – a type of agent that talks to the learner, implements one of the tasks listed before.

After defining a world and the agents in it, a main loop can be run for training, testing or displaying, which calls the function world.parley(). The skeleton of an example main is given in the left panel, and the actual code for parley() on the right.

Actions and Observations

All agents (including teachers) speak to each other with a single format -- the observation/action object (a python dict). This is used to pass text, labels and rewards between agents. It’s the same object type when talking (acting) or listening (observing), but a different view (with different values in the fields). The fields are as follows:

Each of these fields are technically optional, depending on your dataset, though the 'text' field will most likely be used in nearly all exchanges.

For a fixed supervised learning dataset like bAbI, a typical exchange from the training set might be as follows (the test set would not include labels):

Teacher: {
    'text': 'Sam went to the kitchen\nPat gave Sam the milk\nWhere is the milk?',
    'labels': ['kitchen'],
    'label_candidates': ['hallway', 'kitchen', 'bathroom'],
    'episode_done': False
}
Student: {
    'text': 'hallway'
}
Teacher: {
    'text': 'Sam went to the hallway\nPat went to the bathroom\nWhere is the milk?',
    'labels': ['hallway'],
    'label_candidates': ['hallway', 'kitchen', 'bathroom'],
    'episode_done': True
}
Student: {
    'text': 'hallway'
}
Teacher: {
    ... # starts next episode
}
...

Code

The code is set up into several main directories:

  • core: contains the primary code for the framework
  • agents: contains agents which can interact with the different tasks (e.g. machine learning models)
  • examples: contains a few basic examples of different loops (building dictionary, train/eval, displaying data)
  • tasks: contains code for the different tasks available from within ParlAI
  • mturk: contains code for setting up Mechanical Turk, as well as sample MTurk tasks

Each directory is described in more detail below, ordered by dependencies.

Core

The core library contains the following files:

  • agents.py: this file contains a few basic agents which can be extended by your own model
    • Agent: base class for all other agents, implements the act() method which receives an observation table and returns a table in response
    • Teacher: child of Agent, also implements the report method for returning metrics. Tasks implement the Teacher class
    • MultiTaskTeacher: creates a set of teachers based on a "task string" passed to the Teacher, creating multiple teachers within it and alternating between them
    • create_task_teacher: instantiate a teacher from a given task string (e.g. 'babi:task:1' or 'squad')
  • build_data.py: basic utilities for setting up data for tasks. you can override if your filesystem needs different functionality.
  • dialog_teacher.py: contains a base teacher class for doing dialog with fixed chat logs, along with a data class for storing the data
  • dict.py: contains code for building general NLP-style dictionaries from observations
    • DictionaryAgent: agent which tracks the index and frequency of words in a dictionary, and can parse a sentence into indices into its dictionary or back
  • fbdialog_teacher.py: contains a teacher class which implements a function setup_data which parses data in the FB Dialog data format
  • metrics.py: computes evaluation metrics for dialog, e.g. ranking metrics, etc.
  • params.py: uses argparse to interpret command line arguments for ParlAI
  • thread_utils.py: utility classes/functions for use in Hogwild multithreading (multiprocessing)
    • SharedTable: provides a lock-protected, shared-memory, dictionary-like interface for keeping track of metrics
  • worlds.py: contains a set of basic worlds for tasks to take place inside
    • World: base class for all other worlds, implements parley, shutdown, __enter__, and __exit__
    • DialogPartnerWorld: default world for turn-based two-agent communication MultiAgentDialogWorld: round-robin turn-based agent communication for two or more agents HogwildWorld: default world for setting up a separate world for every thread when using multiple threads (processes)

Agents

The agents directory contains agents that have been approved into the ParlAI framework for shared use. Currently available within this directory:

  • drqa: an attentive LSTM model DrQA (https://arxiv.org/abs/1704.00051) implemented in PyTorch that has competitive results on the SQuAD dataset amongst others.
  • memnn: code for an end-to-end memory network in Lua Torch
  • remote_agent: basic class for any agent connecting over ZMQ (memnn_luatorch_cpu uses this)
  • ir_baseline: simple information retrieval baseline that scores candidate responses with TFIDF-weighted matching
  • repeat_label: basic class for merely repeating all data sent to it (e.g. for piping to a file, debugging)

Examples

This directory contains a few particular examples of basic loops.

  • base_train.py: very simple example shows the outline of a training/validation loop using the default Agent parent class
  • display_data.py: uses agent.repeat_label to display data from a particular task provided on the command-line
  • display_model.py: shows the predictions of a provided model on a particular task provided on the command-line
  • eval_model.py: uses the named agent to compute evaluation metrics data for a particular task provided on the command-line
  • build_dict.py: build a dictionary from a particular task provided on the command-line using core.dict.DictionaryAgent
  • memnn_luatorch_cpu: shows a few examples of training an end-to-end memory network on a few datasets
  • drqa: shows how to train the attentive LSTM DrQA model of Chen et al. on SQuAD.

Tasks

Over 20 tasks are supported in the first release, including popular datasets such as SQuAD, bAbI tasks, MCTest, WikiQA, WebQuestions, SimpleQuestions, WikiMovies, QACNN, QADailyMail, CBT, BookTest, bAbI Dialog tasks, Ubuntu, OpenSubtitles, Cornell Movie and VQA-COCO2014.

Our first release includes the following datasets (shown in the left panel), and accessing one of them is as simple as specifying the name of the task as a command line option, as shown in the dataset display utility (right panel):

See here for the current complete task list.

Choosing a task in ParlAI is as easy as specifying it on the command line, as shown in the above image (right). If the dataset has not been used before, ParlAI will automatically download it. As all datasets are treated in the same way in ParlAI (with a single dialog API), a dialog agent can in principle switch training and testing between any of them. Even better, one can specify many tasks at once (multi-tasking) by simply providing a comma-separated list, e.g. the command line “-t babi,squad”, to use those two datasets, or even all the QA datasets at once (-t #qa) or indeed every task in ParlAI at once (-t #all). The aim is to make it easy to build and evaluate very rich dialog models.

Each task folder contains:

  • build.py file for setting up data for the task (downloading data, etc, only done the first time requested, and not downloaded if the task is not used).
  • agents.py file which contains default or special teacher classes used by core.create_task to instantiate these classes from command-line arguments (if desired).
  • worlds.py file can optionally be added for tasks that need to define new/complex environments.

To add your own task:

  • (optional) implement build.py to download any needed data
  • implement agents.py, with at least a DefaultTeacher (extending Teacher or one of its children)
    • if your data is in FB Dialog format, subclass FbDialogTeacher
    • if not...
      • if your data consists of fixed logs, you can use extend DialogTeacher and thus core.data.TextData, in which case you just need to write your own setup_data function which provides an iterable over the data according to the format described in core.data
      • if your data uses other fields, write your own act() method which provides observations from your task each time it's called

MTurk

An important part of ParlAI is seamless integration with Mechanical Turk for data collection, training and evaluation. Human Turkers are also viewed as agents in ParlAI and hence person-person, person-bot, or multiple people and bots in group chat can all converse within the standard framework, switching out the roles as desired with no code changes to the agents. This is because Turkers also receive and send via a (pretty printed) version of the same interface, using the fields of the observation/action dict. We provide two examples in the first release, collecting data, and human evaluation of a bot.

The mturk library contains the following directories and files:

  • core: this directory contains the core code for setting up AWS backend that supports the MTurk chat interface, and code for HIT creation and approval.
  • tasks: this directory contains two sample MTurk tasks that are provided in the first release.
    • qa_data_collection: get questions and answers from turkers, given a random paragraph from SQuAD.
    • model_evaluator: evaluate the information retrieval baseline model on the Reddit movie dialog dataset.
  • run_mturk.py: file for calling mturk core code with user-specified task module, dialog model agent, number of HITs, and reward for each HIT.

To run sample MTurk task and agent:

  • In run_mturk.py, uncomment the task module and the agent class you want to use
  • For create_hits method, change num_hits and hit_reward if needed. Set is_sandbox to True if you want to run the sample in MTurk sandbox only, or set it to False to allow turkers to work on it and potentially get paid for it.
  • Run python run_mturk.py

To add your own MTurk task and dialog model:

  • create a new folder within the mturk/tasks directory for your new task
  • implement task_config.py, with at least the following fields in the task_config dictionary:
    • hit_title: a short and descriptive title about the kind of task the HIT contains. On the Amazon Mechanical Turk web site, the HIT title appears in search results, and everywhere the HIT is mentioned.
    • hit_description: a description includes detailed information about the kind of task the HIT contains. On the Amazon Mechanical Turk web site, the HIT description appears in the expanded view of search results, and in the HIT and assignment screens.
    • hit_keywords: one or more words or phrases that describe the HIT, separated by commas. On MTurk website, these words are used in searches to find HITs.
    • worker_agent_id: a short name indicating the turker's role in the conversation.
    • task_description: a detailed task description that will be shown on the HIT task preview page and on the left side of the chat page. Supports HTML formatting.
  • implement agents.py, with at least an agent class that extends from Agent
    • write your own __init__() method that wraps your dialog model agent. (Please see mturk/tasks/model_evaluator/agents.py file for a concrete example.)
    • write your own act() method that returns your dialog model's response as well as helpful text to the turker for what action they should take next.
  • import your task module and agent class in run_mturk.py file, and then run python run_mturk.py.

The Team

ParlAI is currently maintained by Alexander H. Miller, Will Feng and Jason Weston. A non-exhaustive list of other major contributors includes: Adam Fisch, Jiasen Lu, Antoine Bordes, Devi Parikh and Dhruv Batra.

License

ParlAI is BSD-licensed. We also provide an additional patent grant.

parlai's People

Contributors

ajfisch avatar alexholdenmiller avatar jaseweston avatar jiasenlu avatar yf225 avatar

Watchers

 avatar  avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.