Welcome to Data retriever’s documentation!¶
Contents:
User Guide¶
We handle the data so you can focus on the science¶
Finding data is one thing. Getting it ready for analysis is another. Acquiring, cleaning, standardizing and importing publicly available data is time consuming because many datasets lack machine readable metadata and do not conform to established data structures and formats.
The Data Retriever automates the first steps in the data analysis pipeline by downloading, cleaning, and standardizing datasets, and importing them into relational databases, flat files, or programming languages. The automation of this process reduces the time for a user to get most large datasets up and running by hours, and in some cases days.
What data tasks does the Retriever handle¶
- The Data Retriever handles a number of common tasks including:
Creating the underlying database structures, including automatically determining the data types
Downloading the data
Transforming data into appropriately normalized forms for database management systems (e.g., “wide” data into “long” data and splitting tables into proper sub-tables to reduce duplication)
Converting heterogeneous null values (e.g., 999.0, -999, NaN) into standard null values
Combining multiple data files into single tables
Placing all related tables in a single database or schema.
A couple of examples on the more complicated end include the Breeding Bird Survey of North America (breed-bird-survey) and the Alwyn Gentry Tree Transect data(gentry-forest-transects):
Breeding bird survey data consists of multiple tables. The main table is divided into one file per region in 70 individual compressed files. Supplemental tables required to work with the data are posted in a variety of locations and formats. The Data Retriever automates: downloading all data files, extracting data from region-specific raw data files into single tables, correcting typographic errors, replacing non-standard null values, and adding a Species table that links numeric identifiers to actual species names.
The Gentry forest transects data is stored in over 200 Excel spreadsheets, each representing an individual study site, and compressed in a zip archive. Each spreadsheet contains counts of individuals found at a given site and all stems measured from that individual; each stem measurement is placed in a separate column, resulting in variable numbers of columns across rows, a format that is difficult to work with in both database and analysis software. There is no information on the site in the data files themselves, it is only present in the names of the files. The Retriever downloads the archive, extracts the files, and splits the data they contain into four tables: Sites, Species, Stems, and Counts, keeping track of which file each row of count data originated from in the Counts table and placing a single stem on each row in the Stems table.
Adapted from Morris & White 2013.
Installing (binaries)¶
Precompiled binaries of the most recent release are available for Windows, OS X, and Ubuntu/Debian at the project website.
Installing From Source¶
Required packages
To install the Data Retriever from source, you’ll need Python 3.6.8+ with the following packages installed:
xlrd
The following packages are optional
PyMySQL (for MySQL)
sqlite3 (for SQLite, v3.8 or higher required)
psycopg2-binary (for PostgreSQL)
pypyodbc (for MS Access)
Steps to install from source
Clone the repository
From the directory containing setup.py, run the following command:
python setup.py install
or use pippip install . --upgrade
to install andpip uninstall retriever
to uninstall the retrieverAfter installing, type
retriever
from a command prompt to see the available options of the Data Retriever. Useretriever --version
to confirm the version installed on your system.
Using the Data Retriever Commands¶
After installing, run retriever update
to download all of the
available dataset scripts. Run retriever ls
to see the available datasets
To see the full list of command line options
and datasets run retriever --help
. The output will look like this:
usage: retriever [-h] [-v] [-q]
{download,install,defaults,update,new,new_json,edit_json,delete_json,ls,citation,reset,help,commit}
...
positional arguments:
{download,install,defaults,update,new,new_json,edit_json,delete_json,ls,citation,reset,help}
sub-command help
download download raw data files for a dataset
install download and install dataset
defaults displays default options
update download updated versions of scripts
new create a new sample retriever script
new_json CLI to create retriever datapackage.json script
edit_json CLI to edit retriever datapackage.json script
delete_json CLI to remove retriever datapackage.json script
ls display a list all available dataset scripts
citation view citation
reset reset retriever: removes configuration settings,
scripts, and cached data
help
commit commit dataset to a zipped file
log see log of a committed dataset
optional arguments:
-h, --help show this help message and exit
-v, --version show program's version number and exit
-q, --quiet suppress command-line output
To install datasets, use the install
command.
Examples¶
Using install
The install command downloads the datasets and installs them in the desired engine.
$ retriever install -h
(gives install options)
usage: retriever install [-h] [--compile] [--debug]
{mysql,postgres,sqlite,msaccess,csv,json,xml} ...
positional arguments:
{mysql,postgres,sqlite,msaccess,csv,json,xml}
engine-specific help
mysql MySQL
postgres PostgreSQL
sqlite SQLite
msaccess Microsoft Access
csv CSV
json JSON
xml XML
optional arguments:
-h, --help show this help message and exit
--compile force re-compile of script before downloading
--debug run in debug mode
Examples using install
These examples use Breeding Bird Survey data (breed-bird-survey).
The retriever has support for various databases and flat file
formats (mysql, postgres, sqlite, msaccess, csv, json, xml).
All the engines have a variety of options or flags. Run `retriever defaults
to see the defaults.
For example, the default options for mysql and postgres engines are given below.
retriever defaults
Default options for engine MySQL
user root
password
host localhost
port 3306
database_name {db}
table_name {db}.{table}
Default options for engine PostgreSQL
user postgres
password
host localhost
port 5432
database postgres
database_name {db}
table_name {db}.{table}
Help information for a particular engine can be obtained by running
retriever install [engine name] [-h] [–help], for example, retriever install mysql -h
.
Both mysql and postgres require the database user name --user [USER], -u [USER]
and password --password [PASSWORD], -p [PASSWORD]
.
MySQL and PostgreSQL database management systems support the use of configuration files.
The configuration files provide a mechanism to support using the engines without providing authentication directly.
To set up the configuration files please refer to the respective database management systems documentation.
Install data into Mysql:
retriever install mysql –-user myusername –-password ***** –-host localhost –-port 8888 –-database_name testdbase breed-bird-survey
retriever install mysql –-user myusername breed-bird-survey (using attributes in the client authentication configuration file)
Install data into postgres:
retriever install postgres –-user myusername –-password ***** –-host localhost –-port 5432 –-database_name testdbase breed-bird-survey
retriever install postgres breed-bird-survey (using attributes in the client authentication configuration file)
Install data into sqlite:
retriever install sqlite breed-bird-survey -f mydatabase.db (will use mydatabase.db)
retriever install sqlite breed-bird-survey (will use or create default sqlite.db in working directory)
Install data into csv:
retriever install csv breed-bird-survey --table_name "BBS_{table}.csv"
retriever install csv breed-bird-survey
Using download
The download
command downloads the raw data files exactly as they occur at the
source without any clean up or modification. By default the files will be stored in the working directory.
--path
can be used to specify a location other than the working directory to download the files to. E.g., --path ./data
--subdir
can be used to maintain any subdirectory structure that is present in the files being downloaded.
retriever download -h (gives you help options)
retriever download breed-bird-survey (download raw data files to the working directory)
retriever download breed-bird-survey –path C:\Users\Documents (download raw data files to path)
Using citation
The citation
command show the citation for the retriever and for the scripts.
retriever citation (citation of the Data retriever)
retriever citation breed-bird-survey (citation of Breed bird survey data)
To create new, edit, delete scripts please read the documentation on scripts
Storing database connection details¶
The retriever reads from the standard configuration files for the database management systems. If you want to store connection details they should be stored in those files. Make sure to secure these files appropriately.
For postgreSQL, create or modify ~/.pgpass. This is a file named .pgpass located in the users home directory. On Microsoft Windows, the file is named %APPDATA%postgresqlpgpass.conf (where %APPDATA% refers to the Application Data subdirectory in the user’s profile). It should take the general form:
hostname:port:database:username:password
where each word is replaced with the correct information for your database
connection or replaced with an *
to apply to all values for that section.
For MySQL, create or modify ~/.my.cnf. This is a file named .my.cnf located in the users home directory. The relevant portion of this file for the retriever is the client section which should take the general form:
[client]
host=hostname
port=port
user=username
password=password
where each word to the right of the = is replaced with the correct information for your database connection. Remove or comment out the lines for any values you don’t want to set.
Acknowledgments¶
Development of this software was funded by the Gordon and Betty Moore Foundation’s Data-Driven Discovery Initiative through Grant GBMF4563 to Ethan White and the National Science Foundation as part of a CAREER award to Ethan White.
Quick Start¶
The Data Retriever is written in Python and has a Python interface, a command line interface or an associated R package. It installs publicly available data into a variety of databases (MySQL, PostgreSQL, SQLite) and flat file formats (csv, json, xml).
Installation¶
Using conda:
$ conda install retriever -c conda-forge
or pip:
$ pip install retriever
To install the associated R package:
$ install.packages('rdataretriever')
Python interface¶
Import:
$ import retriever as rt
List available datasets:
$ rt.dataset_names()
Load data on GDP from the World bank:
$ rt.fetch('gdp')
Install the World Bank data on GDP into an SQLite databased named “gdp.sqlite”:
$ rt.install_sqlite('gdp', file='gdp.sqlite)
Command line interface¶
List available datasets:
$ retriever ls
Install the Portal dataset into a set of json files:
$ retriever install json portal
Install the Portal dataset into an SQLite database named “portal.sqlite”:
$ retriever install sqlite portal -f portal.sqlite
R interface¶
List available datasets:
$ rdataretriever::datasets()
Load data on GDP from the World bank:
$ rdataretriever::fetch(dataset = 'gdp')
Install the GDP dataset into SQLite:
$ rdataretriever::install('gdp', 'sqlite')
Learn more¶
Check out the rest of the documentation for more commands, details, and datasets.
Available install formats for all interfaces are: mysql, postgres, sqlite, csv, json, and xml.
Using the Data Retriever from R¶
rdataretriever¶
The rdataretriever provides an R interface to the Data Retriever so
that the retriever
’s data handling can easily be integrated into R workflows.
Installation¶
To use the R package rdataretriever, you first need to install the Data Retriever.
The rdataretriever can then be installed using
install.packages("rdataretriever")
To install the development version, use devtools
# install.packages("devtools")
library(devtools)
install_github("ropensci/rdataretriever")
Note: The R package takes advantage of the Data Retriever’s command line
interface, which must be available in the path. This path is given to the
rdataretriever using the function use_RetrieverPath()
. The location of
retriever
is dependent on the Python installation (Python.exe, Anaconda, Miniconda),
the operating system and the presence of virtual environments in the system. The following instances
exemplify this reliance and how to find retriever’s path.
Ubuntu OS with default Python:¶
If retriever
is installed in default Python, it can be found out in the system with the help
of which
command in the terminal. For example:
$ which retriever
/home/<system_name>/.local/bin/retriever
The path to be given as input to use_RetrieverPath()
function is /home/<system_name>/.local/bin/
as shown below:
library(rdataretriever)
use_RetrieverPath("/home/<system_name>/.local/bin/")
The which
command in the terminal finds the location of retriever
including the name
of the program, but the path required by the function is the directory that contains retriever
.
Therefore, the retriever needs to be removed from the path before using it.
Ubuntu OS with Anaconda environment:¶
When retriever
is installed in an virtual environment, the user can track its location only
when that particular environment is activated. To illustrate, assume the virtual environment is py27:
$ conda activate py27
(py27) $ which retriever
/home/<system_name>/anaconda2/envs/py27/bin/retriever
This path can be used for rdataretriever
after removing retriever as follows:
library(rdataretriever)
use_RetrieverPath("/home/<system_name>/anaconda2/envs/py27/bin/")
Note: rdataretriever
will be able to locate retriever
even if the virtual environment is
deactivated.
rdataretriever functions:¶
datasets()¶
Description : The function returns a list of available datasets.
Arguments : No arguments needed.
Example :
rdataretriever::datasets()
fetch()¶
Description : Each datafile in a given dataset is downloaded to a temporary directory and then imported as a data.frame as a member of a named list.
Arguments :
dataset
(String): Name of dataset to be downloadedquiet
(Bool): The argument decides if warnings need to be displayed (TRUE/FALSE)data_name
(String): Name assigned to dataset once it is downloaded
Example :
rdataretriever :: fetch(dataset = 'portal')
download()¶
Description : Used to download datasets directly without cleaning them and when user does not have a specific preference for the format of the data and the kind of database.
Arguments :
dataset
(String): Name of the dataset to be downloaded.path
(String): Specify dataset download path.quiet
(Bool): Setting TRUE minimizes the console output.sub_dir
(String): sub_dir downloaded dataset is stored into a custom subdirectory.debug
(Bool): Setting TRUE helps in debugging in case of errors.use_cache
(Bool): Setting FALSE reinstalls scripts even if they are already installed.
Example :
rdataretriever :: download("iris","/Users/username/Desktop")
Installation functions¶
Format specific installation¶
Description : rdataretriever
supports installation of datasets in three file formats through different functions:
csv (
install_csv
)json (
install_json
)xml (
install_xml
)
Arguments : These functions require same arguments.
dataset
(String): Name of the dataset to install.table_name
(String): Specify the table name to install.data_dir
(String): Specify the dir path to store data, defaults to working dirdebug
(Bool): Setting TRUE helps in debugging in case of errors.use_cache
(Bool): Setting FALSE reinstalls scripts even if they are already installed.
Example :
rdataretriever :: install_csv("bird-size",table_name = "Bird_Size",debug = TRUE)
Database specific installation¶
Description : rdataretriever
supports installation of datasets in four different databses through different functions:
MySQL (
install_mysql
)PostgreSQL (
install_postgres
)SQLite (
install_sqlite
)MSAccess (
install_msaccess
)
Arguments for PostgreSQL and MySQL :
database_name
(String): Specify database name.debug
(Bool): Setting True helps in debugging in case of errors.host
(String): Specify host name for database.password
(String): Specify password for database.port
(Int): Specify the port number for installation.quiet
(Bool): Setting True minimizes the console output.table_name
(String): Specify the table name to install.use_cache
(Bool): Setting False reinstalls scripts even if they are already installed.user
(String): Specify the username.
Example :
rdataretriever :: install_postgres(dataset = 'portal', user='postgres', password='abcdef')
Arguments for MSAccess and SQLite :
file
(String): Enter file_name for database.table_name
(String): Specify the table name to install.debug
(Bool): Setting True helps in debugging in case of errors.use_cache
(Bool): Setting False reinstalls scripts even if they are already installed.
Example :
rdataretriever :: install_sqlite(dataset = 'iris', file = 'sqlite.db',debug=FALSE, use_cache=TRUE)
get_updates()¶
Description : This function will check if the version of the retriever’s scripts in your local directory ‘ ~/.retriever/scripts/’ is up-to-date with the most recent official retriever release.
Example :
rdataretriever :: get_updates()
reset()¶
Description : The function will Reset the components of rdataretriever using scope [ all, scripts, data, connection]
Arguments :
scope
: Specifies what components to reset. Options include: ’scripts’, ’data’, ’connection’ and ’all’, where ’all’ is the default setting that resets all components.
Example :
rdataretriever :: reset(scope = 'data')
Examples¶
library(rdataretriever)
# List the datasets available via the retriever
rdataretriever::datasets()
# Install the Gentry forest transects dataset into csv files in your working directory
rdataretriever::install('gentry-forest-transects', 'csv')
# Download the raw Gentry dataset files without any processing to the
# subdirectory named data
rdataretriever::download('gentry-forest-transects', './data/')
# Install and load a dataset as a list
Gentry = rdataretriever::fetch('gentry-forest-transects')
names(gentry-forest-transects)
head(gentry-forest-transects$counts)
To get citation information for the rdataretriever
in R use citation(package = 'rdataretriever')
:
Using the retriever-recipes¶
retriever-recipes¶
The Data Retriever earlier used a simple CLI for developing new dataset scripts. This allowed users with no programming experience to quickly add most standard datasets to the Retriever by specifying the names and locations of the tables along with additional information about the configuration of the data. The script is saved as a JSON file, that follows the DataPackage standards.
This functionality has been moved to the retriever-recipes
repository to separate the scripts from the core retriever
functionalities to help with organization, maintenance, and testing. The retriever recipes repository thus holds all the scripts which were earlier shipped with retriever
and also all the script adding/editing functionalities.
Installation¶
The retriever-recipes
project can be installed from Github using the following steps:
git clone https://www.github.com/weecology/retriever-recipes.git
cd retriever-recipes
python setup.py install
Script Creation¶
To create a new script, there are 2 methods :-
Use retriever autocreate to automatically create a script template. Specify the type of data using -dt, the default data type is tabular. Download the files to a folder. In case of tabular data, the files should be CSV files. Autocreate can create a script template for each file using -f or use -d to create a single script template for all files in the directory.
usage: retriever autocreate [-h] [-dt [{raster,vector,tabular}]] [-f] [-d]
[-o [O]] [--skip-lines SKIP_LINES]
path
positional arguments:
path path to the data file(s)
optional arguments:
-h, --help show this help message and exit
-dt [{raster,vector,tabular}]
datatype for files
-f turn files into scripts
-d turn a directory and subdirectories into scripts
-o [O] write scripts out to a designated directory
--skip-lines SKIP_LINES
skip a set number of lines before processing data
Manual script creation using
retriever-recipes new_json
, which starts the CLI tool for new script creation.
Required
name: A one word name for the dataset
Strongly recommended
title: Give the name of the dataset
description: A brief description of the dataset of ~25 words.
citation: Give a citation if available
homepage: A reference to the data or the home page
keywords: Helps in classifying the type of data (i.e using Taxon, Data Type, Spatial Scale, etc.)
Mandatory for any table added; Add Table? (y/N)
table-name: Name of the table, URL to the table
table-url: Name of the table, URL to the table
Basic Scripts¶
The most basic scripts structure requires only some general metadata about the dataset, i.e., the shortname of the database and table, and the location of the table.
Example of a basic script, example.script
Creating script from the CLI
name (a short unique identifier; only lowercase letters and - allowed): example-mammal
title: Mammal Life History Database - Ernest, et al., 2003
description:
citation: S. K. Morgan Ernest. 2003. Life history characteristics of placental non-volant mammals. Ecology 84:3402.
homepage (for the entire dataset):
keywords (separated by ';'): mammals ; compilation
Add Table? (y/N): y
table-name: species
table-url: http://esapubs.org/archive/ecol/E084/093/Mammal_lifehistories_v2.txt
missing values (separated by ';'):
replace_columns (separated by ';'):
delimiter:
do_not_bulk_insert (bool = True/False):
contains_pk (bool = True/False):
escape_single_quotes (bool = True/False):
escape_double_quotes (bool = True/False):
fixed_width (bool = True/False):
header_rows (int):
Enter columns [format = name, type, (optional) size]:
Add crosstab columns? (y,N): n
Add Table? (y/N): n
Created script
{
"citation": "S. K. Morgan Ernest. 2003. Life history characteristics of placental non-volant mammals. Ecology 84:3402.",
"description": "",
"homepage": "",
"keywords": [
"Mammals",
"Compilation"
],
"name": "example-mammal",
"resources": [
{
"dialect": {},
"name": "species",
"schema": {
"fields": []
},
"url": "http://esapubs.org/archive/ecol/E084/093/Mammal_lifehistories_v2.txt"
}
],
"retriever": "True",
"retriever_minimum_version": "2.0.dev",
"title": "Mammal Life History Database - Ernest, et al., 2003"
"version": "1.0.0"
}
Explanation for the keys:
citation
: Citation for the datasetdescription
: Description for the datasethomepage
: Homepage or website where the data is hostedkeywords
: Keywords/tags for the dataset (for searching and classification)name
: Shortname for the dataset. Unique, URL-identifiableresources
: List of tables within the datasetdialect
: Metadata for retriever to process the tablemissingValues
: (Optional) List of strings which represents missing values in tablesdelimiter
: (Optional) a character which represent boundary between two separate value(ex. ‘,’ in csv files)header_rows
: (Optional) number of header rows in table.
name
: Name of the tableschema
: List of the columns in the tablefields
: (Optional-Recommended) List of columns and their types and (optional) size valuesct_column
: (Optional) Cross-tab column with column names from dataset
url
: URL of the table
retriever
: Auto generated tag for script identificationretriever_minimum_version
: Minimum version that supports this scripttitle
: Title/Name of the dataseturls
: dictionary of table names and the respective urlsversion
: “1.0.0”
Multiple Tables¶
A good example of data with multiple tables is Ecological Archives E091-124-D1, McGlinn et al. 2010. plant-comp-ok
Vascular plant composition data.
Since there are several csv files, we create a table for each of the files.
Assuming we want to call our dataset McGlinn2010, below is an example of the script that will handle this data
...
"name": "McGlinn2010",
"resources": [
{
"dialect": {},
"name": "pres",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E091/124/TGPP_pres.csv"
},
{
"dialect": {},
"name": "cover",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E091/124/TGPP_cover.csv"
},
{
"dialect": {},
"name": "richness",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E091/124/TGPP_rich.csv"
},
{
"dialect": {},
"name": "species",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E091/124/TGPP_specodes.csv"
},
{
"dialect": {},
"name": "environment",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E091/124/TGPP_env.csv"
},
{
"dialect": {},
"name": "climate",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E091/124/TGPP_clim.csv"
}
],
"retriever": "True",
"retriever_minimum_version": "2.0.dev",
"title": "Vascular plant composition - McGlinn, et al., 2010",
...
Null Values¶
The Retriever can replace non-standard null values by providing a semi-colon separated list of those null values after the table in which the null values occur.
...
Table name: species
Table URL: http://esapubs.org/archive/ecol/E084/093/Mammal_lifehistories_v2.txt
nulls (separated by ';'): -999 ; 'NA'
...
For example, the Adler et al. 2010. mapped-plant-quads-ks
script uses -9999 to indicate null values.
...
{
"dialect": {},
"name": "quadrat_info",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E088/161/quadrat_info.csv"
},
{
"dialect": {
"missingValues": [
"NA"
]
},
...
Headers¶
If the first row of a table is the headers then naming the columns will, be default, be handled automatically. If you want to rename an existing header row for some reason, e.g., it includes reserved keywords for a database management system, you can do so by adding a list of semi-colon separated column names, with the new columns provided after a comma for each such column.
...
Add Table? (y/N): y
Table name: species
Table URL: http://esapubs.org/archive/ecol/E091/124/TGPP_specodes.csv
replace_columns (separated by ';', with comma-separated values): jan, january ; feb, february ; mar, march
...
The mapped-plant-quads-ks
script for the Adler et al. 2007. dataset from Ecological Archives
includes this functionality:
...
"name": "mapped-plant-quads-ks",
"resources": [
{
"dialect": {},
"name": "main",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E088/161/allrecords.csv"
},
{
"dialect": {},
"name": "quadrat_info",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E088/161/quadrat_info.csv"
},
{
"dialect": {
"missingValues": [
"NA"
]
},
"name": "quadrat_inventory",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E088/161/quadrat_inventory.csv"
},
{
"dialect": {},
"name": "species",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E088/161/species_list.csv"
},
{
"dialect": {
"missingValues": [
"NA"
],
"replace_columns": [
[
"jan",
"january"
],
[
"feb",
"february"
],
[
"mar",
"march"
],
[
"apr",
"april"
],
[
"jun",
"june"
],
[
"jul",
"july"
],
[
"aug",
"august"
],
[
"sep",
"september"
],
[
"oct",
"october"
],
[
"nov",
"november"
],
[
"dec",
"december"
]
]
},
"name": "monthly_temp",
"schema": {},
"url": "http://esapubs.org/archive/ecol/E088/161/monthly_temp.csv"
},
...
Data Format¶
Data packages for different data formats can been added to Retriever now. To add data format add keys in the script for Data sources except in the case of csv.
Data formats which can be added are :-
1. JSON Data :- For JSON raw data, add the key word json_data
to the
resource. To add data formats for a given data package(nuclear-power-plants),
add keys to the resource part as described below.
...
"name": "nuclear-power-plants",
"resources": [
{
"dialect": {
"delimiter": ","
},
"name": "nuclear_power_plants",
"path": "nuclear_power_plants.csv",
"json_data": "nuclear_power_plants.json",
"schema": {
"fields": [
{
"name": "id",
"type": "int"
},
{
"name": "name",
"size": "40",
"type": "char"
},
...
2. XML Data :- For XML raw data, add the key words xml_data
and empty_rows
to the resource. To add data formats for a given data package(county-emergency-management-offices), add keys to
the resource part as described below.
...
"name": "county-emergency-management-offices",
"resources": [
{
"dialect": {
"delimiter": ","
},
"name": "county_emergency_management_offices",
"path": "County_Emergency_Management_Offices.csv",
"xml_data": "emergency_offices.xml",
"empty_rows": 1,
"schema": {
"fields": [
{
"name": "county",
"size": "11",
"type": "char"
},
{
"name": "emergency_manager",
"size": "20",
"type": "char"
...
3. SQlite Data :- For SQlite raw data, add the key word sqlite_data
to the
resource. To add data formats for a given data package(portal-project-test),
add keys to the resource part as described below.
...
"name": "portal-project-test",
"resources": [
{
"dialect": {
"delimiter": ","
},
"name": "species",
"path": "species.csv",
"sqlite_data": ["species","portal_project.sqlite"],
"schema": {
"fields": [
{
"name": "species_id",
"size": "2",
"type": "char"
},
{
"name": "genus",
"size": "16",
"type": "char"
},
...
4. GeoJSON Data :- For GeoJSON raw data, add the key word geojson_data
to the
resource. To add data formats for a given data package(lake-county-illinois-cancer-rates),
add keys to the resource part as described below.
...
"name": "lake-county-illinois-cancer-rates",
"resources": [
{
"dialect": {
"delimiter": ","
},
"name": "lakecounty_health",
"path": "LakeCounty_Health.csv",
"format": "tabular",
"geojson_data": "mytest.geojson",
"schema": {
"fields": [
{
"name": "fid",
"type": "int"
},
{
"name": "zip",
"type": "int"
},
...
5. HDF5 Data :- For HDF5 raw data, add the key word hdf5_data
to the
resource. To add data formats for a given data package(sample-hdf),
add keys to the resource part as described below.
...
"name": "sample-hdf",
"title": "Test data raster bio1",
"description": "Test data sampled from bioclim bio1",
"citation": "N/A",
"keywords": [
"tests"
],
"encoding": "latin-1",
"url": "https://github.com/ashishpriyadarshiCIC/My_data/raw/main/Test_table_image_data.h5",
"ref": "N/A",
"version": "1.0.0",
"retriever_minimum_version": "2.1.dev",
"driver": "GTiff",
"colums": 284,
"rows": 249,
"band_count": 1,
"datum": "N/A - Coordinate Reference System",
"projection": "GEOGCS[\"WGS 84\",DATUM[\"WGS_1984\",SPHEROID[\"WGS 84\",6378137,298.257223563,AUTHORITY[\"EPSG\",\"7030\"]],AUTHORITY[\"EPSG\",\"6326\"]],PRIMEM[\"Greenwich\",0],UNIT[\"degree\",0.0174532925199433],AUTHORITY[\"EPSG\",\"4326\"]]",
"file_size": "N/A",
"group_count": "N/A",
"dataset_count": "N/A",
"transform": {
"xOrigin": -121.6250000000029,
"pixelWidth": 0.041666666666667,
"rotation_2": 0.0,
"yOrigin": 42.79166666666632,
"rotation_4": 0.0,
"pixelHeight": -0.041666666666667
},
"resources": [
{
"dialect": {
"delimiter": ","
},
"name": "table_data",
"path": "table_data.csv",
"hdf5_data": [
"Test_table_image_data.h5",
"csv",
"G1/table_data"
],
"schema": {
"fields": [
{
"name": "region",
"size": "33",
"type": "char"
},
{
"name": "country",
"size": "32",
"type": "char"
},
{
"name": "item_type",
"size": "15",
"type": "char"
},
{
"name": "sales_channel",
"size": "7",
"type": "char"
},
{
"name": "order_id",
"type": "int"
},
{
"name": "total_profit",
"type": "double"
}
]
},
"url": "https://github.com/ashishpriyadarshiCIC/My_data/raw/main/Test_table_image_data.h5"
},
{
"name": "test_image",
"format": "raster",
"hdf5_data": [
"Test_table_image_data.h5",
"image",
"G1/G2/im"
],
"path": "test_raster_bio1.tif",
"extensions": [
"tif"
],
"no_data_value": -9999.0,
"min": null,
"max": null,
"scale": 1.0,
"color_table": null,
"statistics": {
"minimum": 0.0,
"maximum": 0.0,
"mean": 0.0,
"stddev": -1.0
},
...
Full control over column names and data types¶
By default the Retriever automatically detects both column names and data types, but you can also exercise complete control over the structure of the resulting database by adding column names and types.
It is recommended to describe the schema of the table while creating the JSON file. This enables processing of the data faster since column detection increases the processing time.
These values are stored in the fields
array of the schema
dict of the JSON script.
The fields
value enables full control of the columns, which includes, renaming columns, skipping unwanted columns, mentioning primary key and combining columns.
The basic format for fields
is as shown below:
...
Enter columns [format = name, type, (optional) size]:
count, int
name, char, 40
year, int
...
where name
represents name of the column and type
represents the type of data present in the column. The following can be used to describe the data type:
pk-auto: Auto generated primary key starting from 1
pk-[char,int,double]: primary key with data type
char: strings
int: integers
double:floats/decimals
ct-[int,double,char]:Cross tab data
skip: used to skip the column in database
pk-auto
is used to create an additional column of type int which acts as a primary key with values starting from 1. While pk-[char,int,double]
is used to make a primary key from existing columns of the table having data type of char/int/double.
The Smith et al. Masses of Mammals mammal-masses
dataset script includes this type of functionality.
...
"name": "mammal-masses",
"resources": [
{
"dialect": {
"missingValues": [
-999
],
"header_rows": 0
},
"name": "MammalMasses",
"schema": {
"fields": [
{
"name": "record_id",
"type": "pk-auto"
},
{
"name": "continent",
"size": "20",
"type": "char"
},
{
"name": "status",
"size": "20",
"type": "char"
},
{
"name": "sporder",
"size": "20",
"type": "char"
},
{
"name": "family",
"size": "20",
"type": "char"
},
{
"name": "genus",
"size": "20",
"type": "char"
},
{
"name": "species",
"size": "20",
"type": "char"
},
{
"name": "log_mass_g",
"type": "double"
},
{
"name": "comb_mass_g",
"type": "double"
},
{
"name": "reference",
"type": "char"
}
]
},
"url": "http://www.esapubs.org/Archive/ecol/E084/094/MOMv3.3.txt"
}
],
"retriever": "True",
"retriever_minimum_version": "2.0.dev",
"title": "Masses of Mammals (Smith et al. 2003)",
...
Restructuring cross-tab data¶
It is common in ecology to see data where the rows indicate one level of grouping (e.g., by site), the columns indicate another level of grouping (e.g., by species), and the values in each cell indicate the value for the group indicated by the row and column (e.g., the abundance of species x at site y). This is referred as cross-tab data and cannot be easily handled by database management systems, which are based on a one record per line structure. The Retriever can restructure this type of data into the appropriate form. In scripts this involves telling the retriever the name of the column to store the data in and the names of the columns to be restructured.
...
Add crosstab columns? (y,N): y
Crosstab column name: <name of column to store cross-tab data>
Enter names of crosstab column values (Press return after each name):
ct column 1
ct column 2
ct column 3
...
The Moral et al 2010 script. mt-st-helens-veg
takes advantage of this functionality.
...
"name": "mt-st-helens-veg",
"resources": [
{
"dialect": {
"delimiter": ","
},
"name": "species_plot_year",
"schema": {
"ct_column": "species",
"ct_names": [
"Abilas",
"Abipro",
"Achmil",
"Achocc",
"Agoaur",
"Agrexa",
"Agrpal",
"Agrsca",
"Alnvir",
"Anamar",
"Antmic",
"Antros",
"Aqifor",
"Arcnev",
"Arnlat",
"Astled",
"Athdis",
"Blespi",
"Brocar",
"Brosit",
"Carmer",
"Carmic",
"Carpac",
"Carpay",
"Carpha",
"Carros",
"Carspe",
"Casmin",
"Chaang",
"Cirarv",
"Cisumb",
"Crycas",
"Danint",
"Descae",
"Elyely",
"Epiana",
"Eriova",
"Eripyr",
"Fesocc",
"Fravir",
"Gencal",
"Hiealb",
"Hiegra",
"Hyprad",
"Junmer",
"Junpar",
"Juncom",
"Leppun",
"Lommar",
"Luepec",
"Luihyp",
"Luplat",
"Luplep",
"Luzpar",
"Maiste",
"Pencar",
"Pencon",
"Penser",
"Phahas",
"Phlalp",
"Phldif",
"Phyemp",
"Pincon",
"Poasec",
"Poldav",
"Polmin",
"Pollon",
"Poljun",
"Popbal",
"Potarg",
"Psemen",
"Raccan",
"Rumace",
"Salsit",
"Saxfer",
"Senspp",
"Sibpro",
"Sorsit",
"Spiden",
"Trispi",
"Tsumer",
"Vacmem",
"Vervir",
"Vioadu",
"Xerten"
],
"fields": [
{
"name": "record_id",
"type": "pk-auto"
},
{
"name": "plot_id_year",
"size": "20",
"type": "char"
},
{
"name": "plot_name",
"size": "4",
"type": "char"
},
{
"name": "plot_number",
"type": "int"
},
{
"name": "year",
"type": "int"
},
{
"name": "count",
"type": "ct-double"
}
]
},
"url": "http://esapubs.org/archive/ecol/E091/152/MSH_SPECIES_PLOT_YEAR.csv"
},
...
Script Editing¶
Note: Any time a script gets updated, the minor version number must be incremented from within the script.
The JSON scripts created using the retriever-recipes CLI can also be edited using the CLI.
To edit a script, use the retriever-recipes edit_json
command, followed by the script’s shortname;
For example, editing the mammal-life-hist
(Mammal Life History Database - Ernest, et al., 2003)
dataset, the editing tool will ask a series a questions for each of the keys and values of the script,
and act according to the input.
The tool describes the values you want to edit.
In the script below the first keyword is citation, citation ( <class 'str'> )
and it is of class string or expects a string.
dev@retriever:~$ retriever-recipes edit_json mammal-life-hist
->citation ( <class 'str'> ) :
S. K. Morgan Ernest. 2003. Life history characteristics of placental non-volant mammals. Ecology 84:3402
Select one of the following for the key 'citation'
1. Modify value
2. Remove from script
3. Continue (no changes)
Your choice: 3
->homepage ( <class 'str'> ) :
http://esapubs.org/archive/ecol/E084/093/
Select one of the following for the key 'homepage':
1. Modify value
2. Remove from script
3. Continue (no changes)
Your choice: 3
->description ( <class 'str'> ) :
The purpose of this data set was to compile general life history characteristics for a variety of mammalian
species to perform comparative life history analyses among different taxa and different body size groups.
Select one of the following for the key 'description':
1. Modify value
2. Remove from script
3. Continue (no changes)
Your choice: 3
->retriever_minimum_version ( <class 'str'> ) :
2.0.dev
Select one of the following for the key 'retriever_minimum_version':
1. Modify value
2. Remove from script
3. Continue (no changes)
Your choice: 3
->version ( <class 'str'> ) :
1.1.0
Select one of the following for the key 'version':
1. Modify value
2. Remove from script
3. Continue (no changes)
Your choice: 3
->resources ( <class 'list'> ) :
{'dialect': {}, 'schema': {}, 'name': 'species', 'url': 'http://esapubs.org/archive/ecol/E084/093/Mammal_lifehistories_v2.txt'}
1 . {'dialect': {}, 'schema': {}, 'name': 'species', 'url': 'http://esapubs.org/archive/ecol/E084/093/Mammal_lifehistories_v2.txt'}
Edit this dict in 'resources'? (y/N): n
Select one of the following for the key 'resources':
1. Add an item
2. Delete an item
3. Remove from script
4. Continue (no changes)
...
Data Retriever using Python¶
Data Retriever is written purely in python. The Python interface provides the core functionality supported by the CLI (Command Line Interface).
Installation¶
The installation instructions for the CLI and module are the same. Links have been provided below for convenience.
Instructions for installing from binaries project website.
Instructions for installing from source install from Source.
Note: The python interface requires version 2.1 and above.
Tutorial¶
Importing retriever
>>> import retriever
In this tutorial, the module will be referred to as rt
.
>>> import retriever as rt
List Datasets¶
Listing available datasets using dataset_names
function.
The function returns a list of all the currently available scripts.
>>> rt.dataset_names()
['abalone-age',
'antarctic-breed-bird',
.
.
'wine-composition',
'wine-quality']
For a more detailed description of the scripts installed in retriever, the datasets
function can be used. This function returns a list of Scripts
objects.
From these objects, we can access the available Script’s attributes as follows.
>>> for dataset in rt.datasets():
print(dataset.name)
abalone-age
airports
amniote-life-hist
antarctic-breed-bird
aquatic-animal-excretion
.
.
There are a lot of different attributes provided in the Scripts class. Some notably useful ones are:
- name
- citation
- description
- keywords
- title
- urls
- version
You can add more datasets locally by yourself. Adding dataset documentation.
Update Datasets¶
If there are no scripts available, or you want to update scripts to the latest version,
check_for_updates
will download the most recent version of all scripts.
>>> rt.check_for_updates()
Downloading scripts...
Download Progress: [####################] 100.00%
The retriever is up-to-date
Downloading recipes for all datasets can take a while depending on the internet connection.
Download Datasets¶
To directly download datasets without cleaning them use the download
function
def download(dataset, path='./', quiet=False, subdir=False, debug=False):
A simple download for the iris
dataset can be done using the following.
>>> rt.download("iris")
Output:
=> Downloading iris
Downloading bezdekIris.data...
100% 0 seconds Copying bezdekIris.data
The files will be downloaded into your current working directory by default.
You can change the default download location by using the path
parameter.
Here, we are downloading the NPN
dataset to our Desktop
directory
>>> rt.download("NPN","/Users/username/Desktop")
Output:
=> Downloading NPN
Downloading 2009-01-01.xml...
11 MBB
Downloading 2009-04-02.xml...
42 MBB
.
.
path (String): Specify dataset download path.
quiet (Bool): Setting True minimizes the console output.
subdir (Bool): Setting True keeps the subdirectories for archived files.
debug (Bool): Setting True helps in debugging in case of errors.
Install Datasets¶
Retriever supports installation of datasets into 7 major databases and file formats.
- csv
- json
- msaccess
- mysql
- postgres
- sqlite
- xml
There are separate functions for installing into each of the 7 backends:
def install_csv(dataset, table_name=None, compile=False, debug=False,
quiet=False, use_cache=True):
def install_json(dataset, table_name=None, compile=False,
debug=False, quiet=False, use_cache=True, pretty=False):
def install_msaccess(dataset, file=None, table_name=None,
compile=False, debug=False, quiet=False, use_cache=True):
def install_mysql(dataset, user='root', password='', host='localhost',
port=3306, database_name=None, table_name=None,
compile=False, debug=False, quiet=False, use_cache=True):
def install_postgres(dataset, user='postgres', password='',
host='localhost', port=5432, database='postgres',
database_name=None, table_name=None,
compile=False, debug=False, quiet=False, use_cache=True):
def install_sqlite(dataset, file=None, table_name=None,
compile=False, debug=False, quiet=False, use_cache=True):
def install_xml(dataset, table_name=None, compile=False, debug=False,
quiet=False, use_cache=True):
A description of default parameters mentioned above:
compile (Bool): Setting True recompiles scripts upon installation.
database_name (String): Specify database name. For postgres, mysql users.
debug (Bool): Setting True helps in debugging in case of errors.
file (String): Enter file_name for database. For msaccess, sqlite users.
host (String): Specify host name for database. For postgres, mysql users.
password (String): Specify password for database. For postgres, mysql users.
port (Int): Specify the port number for installation. For postgres, mysql users.
pretty (Bool): Setting True adds indentation in JSON files.
quiet (Bool): Setting True minimizes the console output.
table_name (String): Specify the table name to install.
use_cache (Bool): Setting False reinstalls scripts even if they are already installed.
user (String): Specify the username. For postgres, mysql users.
Examples to Installing Datasets:
Here, we are installing the dataset wine-composition as a CSV file in our current working directory.
rt.install_csv("wine-composition")
=> Installing wine-composition
Downloading wine.data...
100% 0 seconds Progress: 178/178 rows inserted into ./wine_composition_WineComposition.csv totaling 178
The installed file is called wine_composition_WineComposition.csv
Similarly, we can download any available dataset as a JSON file:
rt.install_json("wine-composition")
=> Installing wine-composition
Progress: 178/178 rows inserted into ./wine_composition_WineComposition.json totaling 17
The wine-composition dataset is now installed as a JSON file called wine_composition_WineComposition.json in our current working directory.
Retriever Provenance¶
Retriever allows committing of datasets and installation of the committed dataset into the database of your choice at a later date. This ensures that the previous outputs/results can be produced easily.
Provenance Directory¶
The directory to save your committed dataset can be defined by setting the environment variable PROVENANCE_DIR
.
However, you can still save the committed dataset in a directory of your choice by defining the path
while committing
the dataset.
Commit Datasets¶
Retriever supports committing of a dataset into a compressed archive.
def commit(dataset, commit_message='', path=None, quiet=False):
A description of the default parameters mentioned above:
dataset (String): Name of the dataset.
commit_message (String): Specify commit message for a commit.
path (String): Specify the directory path to store the compressed archive file.
quiet (Bool): Setting True minimizes the console output.
Example to commit dataset:
retriever commit abalone-age -m "Example commit" --path .
Committing dataset abalone-age
Successfully committed.
>>> from retriever import commit
>>> commit('abalone-age', commit_message='Example commit', path='/home/')
If the path is not provided the committed dataset is saved in the provenance directory
.
Log Of Committed Datasets¶
You can view the log of commits of the datasets stored in the provenance directory.
def commit_log(dataset):
A description of the parameter mentioned above:
dataset (String): Name of the dataset.
Example:
retriever log abalone-age
Commit message: Example commit
Hash: 02ee77
Date: 08/16/2019, 16:12:28
>>> from retriever import commit_log
>>> commit_log('abalone-age')
Installing Committed Dataset¶
You can install committed datasets by using the hash-value or by providing the path of the compressed archive. Installation using hash-value is supported only for datasets stored in the provenance directory.
For installing dataset from a committed archive you can provide the path to the archive in place of dataset name:
retriever install sqlite abalone-age-02ee77.zip
>>> from retriever import install_sqlite
>>> install_sqlite('abalone-age-02ee77.zip')
Also, you can install using the hash-value of the datasets stored in provenance directory. You can always look up the
hash-value of your previous commits using the command retriever log dataset_name
.
For installing dataset from provenance directory provide the hash-value
of the commit.
retriever install sqlite abalone-age --hash-value 02ee77
>>> from retriever import install_sqlite
>>> install_sqlite('abalone-age', hash_value='02ee77')
Datasets Available¶
1. Ecoregions of the Conterminous United States¶
- name
ecoregions-us
- reference
- citation
[‘U.S. Environmental Protection Agency. 2011. Level III ecoregions of the conterminous United States. U.S. EPA, National Health and Environmental Effects Research Laboratory, Corvallis, Oregon, Map scale 1:3,000,000’, ‘U.S. Environmental Protection Agency. 2011. Level III and IV ecoregions of the conterminous United States. U.S. EPA, National Health and Environmental Effects Research Laboratory, Corvallis, Oregon.’]
- description
Ecoregions of the Conterminous United States
2. Nematode traits and environmental constraints in 200 soil systems¶
- name
nematode-traits
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3552057
- citation
Christian Mulder and J. Arie Vonk. 2011. Nematode traits and environmental constraints in 200 soil systems:scaling within the 60–6000 µm body size range. Ecology 92:2004.
- description
This data set includes information on taxonomy, life stage, sex, feeding habit, trophic level, geographic location, sampling period, ecosystem type, soil type, and soil chemistry
3. Mammal abundance indices in the northern portion of the Great Basin¶
- name
great-basin-mammal-abundance
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3525485
- citation
Rebecca A. Bartel, Frederick F. Knowlton, and Charles Stoddart. 2005. Mammal abundance indices in the northern portion of the Great Basin, 1962-1993. Ecology 86:3130.
- description
Indices of abundance of selected mammals obtained for two study areas within the Great Basin.
4. Mapeamento de iniciativas (e catálogos) de dados abertos governamentais no Brasil.¶
- name
catalogos-dados-brasil
- reference
https://github.com/dadosgovbr/catalogos-dados-brasil
- citation
Augusto Herrmann, Catálogos de dados abertos no Brasil, (2015), https://github.com/dadosgovbr/catalogos-dados-brasil
- description
Um catálogo de dados é uma coleção curada de metadados a respeito de conjuntos de dados
5. Biomass and Its Allocation in Chinese Forest Ecosystems (Luo, et al., 2014)¶
- name
forest-biomass-china
- reference
- citation
Yunjian Luo, Xiaoquan Zhang, Xiaoke Wang, and Fei Lu. 2014. Biomass and its allocation in Chinese forest ecosystems. Ecology 95:2026.
- description
Forest biomass data set of China which includes tree overstory components (stems, branches, leaves, and roots, among all other plant material), the understory vegetation (saplings, shrubs, herbs, and mosses), woody liana vegetation, and the necromass components of dead organic matter (litterfall, suspended branches, and dead trees).
6. Poker Hand dataset¶
- name
poker-hands
- reference
http://archive.ics.uci.edu/ml/datasets/Poker+Hand
- citation
Lichman, M. (2013). UCI Machine Learning Repository [http://archive.ics.uci.edu/ml]. Irvine, CA: University of California, School of Information and Computer Science.
- description
A dataset used to predict poker hands
7. Phylogeny and metabolic rates in mammals (Ecological Archives 2010)¶
- name
mammal-metabolic-rate
- reference
https://figshare.com/collections/Phylogeny_and_metabolic_scaling_in_mammals/3303477
- citation
Isabella Capellini, Chris Venditti, and Robert A. Barton. 2010. Phylogeny and metabolic rates in mammals. Ecology 20:2783-2793.
- description
Data on basal metabolic rate (BMR) with experimental animal body mass, field metabolic rate (FMR) with wild animal body mass, and sources of the data. Ecological Archives E091-198-S1.
8. Database of Vertebrate Home Range Sizes - Tamburello et al., 2015¶
- name
home-ranges
- reference
http://datadryad.org/resource/doi:10.5061/dryad.q5j65/1
- citation
Tamburello N, Cote IM, Dulvy NK (2015) Energy and the scaling of animal space use. The American Naturalist 186(2):196-211. http://dx.doi.org/10.1086/682070.
- description
Database of mean species masses and corresponding empirically measured home range sizes for 569 vertebrate species from across the globe, including birds, mammals, reptiles, and fishes.
9. The effects of biodiversity on ecosystem community, and population variables reported 1974-2004¶
- name
biodiversity-response
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3530822
- citation
Bernhard Schmid, Andrea B. Pfisterer, and Patricia Balvanera. 2009. Effects of biodiversity on ecosystem community, and population variables reported 1974-2004. Ecology 90:853
- description
10. USDA plant list - taxonomy for US plant species¶
- name
plant-taxonomy-us
- reference
http://plants.usda.gov
- citation
USDA, NRCS. 2017. The PLANTS Database (http://plants.usda.gov, DATEOFDOWNLOAD). National Plant Data Team, Greensboro, NC 27401-4901 USA.
- description
Plant taxonomy data for the United States from the USDA plants website
11. Foraging attributes for birds and mammals (Wilman, et al., 2014)¶
- name
elton-traits
- reference
- citation
Hamish Wilman, Jonathan Belmaker, Jennifer Simpson, Carolina de la Rosa, Marcelo M. Rivadeneira, and Walter Jetz. 2014. EltonTraits 1.0: Species-level foraging attributes of the world’s birds and mammals. Ecology 95:2027.
- description
Characterization of species by physiological, behavioral, and ecological attributes that are subjected to varying evolutionary and ecological constraints and jointly determine their role and function in ecosystems.
12. Effects of biodiversity on the functioning of ecosystems:A summary of 164 experimental manipulations of species richness¶
- name
species-exctinction-rates
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3530825
- citation
Bradley J. Cardinale, Diane S. Srivastava, J. Emmett Duffy, Justin P. Wright, Amy L. Downing, Mahesh Sankaran, Claire Jouseau, Marc W. Cadotte, Ian T. Carroll, Jerome J. Weis, Andy Hector, and Michel Loreau. 2009. Effects of biodiversity on the functioning of ecosystems:A summary of 164 experimental manipulations of species richness. Ecology 90:854.
- description
A summary of the results on the accelerating rates of species extinction
13. Abalone Age and Size Data¶
- name
abalone-age
- reference
http://archive.ics.uci.edu/ml/datasets/Abalone
- citation
Lichman, M. (2013). UCI Machine Learning Repository [http://archive.ics.uci.edu/ml]. Irvine, CA: University of California, School of Information and Computer Science.
- description
Database to aid in the prediction of the age of an Abalone given physical measurements
14. A database on visible diurnal spring migration of birds¶
- name
bird-migration-data
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3551952
- citation
Georg F. J. Armbruster, Manuel Schweizer, and Deborah R. Vogt. 2011. A database on visible diurnal spring migration of birds (Central Europe:Lake Constance). Ecology 92:1865.
- description
Birds migration data
15. Barnacle, fucoid, and mussel recruitment in the Gulf of Maine, USA, from 1997 to 2007¶
- name
marine-recruitment-data
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3530633
- citation
Peter S. Petraitis, Harrison Liu, and Erika C. Rhile. 2009. Barnacle, fucoid, and mussel recruitment in the Gulf of Maine, USA, from 1997 to 2007. Ecology 90:571.
- description
This data set provides access to recruitment data collected in the experimental plots from 1997 to 2007
16. Car Evaluation¶
- name
car-eval
- reference
http://archive.ics.uci.edu/ml/datasets/Car+Evaluation
- citation
Lichman, M. (2013). UCI Machine Learning Repository [http://archive.ics.uci.edu/ml]. Irvine, CA: University of California, School of Information and Computer Science.
- description
A database useful for testing constructive induction and structure discovery methods.
17. Wisconsin Breast Cancer Database¶
- name
breast-cancer-wi
- reference
http://archive.ics.uci.edu/ml/datasets/Breast+Cancer+Wisconsin+%28Diagnostic%29
- citation
Lichman, M. (2013). UCI Machine Learning Repository [http://archive.ics.uci.edu/ml]. Irvine, CA: University of California, School of Information and Computer Science.
- description
Database containing information on Wisconsin Breast Cancer Diagnostics
18. Demography of the endemic mint Dicerandra frutescens in Florida scrub¶
- name
dicerandra-frutescens
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3529460
- citation
Eric S. Menges. 2008. Demography of the endemic mint Dicerandra frutescens in Florida scrub. Ecology 89:1474.
- description
Study of the demography of Dicerandra frutescens, an endemic and endangered mint restricted to Florida scrub
19. Sonoran Desert Lab perennials vegetation plots¶
- name
veg-plots-sdl
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3555756
- citation
Susana Rodriguez-Buritica, Helen Raichle, Robert H. Webb, Raymond M. Turner, and D. Lawrence Venable. 2013. One hundred and six years of population and community dynamics of Sonoran Desert Laboratory perennials. Ecology 94:976.
- description
The data set constitutes all information associated with the Spalding-Shreve permanent vegetation plots from 1906 through 2012, which is the longest-running plant monitoring program in the world.
20. Transparency and Open Data Portals of Brazilian states and municipalities¶
- name
transparencia-dados-abertos-brasil
- reference
https://github.com/augusto-herrmann/transparencia-dados-abertos-brasil
- citation
Augusto Herrmann, Transparency and Open Data Portals of Brazilian states and municipalities, (2017), GitHub repository, https://github.com/augusto-herrmann/transparencia-dados-abertos-brasil
- description
Tabelas com o levantamento de portais estaduais e municipais de transparência e dados abertos, feito originalmente por Rodrigo Klein em sua tese de doutorado na PUC/RS, em 2017
21. The distribution and host range of the pandemic disease chytridiomycosis in Australia, spanning surveys from 1956-2007.¶
- name
chytr-disease-distr
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3547077
- citation
Kris Murray, Richard Retallick, Keith R. McDonald, Diana Mendez, Ken Aplin, Peter Kirkpatrick, Lee Berger, David Hunter, Harry B. Hines, R. Campbell, Matthew Pauza, Michael Driessen, Richard Speare, Stephen J. Richards, Michael Mahony, Alastair Freeman, Andrea D. Phillott, Jean-Marc Hero, Kerry Kriger, Don Driscoll, Adam Felton, Robert Puschendorf, and Lee F. Skerratt. 2010. The distribution and host range of the pandemic disease chytridiomycosis in Australia, spanning surveys from 1956-2007. Ecology 91:1557.
- description
The data is of a distribution and host range of this invasive disease in Australia
22. National_Lakes_Assessment_Data¶
- name
nla
- reference
- citation
NA
- description
The National Aquatic Resource Surveys (NARS) are statistical surveys designed to assess the status of and changes in quality of the coastal waters of the nation, lakes and reservoirs, rivers and streams, and wetlands. Using sample sites selected at random, these surveys provide a snapshot of the overall condition of water belonging to the nation. Because the surveys use standardized field and lab methods, we can compare results from different parts of the country and between years. EPA works with state, tribal and federal partners to design and implement the National Aquatic Resource Surveys.
23. Mammal Community DataBase (Thibault et al. 2011)¶
- name
mammal-community-db
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3552243
- citation
Katherine M. Thibault, Sarah R. Supp, Mikaelle Giffin, Ethan P. White, and S. K. Morgan Ernest. 2011. Species composition and abundance of mammalian communities. Ecology 92:2316.
- description
This data set includes species lists for 1000 mammal communities, excluding bats, with species-level abundances available for 940 of these communities.
24. GDP Data¶
- name
gdp
- reference
https://github.com/datasets/gdp/blob/master
- citation
NA
- description
Country, regional and world GDP in current US Dollars ($). Regional means collections of countries e.g. Europe & Central Asia. Data is sourced from the World Bank and turned into a standard normalized CSV.
25. Bird Body Size and Life History (Lislevand et al. 2007)¶
- name
bird-size
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3527864
- citation
Terje Lislevand, Jordi Figuerola, and Tamas Szekely. 2007. Avian body sizes in relation to fecundity, mating system, display behavior, and resource sharing. Ecology 88:1605.
- description
A comprehensive compilation of data set on avian body sizes that would be useful for future comparative studies of avian biology.
27. species data on densities and percent cover in the 60 experimental plots from 1996 to 2002¶
- name
macroalgal-communities
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3526004
- citation
Peter S. Petraitis and Nicholas Vidargas. 2006. Marine intertidal organisms found in experimental clearings on sheltered shores in the Gulf of Maine, USA. Ecology 87:796.
- description
Experimental clearings in macroalgal stands were established in 1996 to determine if mussel beds and macroalgal stands on protected intertidal shores of New England represent alternative community states
28. Partners_In_Flight_Species_Assessment_Data¶
- name
partners-in-flight
- reference
http://rmbo.org/pifassessment/Database.aspx
- citation
Partners in Flight. 2017. Avian Conservation Assessment Database, version 2017. Available at http://pif.birdconservancy.org/ACAD. Accessed on 19.2.2018
- description
The Partners in Flight (PIF) Species Assessment Database is now the Avian Conservation Assessment Database, Whereas the Species Assessment Database contained information only on landbirds in Canada, USA and Mexico, the Avian Conservation Assessment Database contains assessment data for all North American birds from Canada to Panama.
29. Cancer Rates Lake County¶
- name
lake-county-illinois-cancer-rates
- reference
https://catalog.data.gov/dataset/cancer-rates
- citation
- description
geospatial data of cancer rates in Lake County, Illinois
30. A stream gage database for evaluating natural and altered flow conditions in the conterminous United States.¶
- name
streamflow-conditions
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3544358
- citation
James A. Falcone, Daren M. Carlisle, David M. Wolock, and Michael R. Meador. 2010. GAGES:A stream gage database for evaluating natural and altered flow conditions in the conterminous United States. Ecology 91:621.
- description
streamflow in ecosystems
31. Michigan forest canopy dynamics plots - Woods et al. 2009¶
- name
forest-plots-michigan
- reference
- citation
Kerry D. Woods. 2009. Multi-decade, spatially explicit population studies of canopy dynamics in Michigan old-growth forests. Ecology 90:3587.
- description
The data set provides stem infomation from a regular grid of 256 permanent plots includes about 20% of a 100-ha old-growth forest at the Dukes Research Natural Area in northern Michigan, USA.
32. Global Biotic Interactions (GloBI) data¶
- name
globi-interaction
- reference
https://github.com/jhpoelen/eol-globi-data/wiki
- citation
Poelen, J.H., Simons, J.D. and Mungall, C.J., 2014. Global biotic interactions: an open infrastructure to share and analyze species-interaction datasets. Ecological Informatics, 24, pp.148-159.
- description
GloBI contains code to normalize and integrate existing species-interaction datasets and export the resulting integrated interaction dataset.
33. Portal Project Data (Ernest et al. 2016)¶
- name
portal-dev
- reference
https://github.com/weecology/PortalData
- citation
Ernest, G. M. Yenni, G. Allington, E. M. Christensen, K. Geluso, J. R. Goheen, M. R. Schutzenhofer, S. R. Supp, K. M. Thibault, James H. Brown, and T. J. Valone. 2016. Long-term monitoring and experimental manipulation of a Chihuahuan desert ecosystem near Portal, Arizona (1977-2013). Ecology 97:1082.
- description
The data set represents a Desert ecosystems using the composition and abundances of ants, plants, and rodents has occurred continuously on 24 plots.
34. Long term limnological measures in Acton Lake, database, 1992-2017¶
- name
acton-lake
- reference
- citation
Michael J Vanni, Maria J Gonzalez, and William H Renwick. 2019. Long term limnological measures in Acton Lake, a southwest Ohio reservoir, and its inflow streams: 1992-2017. Environmental Data Initiative.
- description
Long-term data collected from Acton Lake and its inflow streams, on a suite of physical, chemical and biological variables investigating how Acton Lake, responds to changes in ecosystem subsidies of detritus (sediments) and nutrients.
35. The data was used to investigate patterns and causes of variation in NPP by the giant kelp, Macrocystis pyrifera, which is believed to be one of the fastest growing autotrophs on earth.¶
- name
macrocystis-variation
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3529700
- citation
Andrew Rassweiler, Katie K. Arkema, Daniel C. Reed, Richard C. Zimmerman, and Mark A. Brzezinski. 2008. Net primary production, growth, and standing crop of Macrocystis pyrifera in southern California. Ecology 89:2068.
- description
36. Wine Quality¶
- name
wine-quality
- reference
- citation
Cortez, A. Cerdeira, F. Almeida, T. Matos and J. Reis.
- description
Two datasets are included, related to red and white vinho verde wine samples, from the north of Portugal. The goal is to model wine quality based on physicochemical tests
37. Sagebrush steppe mapped plant quadrats (Zachmann et al. 2010)¶
- name
mapped-plant-quads-id
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3550215
- citation
Luke Zachmann, Corey Moffet, and Peter Adler. 2010. Mapped quadrats in sagebrush steppe:long-term data for analyzing demographic rates and plant-plant interactions. Ecology 91:3427.
- description
This data set consists of 26 permanent 1-m2 quadrats located on sagebrush steppe in eastern Idaho, USA.
38. Shortgrass steppe mapped plants quads - Chu et al. 2013¶
- name
mapped-plant-quads-co
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3556779
- citation
Cover, density, and demographics of shortgrass steppe plants mapped 1997-2010 in permanent grazed and ungrazed quadrats. Chengjin Chu, John Norman, Robert Flynn, Nicole Kaplan, William K. Lauenroth, and Peter B. Adler. Ecology 2013 94:6, 1435-1435.
- description
This data set maps and analyzes demographic rates of many common plant species in the shortgrass steppe of North America under grazed and ungrazed conditions.
39. The LakeCat Dataset¶
- name
lakecats-final-tables
- reference
https://www.epa.gov/national-aquatic-resource-surveys/lakecat
- citation
Hill, Ryan A., Marc H. Weber, Rick Debbout, Scott G. Leibowitz, Anthony R. Olsen. 2018. The Lake-Catchment (LakeCat) Dataset: characterizing landscape features for lake basins within the conterminous USA. Freshwater Science doi:10.1086/697966.
- description
This current lakecat dataset has 136 local catchment (Cat) and 136 watershed (Ws) metrics making a total of 272 metrics.
40. Mammal Life History Database - Ernest, et al., 2003¶
- name
mammal-life-hist
- reference
- citation
Morgan Ernest. 2003. Life history characteristics of placental non-volant mammals. Ecology 84:3402.
- description
The purpose of this data set was to compile general life history characteristics for a variety of mammalian species to perform comparative life history analyses among different taxa and different body size groups.
41. Portal Project Data (Ernest et al. 2009)¶
- name
portal
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3531317
- citation
Morgan Ernest, Thomas J. Valone, and James H. Brown. 2009. Long-term monitoring and experimental manipulation of a Chihuahuan Desert ecosystem near Portal, Arizona, USA. Ecology 90:1708.
- description
The data set represents a Desert ecosystems using the composition and abundances of ants, plants, and rodents has occurred continuously on 24 plots. Currently includes only mammal data.
42. Long-term population dynamics of individually mapped Sonoran Desert winter annuals from the Desert Laboratory, Tucson AZ¶
- name
sonoran-desert
- reference
http://www.eebweb.arizona.edu/faculty/venable/LTREB/LTREB%20data.htm
- citation
- description
Long-term population dynamics of individually mapped Sonoran Desert winter annuals from the Desert Laboratory, Tucson AZ
43. Percentage leaf herbivory across vascular plant species¶
- name
leaf-herbivory
- reference
- citation
Martin M. Turcotte, Christina J. M. Thomsen, Geoffrey T. Broadhead, Paul V. A. Fine, Ryan M. Godfrey, Greg P. A. Lamarre, Sebastian T. Meyer, Lora A. Richards, and Marc T. J. Johnson. 2014. Percentage leaf herbivory across vascular plant species. Ecology 95:788. http://dx.doi.org/10.1890/13-1741.1.
- description
Spatially explicit measurements of population level leaf herbivory on 1145 species of vascular plants from 189 studies from across the globe.
44. Vascular plant composition - McGlinn, et al., 2010¶
- name
plant-comp-ok
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3547209
- citation
Daniel J. McGlinn, Peter G. Earls, and Michael W. Palmer. 2010. A 12-year study on the scaling of vascular plant composition in an Oklahoma tallgrass prairie. Ecology 91:1872.
- description
The data is part of a monitoring project on vascular plant composition at the Tallgrass Prairie Preserve in Osage County, Oklahoma, USA.
45. Wine Composition¶
- name
wine-composition
- reference
Exploration, Classification and Correlation. Institute of Pharmaceutical
- citation
Forina, M. et al, PARVUS - An Extendible Package for Data
- description
A chemical analysis of wines grown in the same region in Italy but derived from three different cultivators.
47. BioTIME species identities and abundances¶
- name
biotime
- reference
https://zenodo.org/record/1095628#.WskN7dPwYyn
- citation
Dornelas M, Antão LH, Moyes F, et al. BioTIME: A database of biodiversity time series for the Anthropocene. Global Ecology & Biogeography. 2018; 00:1 - 26. https://doi.org/10.1111/geb.12729.
- description
The BioTIME database has species identities and abundances in ecological assemblages through time.
48. Dataset containing information on all airports on ouraiports.com¶
- name
airports
- reference
http://ourairports.com/data/
- citation
OurAirports.com, Megginson Technologies Ltd.
- description
Dataset containing information on all airports on ourairports.com
49. Antarctic Site Inventory breeding bird survey data, 1994-2013¶
- name
antarctic-breed-bird
- reference
- citation
Heather J. Lynch, Ron Naveen, and Paula Casanovas. 2013. Antarctic Site Inventory breeding bird survey data, 1994-2013. Ecology 94:2653.
- description
The data set represents the accumulation of 19 years of seabird population abundance data which was collected by the Antarctic Site Inventory, an opportunistic vessel-based monitoring program surveying the Antarctic Peninsula and associated sub-Antarctic Islands.
50. Croche understory vegetation data set¶
- name
croche-vegetation-data
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3528707
- citation
Alain Paquette, Etienne Laliberté, André Bouchard, Sylvie de Blois, Pierre Legendre, and Jacques Brisson. 2007. Lac Croche understory vegetation data set (1998-2006). Ecology 88:3209.
- description
The Lac Croche data set covers a nine-year period (1998-2006) of detailed understory vegetation sampling of a temperate North American forest located in the Station de Biologie des Laurentides (SBL), Québec, Canada.
51. Breed-Bird-Survey-nlcd Data¶
- name
breed-bird-survey-nlcd
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3554424
- citation
Michael F. Small, Joseph A. Veech, and Jennifer L. R. Jensen. 2012. Local landscape composition and configuration around North American Breeding Bird Survey routes. Ecology 93:2298.
- description
Landcover data for all North American Breeding Bird Survey routes from the 2006 National Land Cover Database at buffers from 200 m to 10 km..
52. Iris Plants Database¶
- name
iris
- reference
https://archive.ics.uci.edu/ml/datasets/iris
- citation
Fisher. 1936. The Use of Multiple Measurements in Taxonomic Problems. and Asuncion, A. & Newman, D.J. (2007). UCI Machine Learning Repository [http://www.ics.uci.edu/~mlearn/MLRepository.html]. Irvine, CA: University of California, School of Information and Computer Science.
- description
Famous dataset from R. A. Fisher. This dataset has been corrected. Information Source: Asuncion, A. & Newman, D.J. (2007). UCI Machine Learning Repository [http://www.ics.uci.edu/~mlearn/MLRepository.html]. Irvine, CA: University of California, School of Information and Computer Science.
53. Mount St. Helens vegetation recovery plots (del Moral 2010)¶
- name
mt-st-helens-veg
- reference
- citation
Roger del Moral. 2010. Thirty years of permanent vegetation plots, Mount St. Helens, Washington. Ecology 91:2185.
- description
Documenting vegetation recovery from volcanic disturbances using the most common species found in non-forested habitats on Mount St. Helens.
54. Nesting ecology and offspring recruitment in a long-lived turtle¶
- name
turtle-offspring-nesting
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3531323
- citation
Lisa E. Schwanz, Rachel M. Bowden, Ricky-John Spencer, and Fredric J. Janzen. 2009. Nesting ecology and offspring recruitment in a long-lived turtle. Ecology 90:1709. [https://doi.org/10.6084/m9.figshare.3531323.v1]
- description
Valuable empirical resource for exploring important facets of nesting ecology and hatchling recruitment in a wild population of a long-lived species.
55. ND-Gain¶
- name
nd-gain
- reference
http://index.gain.org/
- citation
Chen, C., Noble, I., Hellmann, J., Coffee, J., Murillo, M. and Chawla, N., 2015. University of Notre Dame Global Adaptation Index Country Index Technical Report. ND-GAIN: South Bend, IN, USA.
- description
The ND-GAIN Country Index summarizes a country’s vulnerability to climate change and other global challenges in combination with its readiness to improve resilience. It aims to help governments, businesses and communities better prioritize investments for a more efficient response to the immediate global challenges ahead.
56. Masses of Mammals (Smith et al. 2003)¶
- name
mammal-masses
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3523112
- citation
Felisa A. Smith, S. Kathleen Lyons, S. K. Morgan Ernest, Kate E. Jones, Dawn M. Kaufman, Tamar Dayan, Pablo A. Marquet, James H. Brown, and John P. Haskell. 2003. Body mass of late Quaternary mammals. Ecology 84:3403.
- description
A data set of compiled body mass information for all mammals on Earth.
57. MammalDIET¶
- name
mammal-diet
- reference
Not available
- citation
Kissling WD, Dalby L, Flojgaard C, Lenoir J, Sandel B, Sandom C, Trojelsgaard K, Svenning J-C (2014) Establishing macroecological trait datasets:digitalization, extrapolation, and validation of diet preferences in terrestrial mammals worldwide. Ecology and Evolution, online in advance of print. doi:10.1002/ece3.1136
- description
MammalDIET provides a comprehensive, unique and freely available dataset on diet preferences for all terrestrial mammals worldwide.
58. Prairie-forest ecotone of eastern Kansas/Foster Lab¶
- name
prairie-forest
- reference
https://foster.ku.edu/ltreb-datasets
- citation
PI: Bryan L. Foster, University of Kansas, bfoster@ku.edu
- description
Long-term studies of secondary succession and community assembly in the prairie-forest ecotone of eastern Kansas (NSF LTREB # 0950100)
59. Mapped plant quadrat time-series from Kansas (Adler et al. 2007)¶
- name
mapped-plant-quads-ks
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3528368
- citation
Peter B. Adler, William R. Tyburczy, and William K. Lauenroth. 2007. Long-term mapped quadrats from Kansas prairie:demographic information for herbaceaous plants. Ecology 88:2673.
- description
Demographic data for testing current theories in plant ecology and forecasting the effects of global change.
60. New York City TreesCount¶
- name
nyc-tree-count
- reference
https://www.nycgovparks.org/trees/treescount
- citation
TreeCount 2015 is citizen science project of NYC Parks’[https://www.nycgovparks.org/trees/treescount].
- description
Dataset consist of every street tree of New York City on the block
61. 3-D maps of tree canopy geometries at leaf scale¶
- name
tree-canopy-geometries
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3530507
- citation
Hervé Sinoquet, Sylvain Pincebourde, Boris Adam, Nicolas Donès, Jessada Phattaralerphong, Didier Combes, Stéphane Ploquin, Krissada Sangsing, Poonpipope Kasemsap, Sornprach Thanisawanyangkura, Géraldine Groussier-Bout, and Jérôme Casas. 2009. 3-D maps of tree canopy geometries at leaf scale. Ecology 90:283
- description
This data set reports the three-dimensional geometry of a set of fruit and rubber trees at the leaf scale
62. Spatial Population Data Alpine Butterfly - Matter et al 2014¶
- name
butterfly-population-network
- reference
- citation
Matter, Stephen F., Nusha Keyghobadhi, and Jens Roland. 2014. Ten years of abundance data within a spatial population network of the alpine butterfly, Parnassius smintheus. Ecology 95:2985. Ecological Archives E095-258.
- description
Stephen F. Matter, Nusha Keyghobadhi, and Jens Roland. 2014. Ten years of abundance data within a spatial population network of the alpine butterfly, Parnassius smintheus. Ecology 95:2985.
63. Fish parasite host ecological characteristics (Strona, et al., 2013)¶
- name
fish-parasite-hosts
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3555378
- citation
Giovanni Strona, Maria Lourdes D. Palomares, Nicolas Bailly, Paolo Galli, and Kevin D. Lafferty. 2013. Host range, host ecology, and distribution of more than 11800 fish parasite species. Ecology 94:544.
- description
The data set includes 38008 fish parasite records (for Acanthocephala, Cestoda, Monogenea, Nematoda, Trematoda) compiled from scientific literature.
64. Fray Jorge community ecology database (Kelt et al. 2013)¶
- name
fray-jorge-ecology
- reference
- citation
Kelt, P. L. Meserve, J. R. Gutierrez, W. Bryan Milstead, and M. A. Previtali. 2013. Long-term monitoring of mammals in the face of biotic and abiotic influences at a semiarid site in north-central Chile. Ecology 94:977. http://dx.doi.org/10.1890/12-1811.1.
- description
Long-term monitoring of small mammal and plant communities in the face of biotic and abiotic influences at a semiarid site in north-central Chile.
65. First-flowering dates of plants in the Northern Great Plains¶
- name
ngreatplains-flowering-dates
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3531716
- citation
Steven E. Travers and Kelsey L. Dunnell. 2009. First-flowering dates of plants in the Northern Great Plains. Ecology 90:2332.
- description
Observations data of first-flowering time of native and nonnative plant species in North Dakota and Minnesota over the course of 51 years in the last century
66. Mapped plant quadrat time-series from Montana (Anderson et al. 2011)¶
- name
mapped-plant-quads-mt
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3551799
- citation
Jed Anderson, Lance Vermeire, and Peter B. Adler. 2011. Fourteen years of mapped, permanent quadrats in a northern mixed prairie, USA. Ecology 92:1703.
- description
Long term plant quadrats of northern mixed prairie in Montana.
67. The ph_ownership_history dataset¶
- name
harvard-forest
- reference
http://harvardforest.fas.harvard.edu/
- citation
Hall B. 2017. Historical GIS Data for Harvard Forest Properties from 1908 to Present. Harvard Forest Data Archive: HF110.
- description
ph_ownership_history
68. BUPA liver disorders¶
- name
bupa-liver-disorders
- reference
https://archive.ics.uci.edu/ml/datasets/Liver+Disorders
- citation
Richard S. Forsyth, 8 Grosvenor Avenue, Mapperley Park , Nottingham NG3 5DX, 0602-621676
- description
The first 5 variables are all blood tests which are thought to be sensitive to liver disorders that might arise from excessive alcohol consumption. Each line in the dataset constitutes the record of a single male individual. The 7th field (selector) has been widely misinterpreted in the past as a dependent variable representing presence or absence of a liver disorder. This is incorrect. The 7th field was created by BUPA researchers as a train/test selector. It is not suitable as a dependent variable for classification. The dataset does not contain any variable representing presence or absence of a liver disorder.
69. Forest fire data for Montesinho natural park in Portugal¶
- name
forest-fires-portugal
- reference
http://archive.ics.uci.edu/ml/datasets/Forest+Fires
- citation
Cortez and A. Morais. A Data Mining Approach to Predict Forest Fires using Meteorological Data. In J. Neves, M. F. Santos and J. Machado Eds., New Trends in Artificial Intelligence, Proceedings of the 13th EPIA 2007 - Portuguese Conference on Artificial Intelligence, December, Guimaraes, Portugal, pp. 512-523, 2007. APPIA, ISBN-13 978-989-95618-0-9.
- description
A database for regression analysis with the aim of predicting burned areas of forestry using meteorological and other data.
70. Biovolumes for freshwater phytoplankton - Colin et al. 2014¶
- name
phytoplankton-size
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3560628
- citation
Colin T. Kremer, Jacob P. Gillette, Lars G. Rudstam, Pal Brettum, and Robert Ptacnik. 2014. A compendium of cell and natural unit biovolumes for >1200 freshwater phytoplankton species. Ecology 95:2984.
- description
Sampling phytoplankton communities basing on cell size.
71. Bioclim 2.5 Minute Climate Data¶
- name
bioclim
- reference
http://worldclim.org/bioclim
- citation
Hijmans, R.J., S.E. Cameron, J.L. Parra, P.G. Jones and A. Jarvis, 2005. Very high resolution interpolated climate surfaces for global land areas. International Journal of Climatology 25: 1965-1978.
- description
Bioclimatic variables that are derived from the monthly temperature and rainfall values in order to generate more biologically meaningful variables.
72. Body sizes of consumers and their resources¶
- name
predator-prey-body-ratio
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3525119
- citation
Ulrich Brose, Lara Cushing, Eric L. Berlow, Tomas Jonsson, Carolin Banasek-Richter, Louis-Felix Bersier, Julia L. Blanchard, Thomas Brey, Stephen R. Carpenter, Marie-France Cattin Blandenier, Joel E. Cohen, Hassan Ali Dawah, Tony Dell, Francois Edwards, Sarah Harper-Smith, Ute Jacob, Roland A. Knapp, Mark E. Ledger, Jane Memmott, Katja Mintenbeck, John K. Pinnegar, Bjorn C. Rall, Tom Rayner, Liliane Ruess, Werner Ulrich, Philip Warren, Rich J. Williams, Guy Woodward, Peter Yodzis, and Neo D. Martinez10. 2005. Body sizes of consumers and their resources. Ecology 86:2545.
- description
Body size ratios between predators and their prey,
73. Oosting Natural Area (North Carolina) plant occurrence (Palmer et al. 2007)¶
- name
plant-occur-oosting
- reference
https://figshare.com/articles/Data_Paper_Data_Paper/3528371
- citation
Michael W. Palmer, Robert K. Peet, Rebecca A. Reed, Weimin Xi, and Peter S. White. 2007. A multiscale study of vascular plants in a North Carolina Piedmont forest. Ecology 88:2674.
- description
A data set collected in 1989 of vascular plant occurrences in overlapping grids of nested plots in the Oosting Natural Area of the Duke Forest, Orange County, North Carolina, USA.
74. BAAD: a Biomass And Allometry Database for woody plants¶
- name
biomass-allometry-db
- reference
https://doi.org/10.6084/m9.figshare.c.3307692.v1
- citation
Falster, D.S., Duursma, R.A., Ishihara, M.I., Barneche, D.R., FitzJohn, R.G., Varhammar, A., Aiba, M., Ando, M., Anten, N., Aspinwall, M.J. and Baltzer, J.L., 2015. BAAD: a Biomass And Allometry Database for woody plants.
- description
The data set is a Biomass and allometry database (BAAD) for woody plants containing 259634 measurements collected in 176 different studies from 21084 individuals across 678 species.
75. USGS North American Breeding Bird Survey¶
- name
breed-bird-survey
- reference
http://www.pwrc.usgs.gov/BBS/
- citation
Pardieck, K.L., D.J. Ziolkowski Jr., M.-A.R. Hudson. 2015. North American Breeding Bird Survey Dataset 1966 - 2014, version 2014.0. U.S. Geological Survey, Patuxent Wildlife Research Center
- description
A Cooperative effort between the U.S. Geological Survey’s Patuxent Wildlife Research Center and Environment Canada’s Canadian Wildlife Service to monitor the status and trends of North American bird populations.
76. Vertnet Reptiles¶
- name
vertnet-reptiles
- reference
http://vertnet.org/resources/datatoolscode.html
- citation
Bloom, D., Wieczorek J., Russell, L. (2016). VertNet_Reptilia_Sept. 2016. CyVerse Data Commons. http://datacommons.cyverse.org/browse/iplant/home/shared/commons_repo/curated/VertNet_Reptilia_Sep2016
- description
Compilation of digitized museum records of reptiles including locations, dates of collection, and some trait data.
77. Tree growth, mortality, physical condition - Clark, 2006¶
- name
la-selva-trees
- reference
https://doi.org/10.6084/m9.figshare.c.3299324.v1
- citation
David B. Clark and Deborah A. Clark. 2006. Tree growth, mortality, physical condition, and microsite in an old-growth lowland tropical rain forest. Ecology 87:2132.
- description
The data set helps to examine the post-establishment ecology of 10 species of tropical wet forest trees selected to span a range of predicted life history patterns at the La Selva Biological Station in Costa Rica.
78. Commercial Fisheries Monthly Trade Data by Product, Country/Association¶
- name
biotimesql
- reference
https://zenodo.org/record/1095628#.WskN7dPwYyn
- citation
Dornelas M, Antão LH, Moyes F, et al. BioTIME: A database of biodiversity time series for the Anthropocene. Global Ecology & Biogeography. 2018; 00:1 - 26. https://doi.org/10.1111/geb.12729.
- description
The BioTIME database has species identities and abundances in ecological assemblages through time.
79. Gulf of Maine intertidal density/cover (Petraitis et al. 2008)¶
- name
intertidal-abund-me
- reference
- citation
Peter S. Petraitis, Harrison Liu, and Erika C. Rhile. 2008. Densities and cover data for intertidal organisms in the Gulf of Maine, USA, from 2003 to 2007. Ecology 89:588.
- description
The data on densities and percent cover in the 60 experimental plots from 2003 to 2007 and to update data from 1996 to 2002 that are already published in Ecological Archives.Includes densities of mussels, herbivorous limpet, herbivorous snails, predatory snail, barnacle , fucoid algae and percent cover by mussels, barnacles, fucoids, and other sessile organisms.
80. Alwyn H. Gentry Forest Transect Dataset¶
- name
gentry-forest-transects
- reference
http://www.mobot.org/mobot/research/gentry/welcome.shtml
- citation
Phillips, O. and Miller, J.S., 2002. Global patterns of plant diversity: Alwyn H. Gentry’s forest transect data set. Missouri Botanical Press.
- description
81. A Southern Ocean dietary database¶
- name
socean-diet-data
- reference
https://figshare.com/articles/Full_Archive/3551304
- citation
Ben Raymond, Michelle Marshall, Gabrielle Nevitt, Chris L. Gillies, John van den Hoff, Jonathan S. Stark, Marcel Losekoot, Eric J. Woehler, and Andrew J. Constable. 2011. A Southern Ocean dietary database. Ecology 92:1188.
- description
Diet-related data from published and unpublished data sets and studies
82. Commercial Fisheries Monthly Trade Data by Product, Country/Association¶
- name
fao-global-capture-product
- reference
http://www.fao.org/fishery/statistics/global-capture-production/
- citation
FAO. 2018. FAO yearbook. Fishery and Aquaculture Statistics 2016/FAO annuaire. Statistiques des pêches et de l’aquaculture 2016/FAO anuario. Estadísticas de pesca y acuicultura 2016. Rome/Roma. 104pp.
- description
Commercial Fisheries statistics provides a summary of commercial fisheries product data by individual country.
83. Aquatic Animal Excretion¶
- name
aquatic-animal-excretion
- reference
http://onlinelibrary.wiley.com/doi/10.1002/ecy.1792/abstract
- citation
Vanni, M. J., McIntyre, P. B., Allen, D., Arnott, D. L., Benstead, J. P., Berg, D. J., Brabrand, Å., Brosse, S., Bukaveckas, P. A., Caliman, A., Capps, K. A., Carneiro, L. S., Chadwick, N. E., Christian, A. D., Clarke, A., Conroy, J. D., Cross, W. F., Culver, D. A., Dalton, C. M., Devine, J. A., Domine, L. M., Evans-White, M. A., Faafeng, B. A., Flecker, A. S., Gido, K. B., Godinot, C., Guariento, R. D., Haertel-Borer, S., Hall, R. O., Henry, R., Herwig, B. R., Hicks, B. J., Higgins, K. A., Hood, J. M., Hopton, M. E., Ikeda, T., James, W. F., Jansen, H. M., Johnson, C. R., Koch, B. J., Lamberti, G. A., Lessard-Pilon, S., Maerz, J. C., Mather, M. E., McManamay, R. A., Milanovich, J. R., Morgan, D. K. J., Moslemi, J. M., Naddafi, R., Nilssen, J. P., Pagano, M., Pilati, A., Post, D. M., Roopin, M., Rugenski, A. T., Schaus, M. H., Shostell, J., Small, G. E., Solomon, C. T., Sterrett, S. C., Strand, O., Tarvainen, M., Taylor, J. M., Torres-Gerald, L. E., Turner, C. B., Urabe, J., Uye, S.-I., Ventelä, A.-M., Villeger, S., Whiles, M. R., Wilhelm, F. M., Wilson, H. F., Xenopoulos, M. A. and Zimmer, K. D. (2017), A global database of nitrogen and phosphorus excretion rates of aquatic animals. Ecology. Accepted Author Manuscript. doi:10.1002/ecy.1792
- description
Dataset containing the nutrient cycling rates of individual animals.
84. Pantheria (Jones et al. 2009)¶
- name
pantheria
- reference
- citation
Kate E. Jones, Jon Bielby, Marcel Cardillo, Susanne A. Fritz, Justin O’Dell, C. David L. Orme, Kamran Safi, Wes Sechrest, Elizabeth H. Boakes, Chris Carbone, Christina Connolly, Michael J. Cutts, Janine K. Foster, Richard Grenyer, Michael Habib, Christopher A. Plaster, Samantha A. Price, Elizabeth A. Rigby, Janna Rist, Amber Teacher, Olaf R. P. Bininda-Emonds, John L. Gittleman, Georgina M. Mace, and Andy Purvis. 2009. PanTHERIA:a species-level database of life history, ecology, and geography of extant and recently extinct mammals. Ecology 90:2648.
- description
PanTHERIA is a data set of multispecies trait data from diverse literature sources and also includes spatial databases of mammalian geographic ranges and global climatic and anthropogenic variables.
85. vertnet:¶
- name
vertnet
- reference
http://vertnet.org/resources/datatoolscode.html
- citation
Not currently available
- description
86. Load US Census Boundary and Attribute Data as ‘tidyverse’ and ‘sf’-Ready Data Frames¶
- name
tidycensus
- reference
https://github.com/walkerke/tidycensus
- citation
- description
An integrated R interface to the decennial US Census and American Community Survey APIs andthe US Census Bureau’s geographic boundary files. Allows R users to return Census and ACS data astidyverse-ready data frames, and optionally returns a listcolumn with feature geometry for all Censusgeographies.
87. Global wood density database - Zanne et al. 2009¶
- name
wood-density
- reference
http://datadryad.org/resource/doi:10.5061/dryad.234
- citation
Chave J, Coomes DA, Jansen S, Lewis SL, Swenson NG, Zanne AE (2009) Towards a worldwide wood economics spectrum. Ecology Letters 12(4): 351-366. http://dx.doi.org/10.1111/j.1461-0248.2009.01285.x and Zanne AE, Lopez-Gonzalez G, Coomes DA, Ilic J, Jansen S, Lewis SL, Miller RB, Swenson NG, Wiemann MC, Chave J (2009) Data from: Towards a worldwide wood economics spectrum. Dryad Digital Repository. http://dx.doi.org/10.5061/dryad.234
- description
A collection and collation of data on the major wood functional traits, including the largest wood density database to date (8412 taxa), mechanical strength measures and anatomical features, as well as clade-specific features such as secondary chemistry.
88. Forest Inventory and Analysis¶
- name
forest-inventory-analysis
- reference
http://fia.fs.fed.us/
- citation
DATEOFDOWNLOAD. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station. [Available only on internet: http://apps.fs.fed.us/fiadb-downloads/datamart.html]
- description
WARNING: This dataset requires downloading many large files and will probably take several hours to finish installing.
89. USA National Phenology Network¶
- name
npn
- reference
http://www.usanpn.org/results/data
- citation
Schwartz, M. D., Ault, T. R., & J. L. Betancourt, 2012: Spring Onset Variations and Trends in the Continental USA: Past and Regional Assessment Using Temperature-Based Indices. International Journal of Climatology (published online, DOI: 10.1002/joc.3625).
- description
The data set was collected via Nature’s Notebook phenology observation program (2009-present), and (2) Lilac and honeysuckle data (1955-present)
90. USGS North American Breeding Bird Survey 50 stop¶
- name
breed-bird-survey-50stop
- reference
http://www.pwrc.usgs.gov/BBS/
- citation
Pardieck, K.L., D.J. Ziolkowski Jr., M.-A.R. Hudson. 2015. North American Breeding Bird Survey Dataset 1966 - 2014, version 2014.0. U.S. Geological Survey, Patuxent Wildlife Research Center.
- description
A Cooperative effort between the U.S. Geological Survey’s Patuxent Wildlife Research Center and Environment Canada’s Canadian Wildlife Service to monitor the status and trends of North American bird populations.
91. 3D Elevation Program (3DEP) high-quality U.S. Geological Survey topographic data¶
- name
usgs-elevation
- reference
https://pubs.er.usgs.gov/publication/fs20163022
- citation
Lukas, Vicki, Stoker, J.M., 2016, 3D Elevation Program—Virtual USA in 3D: U.S. Geological Survey Fact Sheet 2016–3022, 1 p., http://dx.doi.org/10.3133/fs20163022.
- description
The U.S. Geological Survey (USGS) 3D Elevation Program (3DEP) uses lidar to create a virtual reality maps.
92. Vertnet Amphibians¶
- name
vertnet-amphibians
- reference
http://vertnet.org/resources/datatoolscode.html
- citation
Bloom, D., Wieczorek J., Russell, L. (2016). VertNet_Amphibia_Sept. 2016. CyVerse Data Commons. http://datacommons.cyverse.org/browse/iplant/home/shared/commons_repo/curated/VertNet_Amphibia_Sep2016
- description
Compilation of digitized museum records of amphibians including locations, dates of collection, and some trait data.
93. Vertnet Mammals¶
- name
vertnet-mammals
- reference
http://vertnet.org/resources/datatoolscode.html
- citation
Bloom, D., Wieczorek J., Russell, L. (2016). VertNet_Mammals_Sept. 2016. CyVerse Data Commons. http://datacommons.cyverse.org/browse/iplant/home/shared/commons_repo/curated/VertNet_Mammals_Sep2016
- description
Compilation of digitized museum records of mammals including locations, dates of collection, and some trait data.
94. Marine Predator and Prey Body Sizes - Barnes et al. 2008¶
- name
predator-prey-size-marine
- reference
- citation
Barnes, D. M. Bethea, R. D. Brodeur, J. Spitz, V. Ridoux, C. Pusineri, B. C. Chase, M. E. Hunsicker, F. Juanes, A. Kellermann, J. Lancaster, F. Menard, F.-X. Bard, P. Munk, J. K. Pinnegar, F. S. Scharf, R. A. Rountree, K. I. Stergiou, C. Sassa, A. Sabates, and S. Jennings. 2008. Predator and prey body sizes in marine food webs. Ecology 89:881.
- description
The data set contains relationships between predator and prey size which are needed to describe interactions of species and size classes in food webs.
95. Commercial Fisheries Monthly Trade Data by Product, Country/Association¶
- name
noaa-fisheries-trade
- reference
- citation
No known Citation
- description
Commercial Fisheries statistics provides a summary of commercial fisheries product data by individual country.
96. Indian Forest Stand Structure and Composition (Ramesh et al. 2010)¶
- name
forest-plots-wghats
- reference
- citation
Ramesh, M. H. Swaminath, Santoshgouda V. Patil, Dasappa, Raphael Pelissier, P. Dilip Venugopal, S. Aravajy, Claire Elouard, and S. Ramalingam. 2010. Forest stand structure and composition in 96 sites along environmental gradients in the central Western Ghats of India. Ecology 91:3118.
- description
This data set reports woody plant species abundances in a network of 96 sampling sites spread across 22000 km2 in central Western Ghats region, Karnataka, India.
97. Food web including metazoan parasites for a brackish shallow water ecosystem in Germany and Denmark¶
- name
flensburg-food-web
- reference
https://figshare.com/articles/Full_Archive/3552066
- citation
Dieter Zander, Neri Josten, Kim C. Detloff, Robert Poulin, John P. McLaughlin, and David W. Thieltges. 2011. Food web including metazoan parasites for a brackish shallow water ecosystem in Germany and Denmark. Ecology 92:2007.
- description
This data is of a food web for the Flensburg Fjord, a brackish shallow water inlet on the Baltic Sea, between Germany and Denmark.
98. A database on the life history traits of the Northwest European flora¶
- name
plant-life-hist-eu
- reference
http://www.uni-oldenburg.de/en/biology/landeco/research/projects/leda/
- citation
KLEYER, M., BEKKER, R.M., KNEVEL, I.C., BAKKER, J.P, THOMPSON, K., SONNENSCHEIN, M., POSCHLOD, P., VAN GROENENDAEL, J.M., KLIMES, L., KLIMESOVA, J., KLOTZ, S., RUSCH, G.M., HERMY, M., ADRIAENS, D., BOEDELTJE, G., BOSSUYT, B., DANNEMANN, A., ENDELS, P., GoeTZENBERGER, L., HODGSON, J.G., JACKEL, A-K., KueHN, I., KUNZMANN, D., OZINGA, W.A., RoeMERMANN, C., STADLER, M., SCHLEGELMILCH, J., STEENDAM, H.J., TACKENBERG, O., WILMANN, B., CORNELISSEN, J.H.C., ERIKSSON, O., GARNIER, E., PECO, B. (2008): The LEDA Traitbase: A database of life-history traits of Northwest European flora. Journal of Ecology 96: 1266-1274
- description
The LEDA Traitbase provides information on plant traits that describe three key features of plant dynamics: persistence, regeneration and dispersal.
99. Vertnet Birds¶
- name
vertnet-birds
- reference
http://vertnet.org/resources/datatoolscode.html
- citation
Bloom, D., Wieczorek J., Russell, L. (2016). VertNet_Aves_Sept. 2016. CyVerse Data Commons. http://datacommons.cyverse.org/browse/iplant/home/shared/commons_repo/curated/VertNet_Aves_Sep2016
- description
Compilation of digitized museum records of birds including locations, dates of collection, and some trait data.
100. Tree demography in Western Ghats, India - Pelissier et al. 2011¶
- name
tree-demog-wghats
- reference
- citation
Raphael Pelissier, Jean-Pierre Pascal, N. Ayyappan, B. R. Ramesh, S. Aravajy, and S. R. Ramalingam. 2011. Twenty years tree demography in an undisturbed Dipterocarp permanent sample plot at Uppangala, Western Ghats of India. Ecology 92:1376.
- description
A data set on demography of trees monitored over 20 years in Uppangala permanent sample plot (UPSP).
101. PRISM Climate Data¶
- name
prism-climate
- reference
http://prism.oregonstate.edu/
- citation
Not currently available
- description
The PRISM data set represents climate observations from a wide range of monitoring networks, applies sophisticated quality control measures, and develops spatial climate datasets to reveal short- and long-term climate patterns.
102. Mammal Super Tree¶
- name
mammal-super-tree
- reference
http://doi.org/10.1111/j.1461-0248.2009.01307.x
- citation
Fritz, S. A., Bininda-Emonds, O. R. P. and Purvis, A. (2009), Geographical variation in predictors of mammalian extinction risk: big is bad, but only in the tropics. Ecology Letters, 12: 538-549. doi:10.1111/j.1461-0248.2009.01307.x
- description
Mammal Super Tree from Fritz, S.A., O.R.P Bininda-Emonds, and A. Purvis. 2009. Geographical variation in predictors of mammalian extinction risk: big is bad, but only in the tropics. Ecology Letters 12:538-549
103. Vertnet Fishes¶
- name
vertnet-fishes
- reference
http://vertnet.org/resources/datatoolscode.html
- citation
Bloom, D., Wieczorek J., Russell, L. (2016). VertNet_Fishes_Sept. 2016. CyVerse Data Commons. http://datacommons.cyverse.org/browse/iplant/home/shared/commons_repo/curated/VertNet_Fishes_Sep2016
- description
Compilation of digitized museum records of fishes including locations, dates of collection, and some trait data.
104. PREDICTS Database¶
- name
predicts
- reference
http://data.nhm.ac.uk/dataset/902f084d-ce3f-429f-a6a5-23162c73fdf7
- citation
Lawrence N Hudson; Tim Newbold; Sara Contu; Samantha L L Hill et al. (2016). Dataset: The 2016 release of the PREDICTS database. http://dx.doi.org/10.5519/0066354
- description
A dataset of 3,250,404 measurements, collated from 26,114 sampling locations in 94 countries and representing 47,044 species.
105. Amniote life History database¶
- name
amniote-life-hist
- reference
- citation
Myhrvold, N.P., Baldridge, E., Chan, B., Sivam, D., Freeman, D.L. and Ernest, S.M., 2015. An amniote life-history database to perform comparative analyses with birds, mammals, and reptiles:Ecological Archives E096-269. Ecology, 96(11), pp.3109-000.
- description
Compilation of life history traits for birds, mammals, and reptiles.
106. Fia georgia, GA¶
- name
fia-georgia
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
107. Fia vermont, VT¶
- name
fia-vermont
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
108. The US Forest Service, Forest Health Monitoring, Pennsylvania¶
- name
forest-health-monitoring-pennsylvania
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
109. Virgin Islands National Park: Population Dynamics of Octocorals¶
- name
virgin-islands-coral-octocorals-count
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds, P.J., Tsounis, G. & Lasker, H.R. Hydrobiologia (2016) 767: 347. https://doi.org/10.1007/s10750-015-2555-z
- description
These data describe coral reef community structure by density based on the analysis of color photographs along the south coast of St. John from as early as 1987, http://coralreefs.csun.edu/legal/use-policy/
110. Portal Project Teaching¶
- name
portal-project-teaching
- reference
https://figshare.com/articles/Portal_Project_Teaching_Database/1314459
- citation
- description
The Portal Project Teaching Database is a simplified version of the Portal Project Database designed for teaching
111. USDA Global Branded Food Products Database (Branded Foods)¶
- name
usda-mafcl-fooddatacenteral-brandedfoods
- reference
- citation
U.S. Department of Agriculture, Agricultural Research Service. FoodData Central, 2019. fdc.nal.usda.gov
- description
The data is compiled from public-private partnership that provides values for nutrients in branded and private label foods that appear on the product label
112. Fia maine, ME¶
- name
fia-maine
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
113. The North Carolina Piedmont Forest LTREB Project, Seedling and Sapling Plots¶
- name
north-carolina-piedmont_seedlng_sampling
- reference
http://labs.bio.unc.edu/Peet/PEL/df.htm
- citation
- description
The data shows the Seedling and Sapling Plots information from North Carolina Piedmont Forest LTREB Project
114. Fia american-samoa, AS¶
- name
fia-american-samoa
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
115. Rainfall in India¶
- name
rainfall-in-india
- reference
https://data.gov.in/resources/sub-divisional-monthly-rainfall-1901-2017
- citation
India Meteorological Department (IMD)
- description
Month wise all India rainfall data from 1901-2017. The sub-division wise rainfall and its departure from normal for each month and season has been provided in the data.
116. British Columbia Detailed Soil Survey¶
- name
british-columbia-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/adf4d26a-9fc0-44c9-ba38-620531ca0dbe
- citation
- description
The British Columbia Detailed Soil Survey dataset series at a scale of 1:100 000 consists of geo-referenced soil polygons with linkages to attribute data found in the associated Component File (CMP), Soil Names File (SNF) and Soil Layer File (SLF).
117. The US Forest Service, Forest Health Monitoring, California¶
- name
forest-health-monitoring-california
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
118. Fia minnesota, MN¶
- name
fia-minnesota
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
119. Ontario Detailed Soil Survey¶
- name
ontario-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/a75c3d6c-354d-436d-999d-431fb3a9de79
- citation
- description
The Ontario Detailed Soil Survey dataset series is at a scale of 1: 50 000 and consists of geo-referenced soil polygons with linkages to attribute data found in the associated Component File (CMP), Soil Names File (SNF) and Soil Layer File (SLF).
120. The Global Root Trait, GRooT Database¶
- name
groot
- reference
https://github.com/GRooT-Database/GRooT-Data
- citation
Guerrero-Ramirez N, Mommer L, Freschet GT, Iversen CM, McCormack M.L, Kattge J, Poorter H, van der Plas F, Bergmann J, Kuyper TW, York LM, Bruelheide H, Laughlin DC, Meier IC, Roumet C, Semchenko M, Sweeney CJ, van Ruijven J, Valverde-Barrantes OJ, Aubin I, Catford JA, Manning P, Martin A, Milla R, Minden V, Pausas JG, Smith SW, Soudzilovskaia NA, Ammer C, Butterfield B, Craine J, Cornelissen JHC, de Vries FT, Isaac ME, Kramer K, König C, Lamb EG, Onipchenko VG, Peñuelas J, Reich PB, Rillig MC, Sack L, Shipley B, Tedersoo L, Valladares F, van Bodegom P, Weigelt P, Wright JP, Weigelt A. 2020. Global Root Traits (GRooT) Database. Global Ecology and Biogeography. doi.org/10.1111/geb.13179
- description
The GRooT database contains about 114,222 trait records on 38 continuous root traits.
121. Virgin Islands National Park: Coral Reef: Decadal-scale changes in community structure from 1987 to 2011¶
- name
virgin-islands-coral-decadal-scale
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds PJ (2013) Decadal-scale changes in the community structure of coral reefs of St. John, US Virgin Islands. Mar Ecol Prog Ser 489:107-123. https://doi.org/10.3354/meps10424
- description
Long-term Coral Reef Community Dynamics, Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
122. Credit Card Fraud Detection Dataset¶
- name
credit-card-fraud
- reference
https://www.kaggle.com/mlg-ulb/creditcardfraud
- citation
- description
Anonymized credit card transactions labeled as fraudulent or genuine
123. Fia us-virgin-islands, VI¶
- name
fia-us-virgin-islands
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
124. COVID-19 in Italy¶
- name
coronavirus-italy
- reference
https://www.kaggle.com/sudalairajkumar/covid19-in-italy
- citation
- description
Coronavirus Disease 2019 cases in Italy
125. Third-order and Upper watershed White Clay Creek and Boulton Run â Climate, Stable Isotopes, Stream Water Chemistry,Precipitation Stable Isotopes (2011-2012)¶
- name
white-clay-creek-boulton-chemistry
- reference
https://www.hydroshare.org/resource/ff7435cd22d94914ad3a674c40b229e9/
- citation
Karwan, D., O. Lazareva, A. Aufdenkampe (2018). Third-order White Clay Creek and Boulton Run - Climate, Stable Isotopes, Stream Water Chemistry (2011-2012), HydroShare, https://doi.org/10.4211/hs.ff7435cd22d94914ad3a674c40b229e9
- description
Deuterium and Oxygen-18 measured on stream water samples collected during baseflow, stormflow conditions, time-integrated and bulk precipitation
126. The US Forest Service, Forest Health Monitoring, Washington¶
- name
forest-health-monitoring-washington
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
127. Fia new-mexico, NM¶
- name
fia-new-mexico
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
128. Fia massachusetts, MA¶
- name
fia-massachusetts
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
129. County Emergency Management Offices New York¶
- name
county-emergency-management-offices
- reference
https://catalog.data.gov/dataset/county-emergency-management-offices
- citation
- description
Dataset lists all contacts for Emergency Management Offices within NYS
130. Fia northern-mariana-islands, MP¶
- name
fia-northern-mariana-islands
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
131. The US Forest Service, Forest Health Monitoring, Delaware¶
- name
forest-health-monitoring-delaware
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
132. Fia montana, MT¶
- name
fia-montana
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
133. fill¶
- name
nlcd-urban-imperviousness-puerto-rico
- reference
fill
- citation
fill
- description
pr_masked_imperv_10-25-08.img
134. Fernow experimental Forest in central Appalachia. LTREB WS 4 Biomass¶
- name
fernow-biomass
- reference
http://www.as.wvu.edu/fernow/data.html
- citation
Tajchman, S.J., H. Fu, J.N. Kochenderfer, and C. Pan. 1995. Spatial characteristics of topography, energy exchange, and forest cover in a central Appalachian watershed. Proceedings, 10th Central Hardwood Forest Conference. USDA Forest Service Northeast Forest Experimental Station General Technical Report NE-197.
- description
Fernow experimental Forest in central Appalachia. LTREB WS 4 Biomass, See Data policy
135. Fia north-carolina, NC¶
- name
fia-north-carolina
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
136. Fia utah, UT¶
- name
fia-utah
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
137. Fia nevada, NV¶
- name
fia-nevada
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
138. The US Forest Service, Forest Health Monitoring, Michigan¶
- name
forest-health-monitoring-michigan
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
139. fill¶
- name
nlcd-urban-imperviousness-alaska
- reference
fill
- citation
fill
- description
NLCD_2011_Urban_Descriptor_AK_20200724.img
140. COVID-19 Case Surveillance Public Use Data with Geography¶
- name
covid-case-surveillance
- reference
https://dev.socrata.com/foundry/data.cdc.gov/n8mc-b4w4
- citation
- description
This case surveillance public use dataset has 19 elements for all COVID-19 cases shared with CDC and includes demographics, geography (county and state of residence), any exposure history, disease severity indicators and outcomes, and presence of any underlying medical conditions and risk behaviors.
141. Fia louisiana, LA¶
- name
fia-louisiana
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
142. The US Forest Service, Forest Health Monitoring, Wisconsin¶
- name
forest-health-monitoring-wisconsin
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
143. Fia colorado, CO¶
- name
fia-colorado
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
144. Sycamore Creek macroinvertebrate collections after flooding event¶
- name
sycamore-creek-macroinvertebrate
- reference
https://sustainability.asu.edu/caplter/data/view/knb-lter-cap.375.8/
- citation
- description
This data shows how long-term climate variability influences the structure and function of desert streams
145. Fia arkansas, AR¶
- name
fia-arkansas
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
146. Virgin islands coral taxonomy¶
- name
virgin-islands-coral-taxonomy
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
N/A
- description
Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
147. Fia iowa, IA¶
- name
fia-iowa
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
148. Fia kansas, KS¶
- name
fia-kansas
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
149. The USA Final Fire Perimeter dataset, National USFS Final Fire Perimeter¶
- name
national-usfs-finalfire-perimeter
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20210415. National USFS Final Fire Perimeter: S_USA.FinalFirePerimeter. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.FinalFirePerimeter.xml.
- description
The FinalFirePerimeter polygon layer represents final mapped wildland fire perimeters
150. WorldClim [Bioclimatic] variables for WorldClim version 2¶
- name
worldclim-twofive
- reference
http://worldclim.org/version2
- citation
Fick, S.E. and R.J. Hijmans, 2017. Worldclim 2: New 1-km spatial resolution climate surfaces for global land areas. International Journal of Climatology.
- description
WorldClim variables at 2.5 minutes, minimum temperature (°C), maximum temperature (°C), precipitation (mm), solar radiation (kJ m-2 day-1), wind speed (m s-1), water vapor pressure (kPa), Bioclimatic variables
151. Fia oklahoma, OK¶
- name
fia-oklahoma
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
152. Dietary Supplement Ingredient Database (DSID-4),¶
- name
usda-dietary-supplement-ingredient-data
- reference
https://dietarysupplementdatabase.usda.nih.gov/Data_Files.php
- citation
US Department of Agriculture, Agricultural Research Service, Nutrient Data Laboratory and US Department of Health and Human Services, National Institutes of Health, Office of Dietary Supplements. Dietary Supplement Ingredient Database (DSID) release 4.0, August 2017. Available from: https://dsid.usda.nih.gov
- description
This is the fourth release of the Dietary Supplement Ingredient Database (DSID-4) which reports national estimates for ingredient levels in dietary supplements (DS), based on chemical analysis
153. Fernow Experimental Forest daily streamflow¶
- name
fernow-forest-streamflow
- reference
https://www.fs.usda.gov/rds/archive/catalog/RDS-2011-0015
- citation
Edwards, Pamela J.; Wood, Frederica. 2011. Fernow Experimental Forest daily streamflow. Newtown Square, PA: U.S. Department of Agriculture, Forest Service, Northern Research Station. Data publication updated 17 August 2017. https://doi.org/10.2737/RDS-2011-0015
- description
The data contains daily streamflow for nine watersheds on the Fernow Experimental Forest from 1951 to 2015.
154. Fia rhode-island, RI¶
- name
fia-rhode-island
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
155. Nuclear Power Plants Database¶
- name
nuclear-power-plants
- reference
https://github.com/cristianst85/GeoNuclearData
- citation
- description
Database with information about Nuclear Power Plants worldwide
156. Stroud Water Research Center - Precipitation, Meteorology (1996-2010)¶
- name
white-clay-creek-swrc-meteorology
- reference
- citation
Tsang, Y.-P., Hourly Precipitation at Stroud Water Research Center 1996-2010
- description
Meteorological data collected at Stroud Water Research Center
157. Foreign Exchange rates for 2000 to 2019¶
- name
foreign-exchange-rates-2000-2019
- reference
https://www.kaggle.com/brunotly/foreign-exchange-rates-per-dollar-20002019
- citation
- description
Federal Reserve’s time serie of foreign exchange rates per dollar from 2000 to 2019
158. Virgin Islands National Park: Coral Reef: Physical Measurements¶
- name
virgin-islands-coral-physical-measurements
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds P. 2019. Virgin Islands National Park: Coral Reef: Physical Measurements. Environmental Data Initiative. https://doi.org/10.6073/pasta/f68ca3604ca632eabcd31712ca0cd622. Dataset accessed 10/10/2019.
- description
Virgin Islands National Park Coral Reef Physical measurements, Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
159. The US Forest Service, Forest Health Monitoring, Minnesota¶
- name
forest-health-monitoring-minnesota
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
160. Prince Edward Island Detailed Soil Survey¶
- name
prince-edward-island-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/3adcf032-7fdb-4301-8d8e-ebf0e0f06e68
- citation
- description
The Prince Edward Island Detailed Soil Survey is a dataset series describing the spatial distribution of soils and associated landscapes in the Canadian province of Prince Edward Island.
161. The US Forest Service, Forest Health Monitoring, Maine¶
- name
forest-health-monitoring-maine
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
162. The US Forest Service, Forest Health Monitoring, Missouri¶
- name
forest-health-monitoring-missouri
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
163. Titanic: Machine Learning from Disaster¶
- name
titanic
- reference
https://www.kaggle.com/c/titanic
- citation
- description
Titanic passenger data use to predict survival on the Titanic
164. Fia north-dakota, ND¶
- name
fia-north-dakota
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
165. The US Forest Service, Forest Health Monitoring, Vermont¶
- name
forest-health-monitoring-vermont
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
166. fill¶
- name
nlcd-imperviousness-conus
- reference
fill
- citation
- description
NLCD imperviousness products. Default bounding box is [xmin,ymax,xmax,ymin][-110,50,-100,30]
167. Fernow Experimental Forest precipitation chemistry¶
- name
fernow-precipitation-chemistry
- reference
https://www.fs.usda.gov/rds/archive/catalog/RDS-2011-0016
- citation
Edwards, Pamela J.; Wood, Frederica. 2011. Fernow Experimental Forest precipitation chemistry. Newtown Square, PA: U.S. Department of Agriculture, Forest Service, Northern Research Station. Data publication updated 17 August 2017. https://doi.org/10.2737/RDS-2011-0016
- description
The data publication contains weekly precipitation chemistry from two weather stations on the Fernow Experimental Forest from 1983 to 2015
168. Fia virginia, VA¶
- name
fia-virginia
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
169. Fia tennessee, TN¶
- name
fia-tennessee
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
170. The US Forest Service, Forest Health Monitoring, Alabama¶
- name
forest-health-monitoring-alabama
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
171. Fia mississippi, MS¶
- name
fia-mississippi
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
172. Fia florida, FL¶
- name
fia-florida
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
173. Maizuru Bay fish community¶
- name
ushio-maizuru-fish-community
- reference
https://github.com/ong8181/dynamic-stability
- citation
Ushio M, Hsieh CH, Masuda R, Deyle RE, Ye H, Chang CW, Sugihara G, Kondoh M (2018) Fluctuating interaction entwork and time-varying stability of a natural fish community Nature 554 (7692): 360–363 doi:101038/nature25504
- description
Fluctuating interaction network and time-varying stability of a natural fish community
174. Fia wisconsin, WI¶
- name
fia-wisconsin
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
175. Food and Nutrient Database for Dietary Studies 2013-2014 (FNDDS 2013-2014)¶
- name
usda-mafcl-fooddatacenteral-fndds
- reference
- citation
U.S. Department of Agriculture, Agricultural Research Service. FoodData Central, 2019. fdc.nal.usda.gov
- description
The data shows the nutrient and food component values and weights for foods and beverages reported in America dietary survey component of the National Health and Nutrition Examination Survey
176. Fia idaho, ID¶
- name
fia-idaho
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
177. Fia puerto-rico, PR¶
- name
fia-puerto-rico
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
178. PA Avondale 2N - Soil Moisture, Soil Temperature - NOAA CRN (2011-2015)¶
- name
white-clay-creek-avondale-soil
- reference
- citation
Bell, J.E., M.A. Palecki, C.B. Baker, W.G. Collins, J.H. Lawrimore, R.D. Leeper, M.E. Hall, J. Kochendorfer, T.P. Meyers, T. Wilson, and H.J. Diamond. 2013: U.S. Climate Reference Network Soil Moisture and Temperature Observations. J. Hydrometeorol., doi: 10.1175/JHM-D-12-0146.1. See http://www.ncdc.noaa.gov/crn/publications.html.
- description
The U.S. Climate Reference Network (USCRN) developed by the National Oceanic and Atmospheric Administration (NOAA) provide future long-term homogeneous temperature and precipitation observations that can be coupled to long-term historical observations for the detection and attribution of present and future climate change.
179. White Clay Creek – Well Water Levels (1988-2012)¶
- name
white-clay-creek-waterlevels
- reference
https://czo.stroudcenter.org/data/white-clay-creek-well-water-levels-1988-2012/
- citation
Well Water Level data collected by Stroud Water Research Center
- description
Well Water Level data collected by Stroud Water Research Center
180. Fia guam, GU¶
- name
fia-guam
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
181. Fia palau, PW¶
- name
fia-palau
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
182. The US Forest Service, Forest Health Monitoring, Wyoming¶
- name
forest-health-monitoring-wyoming
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
183. The US Forest Service, Forest Health Monitoring, Massachusetts¶
- name
forest-health-monitoring-massachusetts
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
184. The US Forest Service, Forest Health Monitoring, Colorado¶
- name
forest-health-monitoring-colorado
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
185. The US Forest Service, Forest Health Monitoring, North Carolina¶
- name
forest-health-monitoring-northcarolina
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
186. Alberta Detailed Soil Survey¶
- name
alberta-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/9150ad66-73f7-444f-a67c-4be5cf676453
- citation
- description
The Agricultural Region of Alberta Soil Inventory Database (AGRASID3.0) Detailed Soil Survey dataset series at a scale of 1:100 000 consists of geo-referenced soil polygons with linkages to attribute data found in the associated Component File (CMP), Soil Names File (SNF) and Soil Layer File (SLF).
187. Saskatchewan Detailed Soil Survey¶
- name
saskatchewan-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/3734623c-25c5-4e69-936d-26f764a2807f
- citation
- description
The Saskatchewan Detailed Soil Survey dataset series at a scale of 1:100 000 consists of geo-referenced soil polygons with linkages to attribute data found in the associated Component File (CMP), Soil Names File (SNF) and Soil Layer File (SLF)
189. Virgin islands coral scleractinian corals¶
- name
virgin-islands-coral-scleractinian-corals
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
N/A
- description
Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
190. Fia california, CA¶
- name
fia-california
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
191. DS4C: Data Science for COVID-19 in South Korea¶
- name
coronavirus-south-korea
- reference
https://www.kaggle.com/kimjihoo/coronavirusdataset
- citation
- description
NeurIPS 2020 Data Science for COVID-19, South Korea
192. White Clay Creek – Chlorophyll – Pheophytin (2001-2012)¶
- name
white-clay-creek-chlorophyll
- reference
https://czo.stroudcenter.org/data/white-clay-creek-chlorophyll-pheophytin-2001-2012/
- citation
Newbold, J. D.; Damiano, S. G. (2013). White Clay Creek - Chlorophyll (2001-2012). Stroud Water Research Center.
- description
Stream Chlorophyll and Pheophytin data collected by Stroud Water Research Center
193. The US Forest Service, Forest Health Monitoring, Tennessee¶
- name
forest-health-monitoring-tennessee
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
194. WorldClim variables WorldClim version 2 at 10 minutes (~340 km2)¶
- name
worldclim-ten
- reference
http://worldclim.org/version2
- citation
Fick, S.E. and R.J. Hijmans, 2017. Worldclim 2: New 1-km spatial resolution climate surfaces for global land areas. International Journal of Climatology.
- description
WorldClim variables at 10 minutes, minimum temperature (°C), maximum temperature (°C), precipitation (mm), solar radiation (kJ m-2 day-1), wind speed (m s-1), water vapor pressure (kPa), Bioclimatic variables
195. The US Forest Service, Forest Health Monitoring, Illinois¶
- name
forest-health-monitoring-illinois
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
196. Christina River Basin – Stream Suspended Sediment (1993-2012)¶
- name
white-clay-creek-christina-sediment
- reference
- citation
Aufdenkampe, A.K.; Newbold, J.D.; Anderson, B. A.; Richardson, D.; Damiano, S.G. (2013). Christina River Basin - Stream Suspended Sediment (1993-2012). Stroud Water Research Center.
- description
The data contains the total suspended solids (TSS) and Volatile Suspended Solids (VSS) from White Clay Creek near the Stroud Water Research Center, Avondale, PA, USA
197. Soil Landscapes of Canada Version¶
- name
soil-landscapes-of-canada
- reference
https://open.canada.ca/data/en/dataset/4b0ae142-9ff0-4d8f-abf5-36b2b4edd52d
- citation
- description
The “Soil Landscapes of Canada (SLC) Version 2.2” dataset series provides a set of geo-referenced soil areas (polygons) that are linked to attribute data found in the associated Component Table (CMP), Landscape Table (LAT), Carbon Layer Table (CLYR), and Dom/Sub File (DOM_SUB)
198. The US Forest Service, Forest Health Monitoring, South Carolina¶
- name
forest-health-monitoring-southcarolina
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
199. Long-Term Soil Productivity (LTSP) Experiment, Fernow experimental Forest, LTREB¶
- name
fernow-soil-productivity
- reference
http://www.as.wvu.edu/fernow/data.html
- citation
- description
Fernow experimental Forest, LTREB, Soil Productivity, See Data policy
200. Fernow Experimental Forest daily precipitation¶
- name
fernow-precipitation
- reference
https://www.fs.usda.gov/rds/archive/catalog/RDS-2011-0014
- citation
Edwards, Pamela J.; Wood, Frederica. 2011. Fernow Experimental Forest daily precipitation. Newtown Square, PA: U.S. Department of Agriculture, Forest Service, Northern Research Station. Data publication updated 19 September 2017. https://doi.org/10.2737/RDS-2011-0014
- description
The data publication contains daily watershed-weighted precipitation measured for nine watersheds on the Fernow Experimental Forest from 1951 to 2015.
201. Fia pennsylvania, PA¶
- name
fia-pennsylvania
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
202. Fia illinois, IL¶
- name
fia-illinois
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
203. National Nutrient Database for Standard Reference Legacy Release (SR Legacy)¶
- name
usda-mafcl-fooddatacenteral-srlegacy
- reference
- citation
U.S. Department of Agriculture, Agricultural Research Service. FoodData Central, 2019. fdc.nal.usda.gov
- description
The data provides a list of nutrient and food component values that are derived from analyses, calculations, and the published literature.
204. The USA Activity TimberHarvest dataset¶
- name
activity-timberharvest
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20210407. Timber Harvests: S_USA.Activity_TimberHarvest. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.Activity_TimberHarvest.xml.
- description
The TimeberHarvest feature class depicts the area planned and accomplished acres treated as a part of the Timber Harvest program of work
205. National Pedon Database Summary Layer¶
- name
national-pedon-database-summary-layer
- reference
https://open.canada.ca/data/en/dataset/6457fad6-b6f5-47a3-9bd1-ad14aea4b9e0
- citation
- description
The National Pedon Database Summary Layer is a limited, vetted dataset of eight tables containing over a hundred soil properties. Additionally, the National Pedon Database Summary layer is only a subset of the information contained within the National Pedon Database holdings (NPDB)
206. Virgin Islands National Park: Coral Reef: Juvenile Coral¶
- name
virgin-islands-coral-juvenile
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds P. 2016. Virgin Islands National Park: Coral Reef: Juvenile Coral. Environmental Data Initiative. https://doi.org/10.6073/pasta/cd413c7d15f1d73f48def3f8167bf486. Dataset accessed 10/10/2019.
- description
juvenile scleractinians data, Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
207. Virgin Islands National Park: Population Dynamics of Diadema antillarum¶
- name
virgin-islands-coral-diadema-antillarum
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Levitan, D.R., Edmunds, P.J. & Levitan, K.E. Oecologia (2014) 175: 117. https://doi.org/10.1007/s00442-013-2871-9
- description
Long-term Coral Reef Community Dynamics, St. John, Virgin Islands National Park, CSUN. http://coralreefs.csun.edu/legal/use-policy/
208. Virgin Islands National Park: Coral Reef: Recruitment Tiles¶
- name
virgin-islands-coral-recruitment-tiles
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds P. 2018. Virgin Islands National Park: Coral Reef: Recruitment Tiles. Environmental Data Initiative. https://doi.org/10.6073/pasta/c22c4c8064634988f680a004e8ed9876. Dataset accessed 10/10/2019.
- description
Virgin Islands National Park: Coral Reef: Recruitment Tiles, Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
209. fill¶
- name
nlcd-urban-imperviousness-hawaii
- reference
fill
- citation
fill
- description
hi_masked_imperv_9-30-08.img
210. The North Carolina Piedmont Forest LTREB Project, Permanent sample plots¶
- name
north-carolina-piedmont-permanent-plots
- reference
http://labs.bio.unc.edu/Peet/PEL/df.htm
- citation
- description
The data between 1931 and 1947 permanent sample plots (PSPs) with individually numbered trees were established in the Duke Forest
211. Fia nebraska, NE¶
- name
fia-nebraska
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
212. Rodent data from trapping webs in the long-term Small Mammal Exclusion Study (SMES) at Jornada Basin LTER, 1995-2007¶
- name
jornada-lter-rodent
- reference
https://portal.lternet.edu/nis/mapbrowse?packageid=knb-lter-jrn.210086009.74
- citation
Bestelmeyer B., D. Lightfoot, R. Schooley. 2019. Rodent data from trapping webs in the long-term Small Mammal Exclusion Study (SMES) at Jornada Basin LTER, 1995-2007. Environmental Data Initiative. https://doi.org/10.6073/pasta/0c38baecb2e10b4fe70d187ba6f08dda. Dataset accessed 1/30/2020.
- description
This data package contains rodent trapping data from plots with various levels of herbivore exclusion on the Jornada Experimental Range (JER) and Chihuahuan Desert Rangeland Research Center (CDRRC) lands.
213. NTN Site WV18, Rain Chemistry data, National Atmospheric Deposition Program, State of West Virginia (WV)¶
- name
fernow-nadp-rain-chemistry
- reference
http://nadp.slh.wisc.edu/data/sites/siteDetails.aspx?net=NTN&id=WV18
- citation
- description
This data is the rain Chemistry data used in Fernow Experimental Forest Monitoring, part of National Atmospheric Deposition Program, State of West Virginia (WV),
214. Fia west-virginia, WV¶
- name
fia-west-virginia
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
215. Fia new-jersey, NJ¶
- name
fia-new-jersey
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
216. Long-term studies of secondary succession and community assembly in the prairie-forest ecotone of eastern Kansas (NSF LTREB # 0950100)¶
- name
foster-ltreb
- reference
https://foster.ku.edu/ltreb-datasets
- citation
- description
The data is used towards understanding and predicting the potential effects of accelerated human activity on biological diversity and ecosystem sustainability
217. Fia kentucky, KY¶
- name
fia-kentucky
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
218. New York City Airbnb Open Data¶
- name
new-york-city-airbnb-open-data
- reference
https://www.kaggle.com/dgomonov/new-york-city-airbnb-open-data
- citation
- description
Airbnb listings and metrics in NYC, NY, USA (2019)
219. The US Forest Service, Forest Health Monitoring, Florida¶
- name
forest-health-monitoring-florida
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
220. Fia south-carolina, SC¶
- name
fia-south-carolina
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
221. The US Forest Service, Forest Health Monitoring, Georgia¶
- name
forest-health-monitoring-georgia
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
222. Fia hawaii, HI¶
- name
fia-hawaii
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
223. National Pedon Database Summary Layer¶
- name
canada-soil-survey
- reference
https://open.canada.ca/data/en/dataset/6457fad6-b6f5-47a3-9bd1-ad14aea4b9e0
- citation
- description
The Canada National Soil Data
224. Virgin Islands National Park: Population Projections for Orbicella annularis¶
- name
virgin-islands-coral-population-projections
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds, P.J., 2015. A quarter-century demographic analysis of the Caribbean coral, Orbicella annularis, and projections of population size over the next century. Limnology and Oceanography, 60, pp.840-855.
- description
Populations Dynamics and Population Projections data, Long-term Coral Reef Community Dynamics, http://coralreefs.csun.edu/legal/use-policy/
225. FoodData Central Data Supporting Data¶
- name
usda-mafcl-fooddatacenteral-supportingdata
- reference
- citation
U.S. Department of Agriculture, Agricultural Research Service. FoodData Central, 2019. fdc.nal.usda.gov
- description
Supporting data for the FoodData Central Data
226. Virgin Islands National Park: Landscape-scale Variation in Community Structure¶
- name
virgin-islands-coral-landscape-scale
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
N/A
- description
Percent cover on tiles at landscape-scale sites, Download data after acceptance of MCR LTER Data Use Agreement, http://coralreefs.csun.edu/legal/use-policy/
227. Fia federated-states-micrones, FM¶
- name
fia-federated-states-micrones
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
228. The USA Activity Range Vegetation Improvement dataset¶
- name
activity-range-vegetation-improvement
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20210407. Activity Range Vegetation Improvement: S_USA.Activity_RngVegImprove. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.Activity_RngVegImprove.xml.
- description
The Activity Range Vegetation Improvement depicts the area planned and accomplished areas treated as a part of the Range Vegetation Improvement program of work
229. All FoodData Central data types¶
- name
usda-mafcl-fooddatacenteral-alldatatypes
- reference
- citation
U.S. Department of Agriculture, Agricultural Research Service. FoodData Central, 2019. fdc.nal.usda.gov
- description
The datasets contains files for all of the FoodData Central data types
230. The US Forest Service, Forest Health Monitoring, Idaho¶
- name
forest-health-monitoring-idaho
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
231. Fia maryland, MD¶
- name
fia-maryland
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
232. Arsenic contamination of groundwater in Bangladesh data¶
- name
arsenic-contamination-bangladesh
- reference
http://www.bgs.ac.uk/research/groundwater/health/arsenic/Bangladesh/data.html
- citation
BGS and DPHE. 2001. Arsenic contamination of groundwater in Bangladesh. Kinniburgh, D G and Smedley, P L (Editors). British Geological Survey Technical Report WC/00/19. British Geological Survey: Keyworth.
- description
Bangladesh, Arsenic contamination of groundwater
233. The US Forest Service, Forest Health Monitoring, Utah¶
- name
forest-health-monitoring-utah
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
234. The US Forest Service, Forest Health Monitoring, New Jersey¶
- name
forest-health-monitoring-newjersey
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
235. The North Carolina Piedmont Forest LTREB Project, Mapped Forest Stands¶
- name
north-carolina-piedmont-mapped-foreset
- reference
http://labs.bio.unc.edu/Peet/PEL/df.htm
- citation
- description
Mapped Forest Stands of North Carolina Piedmont Forest LTREB Project
236. Cervical cancer (Risk Factors) Data Set¶
- name
risk-factors-cervical-cancer
- reference
http://archive.ics.uci.edu/ml/datasets/Cervical+cancer+%28Risk+Factors%29
- citation
Kelwin Fernandes, Jaime S. Cardoso, and Jessica Fernandes. ‘Transfer Learning with Partial Observability Applied to Cervical Cancer Screening.’ Iberian Conference on Pattern Recognition and Image Analysis. Springer International Publishing, 2017.
- description
This dataset focuses on the prediction of indicators/diagnosis of cervical cancer. The features cover demographic information, habits, and historic medical records.
237. Whole Watershed Acidification Experiment, Fernow experimental Forest, LTREB¶
- name
fernow-watershed-acidification
- reference
http://www.as.wvu.edu/fernow/data.html
- citation
- description
Fernow experimental Forest, LTREB, See Data policy
238. Zipcodes dataset¶
- name
zipcodes
- reference
http://federalgovernmentzipcodes.us/license.html
- citation
Coven, D. S., (2012). Free Zipcode Database: [Unique Zipcode | All Locations data file]. Retrieved from http://federalgovernmentzipcodes.us
- description
Zipcode data
239. Fia michigan, MI¶
- name
fia-michigan
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
240. The National Atmospheric Deposition Program (NADP) precipitation chemistry¶
- name
nadp-precipitation-chemistry
- reference
http://nadp.slh.wisc.edu/data/
- citation
- description
The National Atmospheric Deposition Program (NADP) monitors precipitation chemistry. The data contains long term record of total mercury (Hg), ammonia gas
241. The US Forest Service, Forest Health Monitoring, Virginia¶
- name
forest-health-monitoring-virginia
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
242. Christina River Basin â Stream Water Temperatures (2007-2014)¶
- name
white-clay-creek-christina-temperatures
- reference
- citation
Sweeney, B.; Funk, D.; Newbold, J. D.; Kaplan, L. A.; Damiano, S. G.; Kline, F.; West, H.(2013). Christina River Basin - Stream Water Temperatures (2007-2012). Stroud Water Research Center.
- description
Stream Temperature data collected by Stroud Water Research Center
243. Restaurant in Baltimore city¶
- name
baltimore-restaurants
- reference
https://catalog.data.gov/dataset/restaurants-15baa
- citation
- description
List of restaurants on Baltimore City
244. Fia wyoming, WY¶
- name
fia-wyoming
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
245. Fia missouri, MO¶
- name
fia-missouri
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
246. Activity Silviculture Timber Stand Improvement¶
- name
activity-silviculture-timber-stand-improvement
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20210407. Activity Silviculture Timber Stand Improvement: S_USA.Activity_SilvTSI. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.Activity_SilvTSI.xml.
- description
The SilvTSI (Silviculture Timber Stand Improvement) feature class represents activities associated with the following performance measure: Forest Vegetation Improved (Release, Weeding, and Cleaning, Precommercial Thinning, Pruning and Fertilization).
247. IATA airport code¶
- name
airport-codes
- reference
https://datahub.io/core/airport-codes
- citation
- description
Compiled dataset of airport codes from around the world
248. The US Forest Service, Forest Health Monitoring, Oregon¶
- name
forest-health-monitoring-oregon
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
249. Global Population Dynamics Database¶
- name
global-population-dynamics
- reference
https://knb.ecoinformatics.org/view/doi:10.5063/F1BZ63Z8
- citation
John Prendergast, Ellen Bazeley-White, Owen Smith, John Lawton, Pablo Inchausti, et al. 2010. The Global Population Dynamics Database. Knowledge Network for Biocomplexity. doi:10.5063/F1BZ63Z8.
- description
GDPP conatins animal and plant population data, with about five thousand separate time series, population counts, taxonomic details of about 1400 species.
250. Fernow Experimental Forest stream chemistry¶
- name
fernow-stream-chemistry
- reference
https://www.fs.usda.gov/rds/archive/catalog/RDS-2011-0017
- citation
Edwards, Pamela J.; Wood, Frederica. 2011. Fernow Experimental Forest stream chemistry. Newtown Square, PA: U.S. Department of Agriculture, Forest Service, Northern Research Station. Data publication updated 17 August 2017. https://doi.org/10.2737/RDS-2011-0017
- description
The data publication contains weekly or biweekly stream water chemistry from nine gauged watersheds on the Fernow Experimental Forest from 1983 to 2015.
251. Shortgrass Steppe Long Term Ecological Research (SGS-LTER) Program data¶
- name
shortgrass-steppe-lter
- reference
https://portal.lternet.edu/nis/mapbrowse?packageid=knb-lter-sgs.137.17
- citation
Stapp P. 2013. SGS-LTER Long-Term Monitoring Project: Small Mammals on Trapping Webs on the Central Plains Experimental Range, Nunn, Colorado, USA 1994 -2006, ARS Study Number 118. Environmental Data Initiative. https://doi.org/10.6073/pasta/2e311b4e40fea38e573890f473807ba9. Dataset accessed 1/30/2020.
- description
SGS-LTER Long-Term Monitoring Project: Small Mammals on Trapping Webs on the Central Plains Experimental Range, Nunn, Colorado, USA 1994 -2006, ARS Study Number 118
252. Fernow Experimental Forest daily air temperature¶
- name
fernow-air-temperature
- reference
https://www.fs.usda.gov/rds/archive/catalog/RDS-2011-0013
- citation
Edwards, Pamela J.; Wood, Frederica. 2011. Fernow Experimental Forest daily air temperature. Newtown Square, PA: U.S. Department of Agriculture, Forest Service, Northern Research Station. Data publication updated 17 August 2017. https://doi.org/10.2737/RDS-2011-0013
- description
The data publication contains daily maximum and minimum air temperature measured at two weather stations on the Fernow Experimental Forest from 1951 to 2015
253. The US Forest Service, Forest Health Monitoring, Indiana¶
- name
forest-health-monitoring-indiana
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
254. Yukon Detailed Soil Survey¶
- name
yukon-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/91c39230-fb8d-45f7-8af9-11257a549710
- citation
- description
The Yukon Detailed Soil Survey dataset series consists of geo-referenced soil polygons with linkages to attribute data found in the associated Component File (CMP), Soil Names File (SNF) and Soil Layer File (SLF)
255. The US Forest Service, Forest Health Monitoring, Maryland¶
- name
forest-health-monitoring-maryland
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
256. The US Forest Service, Forest Health Monitoring, Connecticut¶
- name
forest-health-monitoring-connecticut
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
257. Fia connecticut, CT¶
- name
fia-connecticut
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
258. Hyperspectral benchmark dataset on soil moisture¶
- name
felix-riese-hyperspectral-soilmoisture
- reference
https://zenodo.org/record/2530634#.Xf7thC2ZOuU
- citation
Felix M. Riese and Sina Keller, “Introducing a Framework of Self-Organizing Maps for Regression of Soil Moisture with Hyperspectral Data,” in 2018 IEEE International Geoscience and Remote Sensing Symposium (IGARSS), Valencia, Spain, 2018,
- description
Hyperspectral and soil-moisture data from a field campaign based on a soil sample. Karlsruhe (Germany), 2017
259. Fia south-dakota, SD¶
- name
fia-south-dakota
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
260. Test data raster bio1¶
- name
sample-hdf
- reference
N/A
- citation
N/A
- description
Test data sampled from bioclim bio1
261. The US Forest Service, Forest Health Monitoring, West Virginia¶
- name
forest-health-monitoring-westvirginia
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
262. White Clay Creek Stage, Streamflow or Discharge (1968-2014)¶
- name
white-clay-creek-streamflow
- reference
- citation
Continuous streamflow data collected by Stroud Water Research Center
- description
Continuous streamflow data collected by the Stroud Water Research Center within the 3rd-order research watershed, White Clay Creek above McCue Road.
263. Virgin Islands National Park, Coral Reef, Population Dynamics: Scleractinian corals¶
- name
virgin-islands-coral-yawzi-transects
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
Edmunds P. 2019. Virgin Islands National Park: Coral Reef: Population Dynamics: Scleractinian corals. Environmental Data Initiative. https://doi.org/10.6073/pasta/8e0b03fdc567b91aa2edc6e875291ff7. Dataset accessed 10/10/2019
- description
Population Dynamics of Scleractinian Corals, Coral Time-Series Data from St John and St Thomas Islands, http://coralreefs.csun.edu/legal/use-policy/
264. Fia new-hampshire, NH¶
- name
fia-new-hampshire
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
265. The USA MTBS Burn Area Boundary¶
- name
mtbs-burn-area-boundary
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20190826. MTBS Burn Area Boundary: MTBS Burn Area Boundary. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.MTBS_BURN_AREA_BOUNDARY.xml.
- description
The Monitoring Trends in Burn Severity (MTBS) project assesses the frequency, extent, and magnitude (size and severity)
266. The US Forest Service, Forest Health Monitoring, Nevada¶
- name
forest-health-monitoring-nevada
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
267. The US Forest Service, Forest Health Monitoring, New York¶
- name
forest-health-monitoring-newyork
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
268. The US Forest Service, Forest Health Monitoring, New Hampshire¶
- name
forest-health-monitoring-newhampshire
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
269. Land Grab Universities¶
- name
land-grab-universities
- reference
https://github.com/HCN-Digital-Projects/landgrabu-data
- citation
Robert Lee, âMorrill Act of 1862 Indigenous Land Parcels Database,â High Country News, March 2020.
- description
Expropriated Indigenous land by land grant university system.
270. BUILDBPS: Facilities and educational data for boston public schools¶
- name
boston-buildbps
- reference
- citation
- description
Boston, BuildBPS compiles data that can be used to guide and inform decisions related to school building investments
271. The USA MTBS Fire Occurrence Points¶
- name
mtbs-fire-occurrence
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20190826. MTBS Fire Occurrence Points: MTBS Fire Occurrence Points. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.MTBS_FIRE_OCCURRENCE_PT.xml.
- description
Monitoring Trends in Burn Severity Project
272. Virgin Islands National Park, Geography of Sites¶
- name
virgin-islands-coral-geography
- reference
http://coralreefs.csun.edu/data/data-catalogue/
- citation
N/A
- description
This is a reference dataset containing the site locations, year established, and types of surveys, http://coralreefs.csun.edu/legal/use-policy/
273. Foundation Foods¶
- name
usda-mafcl-fooddatacenteral-foundationfoods
- reference
- citation
U.S. Department of Agriculture, Agricultural Research Service. FoodData Central, 2019. fdc.nal.usda.gov
- description
The data includes nutrient and food component values on a diverse range of ingredient and commodity foods.
274. Fia delaware, DE¶
- name
fia-delaware
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
275. Christina River Basin - Stream Water Chemistry (1977-2017)¶
- name
white-clay-creek-christina-chemistry
- reference
FILL
- citation
Kaplan, L. A.; Newbold, J. D.; Aufdenkampe, A. K.; Anderson, B. A.; Damiano, S.G. (2013). Christina River Basin - Stream Water Chemistry (1977-2010). Stroud Water Research Center.
- description
Stream Chemistry data collected by Stroud Water Research Center
276. Fia arizona, AZ¶
- name
fia-arizona
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
277. Fia alaska, AK¶
- name
fia-alaska
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
278. Fire Occurrence FIRESTAT yearly¶
- name
fire-occurrence-firestat-yearly
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20210407. FIRESTAT Fire Occurrence - Yearly Update: Fire Occurrence FIRESTAT yearly. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.Fire_Occurrence_FIRESTAT_YRLY.xml.
- description
The FIRESTAT (Fire Statistics System) Fire Occurrence point layer represents ignition points, or points of origin, from which individual wildland fires started on National Forest System lands
279. Dissolved organic carbon concentrations in White Clay Creek, Pennsylvania, 1977-2017¶
- name
white-clay-dissolved-carbon
- reference
https://portal.edirepository.org/nis/mapbrowse?packageid=edi.386.1
- citation
Kaplan L. A. 2019. Dissolved organic carbon concentrations in White Clay Creek, Pennsylvania, 1977-2017. Environmental Data Initiative. https://doi.org/10.6073/pasta/60deae3675ff30109bf7a35cceaf719d. Dataset accessed 10/15/2019.
- description
The data is of dissolved organic carbon concentrations were measured over a period of 4 decades in a 3rd-order reach of White Clay Creek, a stream with a forested riparian zone in the Southeastern Pennsylvania Piedmont
280. Fia indiana, IN¶
- name
fia-indiana
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
281. Fia oregon, OR¶
- name
fia-oregon
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
282. Fia texas, TX¶
- name
fia-texas
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
283. The US Forest Service, Forest Health Monitoring, Rhode Island¶
- name
forest-health-monitoring-rhodeisland
- reference
https://www.fia.fs.fed.us/tools-data/other_data/index.php
- citation
- description
The USDA Forest Service, Forest Health Monitoring (FHM) is a national program designed to determine the status, changes, and trends in indicators of forest condition on an annual basis.
285. WorldClim variables WorldClim version 2 at 5 minutes¶
- name
worldclim-five
- reference
http://worldclim.org/version2
- citation
Fick, S.E. and R.J. Hijmans, 2017. Worldclim 2: New 1-km spatial resolution climate surfaces for global land areas. International Journal of Climatology.
- description
WorldClim variables at 5 minutes, minimum temperature (°C), maximum temperature (°C), precipitation (mm), solar radiation (kJ m-2 day-1), wind speed (m s-1), water vapor pressure (kPa), Bioclimatic variables
286. The USA Activity SilvicultureReforestation.¶
- name
usa-activity-silvreforestation
- reference
https://data.fs.usda.gov/geodata/edw/datasets.php
- citation
United States Department of Agriculture - Forest Service. 20210407. Activity SilvicultureReforestation: S_USA.SilvReforestation. https://data.fs.usda.gov/geodata/edw/edw_resources/meta/S_USA.Activity_SilvReforestation.xml.
- description
The SilvReforestation feature class represents activities associated with the following performance measure: Forest Vegetation Establishment (Planting, Seeding, Site Preparation for Natural Regeneration and Certification of Natural Regeneration without Site Preparation).
287. Fia new-york, NY¶
- name
fia-new-york
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
288. Fia ohio, OH¶
- name
fia-ohio
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
289. Fia washington, WA¶
- name
fia-washington
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
290. Nova Scotia Detailed Soil Survey¶
- name
nova-scotia-detailed-soil-survey
- reference
https://open.canada.ca/data/en/dataset/083534ca-d5b0-46f5-b540-f3a706dbc2de
- citation
- description
The Nova Scotia Detailed Soil Survey dataset series at a scale of 1:50 000 consists of geo-referenced soil polygons with linkages to attribute data found in the associated Component File (CMP), Soil Names File (SNF) and Soil Layer File (SLF).
291. 30 seconds WorldClim variables for WorldClim version 2¶
- name
worldclim-thirty
- reference
http://worldclim.org/version2
- citation
Fick, S.E. and R.J. Hijmans, 2017. Worldclim 2: New 1-km spatial resolution climate surfaces for global land areas. International Journal of Climatology.
- description
WorldClim variables at 30 seconds, minimum temperature (°C), maximum temperature (°C), precipitation (mm), solar radiation (kJ m-2 day-1), wind speed (m s-1), water vapor pressure (kPa), Bioclimatic variables
292. Fia alabama, AL¶
- name
fia-alabama
- reference
https://www.fia.fs.fed.us/
- citation
June 20, 2019. Forest Inventory and Analysis Database, St. Paul, MN: U.S. Department of Agriculture, Forest Service, Northern Research Station
- description
The Forest Inventory and Analysis (FIA) Program of the U.S.
293. Nutrient Data Laboratory. USDA National Nutrient Database for Standard Reference, Release 28¶
- name
usda-mafcl-standard-reference
- reference
- citation
US Department of Agriculture, Agricultural Research Service. 2016. Nutrient Data Laboratory. USDA National Nutrient Database for Standard Reference, Release 28 (Slightly revised). Version Current: May 2016. http://www.ars.usda.gov/nea/bhnrc/mafcl
- description
The dataset contains nutrient data for Standard Reference
294. U.S. Department of Agriculture’s PLANTS Database¶
- name
usda-agriculture-plants-database
- reference
https://plants.sc.egov.usda.gov/download.html
- citation
- description
U.S. Department of Agriculture’s PLANTS Database
APIs Available¶
Socrata API¶
Total number of datasets supported : 85,244 out of 213,965
Rdatasets¶
1. Fair’s Extramarital Affairs Data¶
- name
rdataset-aer-affairs
- reference
- R package
aer
- R Dataset
affairs
2. Consumer Price Index in Argentina¶
- name
rdataset-aer-argentinacpi
- reference
- R package
aer
- R Dataset
argentinacpi
3. Bank Wages¶
- name
rdataset-aer-bankwages
- reference
- R package
aer
- R Dataset
bankwages
4. Benderly and Zwick Data: Inflation, Growth and Stock Returns¶
- name
rdataset-aer-benderlyzwick
- reference
- R package
aer
- R Dataset
benderlyzwick
5. Bond Yield Data¶
- name
rdataset-aer-bondyield
- reference
- R package
aer
- R Dataset
bondyield
6. CartelStability¶
- name
rdataset-aer-cartelstability
- reference
- R package
aer
- R Dataset
cartelstability
7. California Test Score Data¶
- name
rdataset-aer-caschools
- reference
- R package
aer
- R Dataset
caschools
8. Chinese Real National Income Data¶
- name
rdataset-aer-chinaincome
- reference
- R package
aer
- R Dataset
chinaincome
9. Cigarette Consumption Data¶
- name
rdataset-aer-cigarettesb
- reference
- R package
aer
- R Dataset
cigarettesb
10. Cigarette Consumption Panel Data¶
- name
rdataset-aer-cigarettessw
- reference
- R package
aer
- R Dataset
cigarettessw
11. College Distance Data¶
- name
rdataset-aer-collegedistance
- reference
- R package
aer
- R Dataset
collegedistance
12. Properties of a Fast-Moving Consumer Good¶
- name
rdataset-aer-consumergood
- reference
- R package
aer
- R Dataset
consumergood
13. Determinants of Wages Data (CPS 1985)¶
- name
rdataset-aer-cps1985
- reference
- R package
aer
- R Dataset
cps1985
14. Determinants of Wages Data (CPS 1988)¶
- name
rdataset-aer-cps1988
- reference
- R package
aer
- R Dataset
cps1988
15. Stock and Watson CPS Data Sets¶
- name
rdataset-aer-cpssw04
- reference
- R package
aer
- R Dataset
cpssw04
16. Stock and Watson CPS Data Sets¶
- name
rdataset-aer-cpssw3
- reference
- R package
aer
- R Dataset
cpssw3
17. Stock and Watson CPS Data Sets¶
- name
rdataset-aer-cpssw8
- reference
- R package
aer
- R Dataset
cpssw8
18. Stock and Watson CPS Data Sets¶
- name
rdataset-aer-cpssw9204
- reference
- R package
aer
- R Dataset
cpssw9204
19. Stock and Watson CPS Data Sets¶
- name
rdataset-aer-cpssw9298
- reference
- R package
aer
- R Dataset
cpssw9298
20. Stock and Watson CPS Data Sets¶
- name
rdataset-aer-cpssweducation
- reference
- R package
aer
- R Dataset
cpssweducation
21. Expenditure and Default Data¶
- name
rdataset-aer-creditcard
- reference
- R package
aer
- R Dataset
creditcard
22. Dow Jones Index Data (Franses)¶
- name
rdataset-aer-djfranses
- reference
- R package
aer
- R Dataset
djfranses
23. Dow Jones Industrial Average (DJIA) index¶
- name
rdataset-aer-djia8012
- reference
- R package
aer
- R Dataset
djia8012
24. Australian Health Service Utilization Data¶
- name
rdataset-aer-doctorvisits
- reference
- R package
aer
- R Dataset
doctorvisits
25. TV and Radio Advertising Expenditures Data¶
- name
rdataset-aer-dutchadvert
- reference
- R package
aer
- R Dataset
dutchadvert
26. Dutch Retail Sales Index Data¶
- name
rdataset-aer-dutchsales
- reference
- R package
aer
- R Dataset
dutchsales
27. Cost Function of Electricity Producers (1955, Nerlove Data)¶
- name
rdataset-aer-electricity1955
- reference
- R package
aer
- R Dataset
electricity1955
28. Cost Function of Electricity Producers 1970¶
- name
rdataset-aer-electricity1970
- reference
- R package
aer
- R Dataset
electricity1970
29. Number of Equations and Citations for Evolutionary Biology Publications¶
- name
rdataset-aer-equationcitations
- reference
- R package
aer
- R Dataset
equationcitations
30. Transportation Equipment Manufacturing Data¶
- name
rdataset-aer-equipment
- reference
- R package
aer
- R Dataset
equipment
31. European Energy Consumption Data¶
- name
rdataset-aer-euroenergy
- reference
- R package
aer
- R Dataset
euroenergy
32. US Traffic Fatalities¶
- name
rdataset-aer-fatalities
- reference
- R package
aer
- R Dataset
fatalities
33. Fertility and Women’s Labor Supply¶
- name
rdataset-aer-fertility
- reference
- R package
aer
- R Dataset
fertility
34. Fertility and Women’s Labor Supply¶
- name
rdataset-aer-fertility2
- reference
- R package
aer
- R Dataset
fertility2
35. Price of Frozen Orange Juice¶
- name
rdataset-aer-frozenjuice
- reference
- R package
aer
- R Dataset
frozenjuice
36. Unemployment in Germany Data¶
- name
rdataset-aer-germanunemployment
- reference
- R package
aer
- R Dataset
germanunemployment
37. Gold and Silver Prices¶
- name
rdataset-aer-goldsilver
- reference
- R package
aer
- R Dataset
goldsilver
38. Determinants of Economic Growth¶
- name
rdataset-aer-growthdj
- reference
- R package
aer
- R Dataset
growthdj
39. Determinants of Economic Growth¶
- name
rdataset-aer-growthsw
- reference
- R package
aer
- R Dataset
growthsw
40. Grunfeld’s Investment Data¶
- name
rdataset-aer-grunfeld
- reference
- R package
aer
- R Dataset
grunfeld
41. German Socio-Economic Panel 1994-2002¶
- name
rdataset-aer-gsoep9402
- reference
- R package
aer
- R Dataset
gsoep9402
43. More Guns, Less Crime?¶
- name
rdataset-aer-guns
- reference
- R package
aer
- R Dataset
guns
44. Medical Expenditure Panel Survey Data¶
- name
rdataset-aer-healthinsurance
- reference
- R package
aer
- R Dataset
healthinsurance
45. Home Mortgage Disclosure Act Data¶
- name
rdataset-aer-hmda
- reference
- R package
aer
- R Dataset
hmda
46. House Prices in the City of Windsor, Canada¶
- name
rdataset-aer-houseprices
- reference
- R package
aer
- R Dataset
houseprices
47. Economics Journal Subscription Data¶
- name
rdataset-aer-journals
- reference
- R package
aer
- R Dataset
journals
48. Klein Model I¶
- name
rdataset-aer-kleini
- reference
- R package
aer
- R Dataset
kleini
49. Longley’s Regression Data¶
- name
rdataset-aer-longley
- reference
- R package
aer
- R Dataset
longley
50. Manufacturing Costs Data¶
- name
rdataset-aer-manufactcosts
- reference
- R package
aer
- R Dataset
manufactcosts
51. DEM/USD Exchange Rate Returns¶
- name
rdataset-aer-markdollar
- reference
- R package
aer
- R Dataset
markdollar
52. DEM/GBP Exchange Rate Returns¶
- name
rdataset-aer-markpound
- reference
- R package
aer
- R Dataset
markpound
53. Massachusetts Test Score Data¶
- name
rdataset-aer-maschools
- reference
- R package
aer
- R Dataset
maschools
54. Medicaid Utilization Data¶
- name
rdataset-aer-medicaid1986
- reference
- R package
aer
- R Dataset
medicaid1986
55. Fixed versus Adjustable Mortgages¶
- name
rdataset-aer-mortgage
- reference
- R package
aer
- R Dataset
mortgage
56. Motor Cycles in The Netherlands¶
- name
rdataset-aer-motorcycles
- reference
- R package
aer
- R Dataset
motorcycles
57. Motor Cycles in The Netherlands¶
- name
rdataset-aer-motorcycles2
- reference
- R package
aer
- R Dataset
motorcycles2
58. MSCI Switzerland Index¶
- name
rdataset-aer-msciswitzerland
- reference
- R package
aer
- R Dataset
msciswitzerland
59. Municipal Expenditure Data¶
- name
rdataset-aer-municipalities
- reference
- R package
aer
- R Dataset
municipalities
60. Determinants of Murder Rates in the United States¶
- name
rdataset-aer-murderrates
- reference
- R package
aer
- R Dataset
murderrates
61. Natural Gas Data¶
- name
rdataset-aer-naturalgas
- reference
- R package
aer
- R Dataset
naturalgas
62. Demand for Medical Care in NMES 1988¶
- name
rdataset-aer-nmes1988
- reference
- R package
aer
- R Dataset
nmes1988
63. Daily NYSE Composite Index¶
- name
rdataset-aer-nysesw
- reference
- R package
aer
- R Dataset
nysesw
64. Gasoline Consumption Data¶
- name
rdataset-aer-oecdgas
- reference
- R package
aer
- R Dataset
oecdgas
65. OECD Macroeconomic Data¶
- name
rdataset-aer-oecdgrowth
- reference
- R package
aer
- R Dataset
oecdgrowth
66. Television Rights for Olympic Games¶
- name
rdataset-aer-olympictv
- reference
- R package
aer
- R Dataset
olympictv
67. Orange County Employment¶
- name
rdataset-aer-orangecounty
- reference
- R package
aer
- R Dataset
orangecounty
68. Parade Magazine 2005 Earnings Data¶
- name
rdataset-aer-parade2005
- reference
- R package
aer
- R Dataset
parade2005
69. Black and White Pepper Prices¶
- name
rdataset-aer-pepperprice
- reference
- R package
aer
- R Dataset
pepperprice
70. Doctoral Publications¶
- name
rdataset-aer-phdpublications
- reference
- R package
aer
- R Dataset
phdpublications
71. Program Effectiveness Data¶
- name
rdataset-aer-programeffectiveness
- reference
- R package
aer
- R Dataset
programeffectiveness
72. Labor Force Participation Data¶
- name
rdataset-aer-psid1976
- reference
- R package
aer
- R Dataset
psid1976
73. PSID Earnings Data 1982¶
- name
rdataset-aer-psid1982
- reference
- R package
aer
- R Dataset
psid1982
74. PSID Earnings Panel Data (1976-1982)¶
- name
rdataset-aer-psid7682
- reference
- R package
aer
- R Dataset
psid7682
75. Recreation Demand Data¶
- name
rdataset-aer-recreationdemand
- reference
- R package
aer
- R Dataset
recreationdemand
76. Are Emily and Greg More Employable Than Lakisha and Jamal?¶
- name
rdataset-aer-resumenames
- reference
- R package
aer
- R Dataset
resumenames
77. Ship Accidents¶
- name
rdataset-aer-shipaccidents
- reference
- R package
aer
- R Dataset
shipaccidents
78. SIC33 Production Data¶
- name
rdataset-aer-sic33
- reference
- R package
aer
- R Dataset
sic33
79. Do Workplace Smoking Bans Reduce Smoking?¶
- name
rdataset-aer-smokeban
- reference
- R package
aer
- R Dataset
smokeban
80. Endowment Effect for Sports Cards¶
- name
rdataset-aer-sportscards
- reference
- R package
aer
- R Dataset
sportscards
81. Project STAR: Student-Teacher Achievement Ratio¶
- name
rdataset-aer-star
- reference
- R package
aer
- R Dataset
star
82. Strike Durations¶
- name
rdataset-aer-strikeduration
- reference
- R package
aer
- R Dataset
strikeduration
83. Swiss Labor Market Participation Data¶
- name
rdataset-aer-swisslabor
- reference
- R package
aer
- R Dataset
swisslabor
84. Impact of Beauty on Instructor’s Teaching Ratings¶
- name
rdataset-aer-teachingratings
- reference
- R package
aer
- R Dataset
teachingratings
85. Technological Change Data¶
- name
rdataset-aer-techchange
- reference
- R package
aer
- R Dataset
techchange
86. Trade Credit and the Money Market¶
- name
rdataset-aer-tradecredit
- reference
- R package
aer
- R Dataset
tradecredit
87. Travel Mode Choice Data¶
- name
rdataset-aer-travelmode
- reference
- R package
aer
- R Dataset
travelmode
88. UK Manufacturing Inflation Data¶
- name
rdataset-aer-ukinflation
- reference
- R package
aer
- R Dataset
ukinflation
89. Consumption of Non-Durables in the UK¶
- name
rdataset-aer-uknondurables
- reference
- R package
aer
- R Dataset
uknondurables
90. Cost Data for US Airlines¶
- name
rdataset-aer-usairlines
- reference
- R package
aer
- R Dataset
usairlines
91. US Consumption Data (1940-1950)¶
- name
rdataset-aer-usconsump1950
- reference
- R package
aer
- R Dataset
usconsump1950
92. US Consumption Data (1970-1979)¶
- name
rdataset-aer-usconsump1979
- reference
- R package
aer
- R Dataset
usconsump1979
93. US Consumption Data (1950-1993)¶
- name
rdataset-aer-usconsump1993
- reference
- R package
aer
- R Dataset
usconsump1993
94. US Crudes Data¶
- name
rdataset-aer-uscrudes
- reference
- R package
aer
- R Dataset
uscrudes
95. US Gasoline Market Data (1950-1987, Baltagi)¶
- name
rdataset-aer-usgasb
- reference
- R package
aer
- R Dataset
usgasb
96. US Gasoline Market Data (1960-1995, Greene)¶
- name
rdataset-aer-usgasg
- reference
- R package
aer
- R Dataset
usgasg
97. US Investment Data¶
- name
rdataset-aer-usinvest
- reference
- R package
aer
- R Dataset
usinvest
98. US Macroeconomic Data (1959-1995, Baltagi)¶
- name
rdataset-aer-usmacrob
- reference
- R package
aer
- R Dataset
usmacrob
99. US Macroeconomic Data (1950-2000, Greene)¶
- name
rdataset-aer-usmacrog
- reference
- R package
aer
- R Dataset
usmacrog
100. US Macroeconomic Data (1957-2005, Stock & Watson)¶
- name
rdataset-aer-usmacrosw
- reference
- R package
aer
- R Dataset
usmacrosw
101. Monthly US Macroeconomic Data (1947-2004, Stock & Watson)¶
- name
rdataset-aer-usmacroswm
- reference
- R package
aer
- R Dataset
usmacroswm
102. Quarterly US Macroeconomic Data (1947-2004, Stock & Watson)¶
- name
rdataset-aer-usmacroswq
- reference
- R package
aer
- R Dataset
usmacroswq
103. USMoney¶
- name
rdataset-aer-usmoney
- reference
- R package
aer
- R Dataset
usmoney
104. Index of US Industrial Production¶
- name
rdataset-aer-usprodindex
- reference
- R package
aer
- R Dataset
usprodindex
105. Effects of Mandatory Seat Belt Laws in the US¶
- name
rdataset-aer-usseatbelts
- reference
- R package
aer
- R Dataset
usseatbelts
106. Monthly US Stock Returns (1931-2002, Stock & Watson)¶
- name
rdataset-aer-usstockssw
- reference
- R package
aer
- R Dataset
usstockssw
107. Artificial Weak Instrument Data¶
- name
rdataset-aer-weakinstrument
- reference
- R package
aer
- R Dataset
weakinstrument
108. Antibiotics against Shipping Fever in Calves¶
- name
rdataset-aod-antibio
- reference
- R package
aod
- R Dataset
antibio
109. Age, Period and Cohort Effects for Vital Rates¶
- name
rdataset-aod-cohorts
- reference
- R package
aod
- R Dataset
cohorts
110. Mortality of Djallonke Lambs in Senegal¶
- name
rdataset-aod-dja
- reference
- R package
aod
- R Dataset
dja
111. A Comparison of Site Preferences of Two Species of Lizard¶
- name
rdataset-aod-lizards
- reference
- R package
aod
- R Dataset
lizards
112. Pregnant Female Mice Experiment¶
- name
rdataset-aod-mice
- reference
- R package
aod
- R Dataset
mice
113. Germination Data¶
- name
rdataset-aod-orob1
- reference
- R package
aod
- R Dataset
orob1
114. Germination Data¶
- name
rdataset-aod-orob2
- reference
- R package
aod
- R Dataset
orob2
115. Rabbits Foetuses Survival Experiment¶
- name
rdataset-aod-rabbits
- reference
- R package
aod
- R Dataset
rabbits
116. Rats Diet Experiment¶
- name
rdataset-aod-rats
- reference
- R package
aod
- R Dataset
rats
117. Salmonella Reverse Mutagenicity Assay¶
- name
rdataset-aod-salmonella
- reference
- R package
aod
- R Dataset
salmonella
118. ashkenazi¶
- name
rdataset-asaur-ashkenazi
- reference
- R package
asaur
- R Dataset
ashkenazi
119. Channing House Data¶
- name
rdataset-asaur-channinghouse
- reference
- R package
asaur
- R Dataset
channinghouse
120. gasticXelox¶
- name
rdataset-asaur-gastricxelox
- reference
- R package
asaur
- R Dataset
gastricxelox
121. hepatoCellular¶
- name
rdataset-asaur-hepatocellular
- reference
- R package
asaur
- R Dataset
hepatocellular
122. pancreatic¶
- name
rdataset-asaur-pancreatic
- reference
- R package
asaur
- R Dataset
pancreatic
123. pancreatic2¶
- name
rdataset-asaur-pancreatic2
- reference
- R package
asaur
- R Dataset
pancreatic2
124. pharmacoSmoking¶
- name
rdataset-asaur-pharmacosmoking
- reference
- R package
asaur
- R Dataset
pharmacosmoking
125. prostateSurvival¶
- name
rdataset-asaur-prostatesurvival
- reference
- R package
asaur
- R Dataset
prostatesurvival
126. Bakers¶
- name
rdataset-bakeoff-bakers (data)
- reference
- R package
bakeoff
- R Dataset
bakers (data)
127. Bakers (raw)¶
- name
rdataset-bakeoff-bakers_raw (data)
- reference
- R package
bakeoff
- R Dataset
bakers_raw (data)
128. Bakes (raw)¶
- name
rdataset-bakeoff-bakes_raw (data)
- reference
- R package
bakeoff
- R Dataset
bakes_raw (data)
129. Challenges¶
- name
rdataset-bakeoff-challenges (data)
- reference
- R package
bakeoff
- R Dataset
challenges (data)
130. Episodes¶
- name
rdataset-bakeoff-episodes (data)
- reference
- R package
bakeoff
- R Dataset
episodes (data)
131. Each episodes’ challenges (raw)¶
- name
rdataset-bakeoff-episodes_raw (data)
- reference
- R package
bakeoff
- R Dataset
episodes_raw (data)
132. Ratings¶
- name
rdataset-bakeoff-ratings (data)
- reference
- R package
bakeoff
- R Dataset
ratings (data)
133. Each episode’s ratings (raw)¶
- name
rdataset-bakeoff-ratings_raw (data)
- reference
- R package
bakeoff
- R Dataset
ratings_raw (data)
134. Each baker’s results by episode (raw)¶
- name
rdataset-bakeoff-results_raw (data)
- reference
- R package
bakeoff
- R Dataset
results_raw (data)
135. Data about each season aired in the US (raw)¶
- name
rdataset-bakeoff-seasons_raw (data)
- reference
- R package
bakeoff
- R Dataset
seasons_raw (data)
136. Data about each series aired in the UK (raw)¶
- name
rdataset-bakeoff-series_raw (data)
- reference
- R package
bakeoff
- R Dataset
series_raw (data)
137. Spice Test¶
- name
rdataset-bakeoff-spice_test_wide (data)
- reference
- R package
bakeoff
- R Dataset
spice_test_wide (data)
138. Partition-primed Probability Judgement Task for Car Dealership¶
- name
rdataset-betareg-cartask
- reference
- R package
betareg
- R Dataset
cartask
139. Proportion of Household Income Spent on Food¶
- name
rdataset-betareg-foodexpenditure
- reference
- R package
betareg
- R Dataset
foodexpenditure
140. Estimation of Gasoline Yields from Crude Oil¶
- name
rdataset-betareg-gasolineyield
- reference
- R package
betareg
- R Dataset
gasolineyield
141. Imprecise Probabilities for Sunday Weather and Boeing Stock Task¶
- name
rdataset-betareg-imprecisetask
- reference
- R package
betareg
- R Dataset
imprecisetask
142. Confidence of Mock Jurors in Their Verdicts¶
- name
rdataset-betareg-mockjurors
- reference
- R package
betareg
- R Dataset
mockjurors
143. Dyslexia and IQ Predicting Reading Accuracy¶
- name
rdataset-betareg-readingskills
- reference
- R package
betareg
- R Dataset
readingskills
144. Dependency of Anxiety on Stress¶
- name
rdataset-betareg-stressanxiety
- reference
- R package
betareg
- R Dataset
stressanxiety
145. Weather Task With Priming and Precise and Imprecise Probabilities¶
- name
rdataset-betareg-weathertask
- reference
- R package
betareg
- R Dataset
weathertask
146. Monthly Excess Returns¶
- name
rdataset-boot-acme
- reference
- R package
boot
- R Dataset
acme
147. Delay in AIDS Reporting in England and Wales¶
- name
rdataset-boot-aids
- reference
- R package
boot
- R Dataset
aids
148. Failures of Air-conditioning Equipment¶
- name
rdataset-boot-aircondit
- reference
- R package
boot
- R Dataset
aircondit
149. Failures of Air-conditioning Equipment¶
- name
rdataset-boot-aircondit7
- reference
- R package
boot
- R Dataset
aircondit7
150. Car Speeding and Warning Signs¶
- name
rdataset-boot-amis
- reference
- R package
boot
- R Dataset
amis
151. Remission Times for Acute Myelogenous Leukaemia¶
- name
rdataset-boot-aml
- reference
- R package
boot
- R Dataset
aml
152. Beaver Body Temperature Data¶
- name
rdataset-boot-beaver
- reference
- R package
boot
- R Dataset
beaver
153. Population of U.S. Cities¶
- name
rdataset-boot-bigcity
- reference
- R package
boot
- R Dataset
bigcity
154. Spatial Location of Bramble Canes¶
- name
rdataset-boot-brambles
- reference
- R package
boot
- R Dataset
brambles
155. Smoking Deaths Among Doctors¶
- name
rdataset-boot-breslow
- reference
- R package
boot
- R Dataset
breslow
156. Calcium Uptake Data¶
- name
rdataset-boot-calcium
- reference
- R package
boot
- R Dataset
calcium
157. Sugar-cane Disease Data¶
- name
rdataset-boot-cane
- reference
- R package
boot
- R Dataset
cane
158. Simulated Manufacturing Process Data¶
- name
rdataset-boot-capability
- reference
- R package
boot
- R Dataset
capability
159. Weight Data for Domestic Cats¶
- name
rdataset-boot-catsm
- reference
- R package
boot
- R Dataset
catsm
160. Position of Muscle Caveolae¶
- name
rdataset-boot-cav
- reference
- R package
boot
- R Dataset
cav
161. CD4 Counts for HIV-Positive Patients¶
- name
rdataset-boot-cd4
- reference
- R package
boot
- R Dataset
cd4
162. Channing House Data¶
- name
rdataset-boot-channing
- reference
- R package
boot
- R Dataset
channing
163. Population of U.S. Cities¶
- name
rdataset-boot-city
- reference
- R package
boot
- R Dataset
city
164. Genetic Links to Left-handedness¶
- name
rdataset-boot-claridge
- reference
- R package
boot
- R Dataset
claridge
165. Number of Flaws in Cloth¶
- name
rdataset-boot-cloth
- reference
- R package
boot
- R Dataset
cloth
166. Carbon Monoxide Transfer¶
- name
rdataset-boot-co.transfer
- reference
- R package
boot
- R Dataset
co.transfer
167. Dates of Coal Mining Disasters¶
- name
rdataset-boot-coal
- reference
- R package
boot
- R Dataset
coal
168. Darwin’s Plant Height Differences¶
- name
rdataset-boot-darwin
- reference
- R package
boot
- R Dataset
darwin
169. Cardiac Data for Domestic Dogs¶
- name
rdataset-boot-dogs
- reference
- R package
boot
- R Dataset
dogs
170. Incidence of Down’s Syndrome in British Columbia¶
- name
rdataset-boot-downs.bc
- reference
- R package
boot
- R Dataset
downs.bc
171. Behavioral and Plumage Characteristics of Hybrid Ducks¶
- name
rdataset-boot-ducks
- reference
- R package
boot
- R Dataset
ducks
172. Counts of Balsam-fir Seedlings¶
- name
rdataset-boot-fir
- reference
- R package
boot
- R Dataset
fir
173. Head Dimensions in Brothers¶
- name
rdataset-boot-frets
- reference
- R package
boot
- R Dataset
frets
174. Acceleration Due to Gravity¶
- name
rdataset-boot-grav
- reference
- R package
boot
- R Dataset
grav
175. Acceleration Due to Gravity¶
- name
rdataset-boot-gravity
- reference
- R package
boot
- R Dataset
gravity
176. Failure Time of PET Film¶
- name
rdataset-boot-hirose
- reference
- R package
boot
- R Dataset
hirose
177. Jura Quartzite Azimuths on Islay¶
- name
rdataset-boot-islay
- reference
- R package
boot
- R Dataset
islay
178. Average Heights of the Rio Negro river at Manaus¶
- name
rdataset-boot-manaus
- reference
- R package
boot
- R Dataset
manaus
179. Survival from Malignant Melanoma¶
- name
rdataset-boot-melanoma
- reference
- R package
boot
- R Dataset
melanoma
180. Data from a Simulated Motorcycle Accident¶
- name
rdataset-boot-motor
- reference
- R package
boot
- R Dataset
motor
181. Neurophysiological Point Process Data¶
- name
rdataset-boot-neuro
- reference
- R package
boot
- R Dataset
neuro
182. Toxicity of Nitrofen in Aquatic Systems¶
- name
rdataset-boot-nitrofen
- reference
- R package
boot
- R Dataset
nitrofen
183. Nodal Involvement in Prostate Cancer¶
- name
rdataset-boot-nodal
- reference
- R package
boot
- R Dataset
nodal
184. Nuclear Power Station Construction Data¶
- name
rdataset-boot-nuclear
- reference
- R package
boot
- R Dataset
nuclear
185. Neurotransmission in Guinea Pig Brains¶
- name
rdataset-boot-paulsen
- reference
- R package
boot
- R Dataset
paulsen
186. Animal Survival Times¶
- name
rdataset-boot-poisons
- reference
- R package
boot
- R Dataset
poisons
187. Pole Positions of New Caledonian Laterites¶
- name
rdataset-boot-polar
- reference
- R package
boot
- R Dataset
polar
188. Cancer Remission and Cell Activity¶
- name
rdataset-boot-remission
- reference
- R package
boot
- R Dataset
remission
189. Water Salinity and River Discharge¶
- name
rdataset-boot-salinity
- reference
- R package
boot
- R Dataset
salinity
190. Survival of Rats after Radiation Doses¶
- name
rdataset-boot-survival
- reference
- R package
boot
- R Dataset
survival
191. Tau Particle Decay Modes¶
- name
rdataset-boot-tau
- reference
- R package
boot
- R Dataset
tau
192. Tuna Sighting Data¶
- name
rdataset-boot-tuna
- reference
- R package
boot
- R Dataset
tuna
193. Urine Analysis Data¶
- name
rdataset-boot-urine
- reference
- R package
boot
- R Dataset
urine
194. Australian Relative Wool Prices¶
- name
rdataset-boot-wool
- reference
- R package
boot
- R Dataset
wool
195. Experimenter Expectations¶
- name
rdataset-cardata-adler
- reference
- R package
cardata
- R Dataset
adler
196. American Math Society Survey Data¶
- name
rdataset-cardata-amssurvey
- reference
- R package
cardata
- R Dataset
amssurvey
197. Moral Integration of American Cities¶
- name
rdataset-cardata-angell
- reference
- R package
cardata
- R Dataset
angell
198. U. S. State Public-School Expenditures¶
- name
rdataset-cardata-anscombe
- reference
- R package
cardata
- R Dataset
anscombe
199. Arrests for Marijuana Possession¶
- name
rdataset-cardata-arrests
- reference
- R package
cardata
- R Dataset
arrests
200. Methods of Teaching Reading Comprehension¶
- name
rdataset-cardata-baumann
- reference
- R package
cardata
- R Dataset
baumann
201. British Election Panel Study¶
- name
rdataset-cardata-beps
- reference
- R package
cardata
- R Dataset
beps
202. Canadian Women’s Labour-Force Participation¶
- name
rdataset-cardata-bfox
- reference
- R package
cardata
- R Dataset
bfox
203. Exercise Histories of Eating-Disordered and Control Subjects¶
- name
rdataset-cardata-blackmore
- reference
- R package
cardata
- R Dataset
blackmore
204. Fraudulent Data on IQs of Twins Raised Apart¶
- name
rdataset-cardata-burt
- reference
- R package
cardata
- R Dataset
burt
205. Canadian Population Data¶
- name
rdataset-cardata-canpop
- reference
- R package
cardata
- R Dataset
canpop
206. 2011 Canadian National Election Study, With Attitude Toward Abortion¶
- name
rdataset-cardata-ces11
- reference
- R package
cardata
- R Dataset
ces11
207. Voting Intentions in the 1988 Chilean Plebiscite¶
- name
rdataset-cardata-chile
- reference
- R package
cardata
- R Dataset
chile
208. The 1907 Romanian Peasant Rebellion¶
- name
rdataset-cardata-chirot
- reference
- R package
cardata
- R Dataset
chirot
209. Cowles and Davis’s Data on Volunteering¶
- name
rdataset-cardata-cowles
- reference
- R package
cardata
- R Dataset
cowles
210. Self-Reports of Height and Weight¶
- name
rdataset-cardata-davis
- reference
- R package
cardata
- R Dataset
davis
211. Davis’s Data on Drive for Thinness¶
- name
rdataset-cardata-davisthin
- reference
- R package
cardata
- R Dataset
davisthin
212. Minnesota Wolf Depredation Data¶
- name
rdataset-cardata-depredations
- reference
- R package
cardata
- R Dataset
depredations
213. Duncan’s Occupational Prestige Data¶
- name
rdataset-cardata-duncan
- reference
- R package
cardata
- R Dataset
duncan
214. The 1980 U.S. Census Undercount¶
- name
rdataset-cardata-ericksen
- reference
- R package
cardata
- R Dataset
ericksen
215. Florida County Voting¶
- name
rdataset-cardata-florida
- reference
- R package
cardata
- R Dataset
florida
216. Crowding and Crime in U. S. Metropolitan Areas¶
- name
rdataset-cardata-freedman
- reference
- R package
cardata
- R Dataset
freedman
217. Format Effects on Recall¶
- name
rdataset-cardata-friendly
- reference
- R package
cardata
- R Dataset
friendly
218. Data on Depression¶
- name
rdataset-cardata-ginzberg
- reference
- R package
cardata
- R Dataset
ginzberg
219. Refugee Appeals¶
- name
rdataset-cardata-greene
- reference
- R package
cardata
- R Dataset
greene
221. Anonymity and Cooperation¶
- name
rdataset-cardata-guyer
- reference
- R package
cardata
- R Dataset
guyer
222. Canadian Crime-Rates Time Series¶
- name
rdataset-cardata-hartnagel
- reference
- R package
cardata
- R Dataset
hartnagel
223. Highway Accidents¶
- name
rdataset-cardata-highway1
- reference
- R package
cardata
- R Dataset
highway1
224. Treatment of Migraine Headaches¶
- name
rdataset-cardata-kosteckidillon
- reference
- R package
cardata
- R Dataset
kosteckidillon
225. Data on Infant-Mortality¶
- name
rdataset-cardata-leinhardt
- reference
- R package
cardata
- R Dataset
leinhardt
226. Cancer drug data use to provide an example of the use of the skew power distributions.¶
- name
rdataset-cardata-lobd
- reference
- R package
cardata
- R Dataset
lobd
227. Contrived Collinear Data¶
- name
rdataset-cardata-mandel
- reference
- R package
cardata
- R Dataset
mandel
228. Canadian Interprovincial Migration Data¶
- name
rdataset-cardata-migration
- reference
- R package
cardata
- R Dataset
migration
230. Minneapolis Demographic Data 2015, by Neighborhood¶
- name
rdataset-cardata-mplsdemo
- reference
- R package
cardata
- R Dataset
mplsdemo
231. Minneapolis Police Department 2017 Stop Data¶
- name
rdataset-cardata-mplsstops
- reference
- R package
cardata
- R Dataset
mplsstops
232. U.S. Women’s Labor-Force Participation¶
- name
rdataset-cardata-mroz
- reference
- R package
cardata
- R Dataset
mroz
233. O’Brien and Kaiser’s Repeated-Measures Data¶
- name
rdataset-cardata-obrienkaiser
- reference
- R package
cardata
- R Dataset
obrienkaiser
234. O’Brien and Kaiser’s Repeated-Measures Data in “Long” Format¶
- name
rdataset-cardata-obrienkaiserlong
- reference
- R package
cardata
- R Dataset
obrienkaiserlong
235. Interlocking Directorates Among Major Canadian Firms¶
- name
rdataset-cardata-ornstein
- reference
- R package
cardata
- R Dataset
ornstein
236. Chemical Composition of Pottery¶
- name
rdataset-cardata-pottery
- reference
- R package
cardata
- R Dataset
pottery
237. Prestige of Canadian Occupations¶
- name
rdataset-cardata-prestige
- reference
- R package
cardata
- R Dataset
prestige
238. Four Regression Datasets¶
- name
rdataset-cardata-quartet
- reference
- R package
cardata
- R Dataset
quartet
239. Fertility and Contraception¶
- name
rdataset-cardata-robey
- reference
- R package
cardata
- R Dataset
robey
240. Rossi et al.’s Criminal Recidivism Data¶
- name
rdataset-cardata-rossi
- reference
- R package
cardata
- R Dataset
rossi
241. Agricultural Production in Mazulu Village¶
- name
rdataset-cardata-sahlins
- reference
- R package
cardata
- R Dataset
sahlins
242. Salaries for Professors¶
- name
rdataset-cardata-salaries
- reference
- R package
cardata
- R Dataset
salaries
243. Survey of Labour and Income Dynamics¶
- name
rdataset-cardata-slid
- reference
- R package
cardata
- R Dataset
slid
244. Soil Compositions of Physical and Chemical Characteristics¶
- name
rdataset-cardata-soils
- reference
- R package
cardata
- R Dataset
soils
246. Survival of Passengers on the Titanic¶
- name
rdataset-cardata-titanicsurvival
- reference
- R package
cardata
- R Dataset
titanicsurvival
247. Transaction data¶
- name
rdataset-cardata-transact
- reference
- R package
cardata
- R Dataset
transact
248. National Statistics from the United Nations, Mostly From 2009-2011¶
- name
rdataset-cardata-un
- reference
- R package
cardata
- R Dataset
un
250. Population of the United States¶
- name
rdataset-cardata-uspop
- reference
- R package
cardata
- R Dataset
uspop
251. Vocabulary and Education¶
- name
rdataset-cardata-vocab
- reference
- R package
cardata
- R Dataset
vocab
252. Weight Loss Data¶
- name
rdataset-cardata-weightloss
- reference
- R package
cardata
- R Dataset
weightloss
253. Well Switching in Bangladesh¶
- name
rdataset-cardata-wells
- reference
- R package
cardata
- R Dataset
wells
254. Canadian Women’s Labour-Force Participation¶
- name
rdataset-cardata-womenlf
- reference
- R package
cardata
- R Dataset
womenlf
255. Post-Coma Recovery of IQ¶
- name
rdataset-cardata-wong
- reference
- R package
cardata
- R Dataset
wong
256. Wool data¶
- name
rdataset-cardata-wool
- reference
- R package
cardata
- R Dataset
wool
257. World Values Surveys¶
- name
rdataset-cardata-wvs
- reference
- R package
cardata
- R Dataset
wvs
258. Data on abortion legalization and sexually transmitted infections¶
- name
rdataset-causaldata-abortion
- reference
- R package
causaldata
- R Dataset
abortion
259. Data from a survey of internet-mediated sex workers¶
- name
rdataset-causaldata-adult_services
- reference
- R package
causaldata
- R Dataset
adult_services
260. Automobile data from Stata¶
- name
rdataset-causaldata-auto
- reference
- R package
causaldata
- R Dataset
auto
261. Data on avocado sales¶
- name
rdataset-causaldata-avocado
- reference
- R package
causaldata
- R Dataset
avocado
262. Data from “Black Politicians are More Intrinsically Motivated to Advance Blacks’ Interests”¶
- name
rdataset-causaldata-black_politicians
- reference
- R package
causaldata
- R Dataset
black_politicians
263. Data on castle-doctrine statutes and violent crime¶
- name
rdataset-causaldata-castle
- reference
- R package
causaldata
- R Dataset
castle
264. Data from Card (1995) to estimate the effect of college education on earnings¶
- name
rdataset-causaldata-close_college
- reference
- R package
causaldata
- R Dataset
close_college
265. A close-elections regression discontinuity study from Lee, Moretti, and Butler (2004)¶
- name
rdataset-causaldata-close_elections_lmb
- reference
- R package
causaldata
- R Dataset
close_elections_lmb
266. Observational counterpart to nsw_mixtape data¶
- name
rdataset-causaldata-cps_mixtape
- reference
- R package
causaldata
- R Dataset
cps_mixtape
267. Data on Taiwanese Credit Card Holders¶
- name
rdataset-causaldata-credit_cards
- reference
- R package
causaldata
- R Dataset
credit_cards
268. Gapminder data¶
- name
rdataset-causaldata-gapminder
- reference
- R package
causaldata
- R Dataset
gapminder
269. Google Stock Data¶
- name
rdataset-causaldata-google_stock
- reference
- R package
causaldata
- R Dataset
google_stock
270. Data from “Government Transfers and Political Support”¶
- name
rdataset-causaldata-gov_transfers
- reference
- R package
causaldata
- R Dataset
gov_transfers
271. Data from “Government Transfers and Political Support” for Density Tests¶
- name
rdataset-causaldata-gov_transfers_density
- reference
- R package
causaldata
- R Dataset
gov_transfers_density
272. Data from a fictional randomized heart transplant study¶
- name
rdataset-causaldata-greek_data
- reference
- R package
causaldata
- R Dataset
greek_data
273. Data from “How do Mortgage Subsidies Affect Home Ownership? Evidence from the Mid-Century GI Bills”¶
- name
rdataset-causaldata-mortgages
- reference
- R package
causaldata
- R Dataset
mortgages
274. U.S. Women’s Labor-Force Participation¶
- name
rdataset-causaldata-mroz
- reference
- R package
causaldata
- R Dataset
mroz
275. National Health and Nutrition Examination Survey Data I Epidemiologic Follow-up Study¶
- name
rdataset-causaldata-nhefs
- reference
- R package
causaldata
- R Dataset
nhefs
276. NHEFS Codebook¶
- name
rdataset-causaldata-nhefs_codebook
- reference
- R package
causaldata
- R Dataset
nhefs_codebook
277. Complete-Data National Health and Nutrition Examination Survey Data I Epidemiologic Follow-up Study¶
- name
rdataset-causaldata-nhefs_complete
- reference
- R package
causaldata
- R Dataset
nhefs_complete
278. Data from the National Supported Work Demonstration (NSW) job-training program¶
- name
rdataset-causaldata-nsw_mixtape
- reference
- R package
causaldata
- R Dataset
nsw_mixtape
279. Organ Donation Data¶
- name
rdataset-causaldata-organ_donations
- reference
- R package
causaldata
- R Dataset
organ_donations
280. Data on Restaurant Inspections¶
- name
rdataset-causaldata-restaurant_inspections
- reference
- R package
causaldata
- R Dataset
restaurant_inspections
281. A simple simulated data set for calculating p-values¶
- name
rdataset-causaldata-ri
- reference
- R package
causaldata
- R Dataset
ri
282. Earnings and Loan Repayment in US Four-Year Colleges¶
- name
rdataset-causaldata-scorecard
- reference
- R package
causaldata
- R Dataset
scorecard
283. Data from John Snow’s 1855 study of the cause of cholera¶
- name
rdataset-causaldata-snow
- reference
- R package
causaldata
- R Dataset
snow
285. Data on prison capacity expansion in Texas¶
- name
rdataset-causaldata-texas
- reference
- R package
causaldata
- R Dataset
texas
286. Data from HIV information experiment in Thornton (2008)¶
- name
rdataset-causaldata-thornton_hiv
- reference
- R package
causaldata
- R Dataset
thornton_hiv
287. Data from the sinking of the Titanic¶
- name
rdataset-causaldata-titanic
- reference
- R package
causaldata
- R Dataset
titanic
288. Simulated data from a job training program for a bias reduction method¶
- name
rdataset-causaldata-training_bias_reduction
- reference
- R package
causaldata
- R Dataset
training_bias_reduction
289. Simulated data from a job training program¶
- name
rdataset-causaldata-training_example
- reference
- R package
causaldata
- R Dataset
training_example
290. Data on 19th century English Poverty from Yule (1899)¶
- name
rdataset-causaldata-yule
- reference
- R package
causaldata
- R Dataset
yule
291. European Union Agricultural Workforces¶
- name
rdataset-cluster-agriculture
- reference
- R package
cluster
- R Dataset
agriculture
292. Attributes of Animals¶
- name
rdataset-cluster-animals
- reference
- R package
cluster
- R Dataset
animals
293. Subset of C-horizon of Kola Data¶
- name
rdataset-cluster-chorsub
- reference
- R package
cluster
- R Dataset
chorsub
294. Flower Characteristics¶
- name
rdataset-cluster-flower
- reference
- R package
cluster
- R Dataset
flower
295. Plant Species Traits Data¶
- name
rdataset-cluster-planttraits
- reference
- R package
cluster
- R Dataset
planttraits
296. Isotopic Composition Plutonium Batches¶
- name
rdataset-cluster-pluton
- reference
- R package
cluster
- R Dataset
pluton
297. Ruspini Data¶
- name
rdataset-cluster-ruspini
- reference
- R package
cluster
- R Dataset
ruspini
298. Votes for Republican Candidate in Presidential Elections¶
- name
rdataset-cluster-votes.repub
- reference
- R package
cluster
- R Dataset
votes.repub
299. Bivariate Data Set with 3 Clusters¶
- name
rdataset-cluster-xclara
- reference
- R package
cluster
- R Dataset
xclara
300. affairs¶
- name
rdataset-count-affairs
- reference
- R package
count
- R Dataset
affairs
301. azcabgptca¶
- name
rdataset-count-azcabgptca
- reference
- R package
count
- R Dataset
azcabgptca
302. azdrg112¶
- name
rdataset-count-azdrg112
- reference
- R package
count
- R Dataset
azdrg112
303. azpro¶
- name
rdataset-count-azpro
- reference
- R package
count
- R Dataset
azpro
304. azprocedure¶
- name
rdataset-count-azprocedure
- reference
- R package
count
- R Dataset
azprocedure
305. badhealth¶
- name
rdataset-count-badhealth
- reference
- R package
count
- R Dataset
badhealth
306. fasttrakg¶
- name
rdataset-count-fasttrakg
- reference
- R package
count
- R Dataset
fasttrakg
307. fishing¶
- name
rdataset-count-fishing
- reference
- R package
count
- R Dataset
fishing
308. lbw¶
- name
rdataset-count-lbw
- reference
- R package
count
- R Dataset
lbw
309. lbwgrp¶
- name
rdataset-count-lbwgrp
- reference
- R package
count
- R Dataset
lbwgrp
310. loomis¶
- name
rdataset-count-loomis
- reference
- R package
count
- R Dataset
loomis
311. mdvis¶
- name
rdataset-count-mdvis
- reference
- R package
count
- R Dataset
mdvis
312. medpar¶
- name
rdataset-count-medpar
- reference
- R package
count
- R Dataset
medpar
313. nuts¶
- name
rdataset-count-nuts
- reference
- R package
count
- R Dataset
nuts
314. rwm¶
- name
rdataset-count-rwm
- reference
- R package
count
- R Dataset
rwm
315. rwm1984¶
- name
rdataset-count-rwm1984
- reference
- R package
count
- R Dataset
rwm1984
316. rwm5yr¶
- name
rdataset-count-rwm5yr
- reference
- R package
count
- R Dataset
rwm5yr
317. ships¶
- name
rdataset-count-ships
- reference
- R package
count
- R Dataset
ships
318. smoking¶
- name
rdataset-count-smoking
- reference
- R package
count
- R Dataset
smoking
319. titanic¶
- name
rdataset-count-titanic
- reference
- R package
count
- R Dataset
titanic
320. titanicgrp¶
- name
rdataset-count-titanicgrp
- reference
- R package
count
- R Dataset
titanicgrp
321. Precipitation Observations and Forecasts for Innsbruck¶
- name
rdataset-crch-rainibk
- reference
- R package
crch
- R Dataset
rainibk
322. Aberrant Crypt Foci in Rat Colons¶
- name
rdataset-daag-acf1
- reference
- R package
daag
- R Dataset
acf1
323. Australian athletes data set¶
- name
rdataset-daag-ais
- reference
- R package
daag
- R Dataset
ais
324. Measurements on a Selection of Books¶
- name
rdataset-daag-allbacks
- reference
- R package
daag
- R Dataset
allbacks
325. Anesthetic Effectiveness¶
- name
rdataset-daag-anesthetic
- reference
- R package
daag
- R Dataset
anesthetic
326. Averages by block of yields for the Antigua Corn data¶
- name
rdataset-daag-ant111b
- reference
- R package
daag
- R Dataset
ant111b
327. Averages by block of yields for the Antigua Corn data¶
- name
rdataset-daag-antigua
- reference
- R package
daag
- R Dataset
antigua
328. Tasting experiment that compared four apple varieties¶
- name
rdataset-daag-appletaste
- reference
- R package
daag
- R Dataset
appletaste
329. Latitudes and longitudes for ten Australian cities¶
- name
rdataset-daag-aulatlong
- reference
- R package
daag
- R Dataset
aulatlong
330. Population figures for Australian States and Territories¶
- name
rdataset-daag-austpop
- reference
- R package
daag
- R Dataset
austpop
331. Biomass Data¶
- name
rdataset-daag-biomass
- reference
- R package
daag
- R Dataset
biomass
333. Australian and Related Historical Annual Climate Data, by Region¶
- name
rdataset-daag-bomregions2018
- reference
- R package
daag
- R Dataset
bomregions2018
334. Australian and Related Historical Annual Climate Data, by Region¶
- name
rdataset-daag-bomregions2021
- reference
- R package
daag
- R Dataset
bomregions2021
335. Southern Oscillation Index Data¶
- name
rdataset-daag-bomsoi
- reference
- R package
daag
- R Dataset
bomsoi
336. Boston Housing Data - Corrected¶
- name
rdataset-daag-bostonc
- reference
- R package
daag
- R Dataset
bostonc
337. US Car Price Data¶
- name
rdataset-daag-carprice
- reference
- R package
daag
- R Dataset
carprice
338. A Summary of the Cars93 Data set¶
- name
rdataset-daag-cars93.summary
- reference
- R package
daag
- R Dataset
cars93.summary
339. Percentage of Sugar in Breakfast Cereal¶
- name
rdataset-daag-cerealsugar
- reference
- R package
daag
- R Dataset
cerealsugar
340. Cape Fur Seal Data¶
- name
rdataset-daag-cfseal
- reference
- R package
daag
- R Dataset
cfseal
341. Populations of Major Canadian Cities (1992-96)¶
- name
rdataset-daag-cities
- reference
- R package
daag
- R Dataset
cities
342. Dose-mortality data, for fumigation of codling moth with methyl bromide¶
- name
rdataset-daag-codling
- reference
- R package
daag
- R Dataset
codling
343. P-values from biological expression array data¶
- name
rdataset-daag-coralpval
- reference
- R package
daag
- R Dataset
coralpval
344. Occupation and wage profiles of British cotton workers¶
- name
rdataset-daag-cottonworkers
- reference
- R package
daag
- R Dataset
cottonworkers
345. Labour Training Evaluation Data¶
- name
rdataset-daag-cps1
- reference
- R package
daag
- R Dataset
cps1
346. Labour Training Evaluation Data¶
- name
rdataset-daag-cps2
- reference
- R package
daag
- R Dataset
cps2
347. Labour Training Evaluation Data¶
- name
rdataset-daag-cps3
- reference
- R package
daag
- R Dataset
cps3
348. Lifespans of UK 1st class cricketers born 1840-1960¶
- name
rdataset-daag-cricketer
- reference
- R package
daag
- R Dataset
cricketer
349. Comparison of cuckoo eggs with host eggs¶
- name
rdataset-daag-cuckoohosts
- reference
- R package
daag
- R Dataset
cuckoohosts
350. Cuckoo Eggs Data¶
- name
rdataset-daag-cuckoos
- reference
- R package
daag
- R Dataset
cuckoos
351. Dengue prevalence, by administrative region¶
- name
rdataset-daag-dengue
- reference
- R package
daag
- R Dataset
dengue
352. Dewpoint Data¶
- name
rdataset-daag-dewpoint
- reference
- R package
daag
- R Dataset
dewpoint
353. Periods Between Rain Events¶
- name
rdataset-daag-droughts
- reference
- R package
daag
- R Dataset
droughts
354. EPICA Dome C Ice Core 800KYr Carbon Dioxide Data¶
- name
rdataset-daag-edcco2
- reference
- R package
daag
- R Dataset
edcco2
355. EPICA Dome C Ice Core 800KYr Temperature Estimates¶
- name
rdataset-daag-edct
- reference
- R package
daag
- R Dataset
edct
356. Elastic Band Data Replicated¶
- name
rdataset-daag-elastic1
- reference
- R package
daag
- R Dataset
elastic1
357. Elastic Band Data Replicated¶
- name
rdataset-daag-elastic2
- reference
- R package
daag
- R Dataset
elastic2
358. Elastic Band Data¶
- name
rdataset-daag-elasticband
- reference
- R package
daag
- R Dataset
elasticband
359. Fossil Fuel Data¶
- name
rdataset-daag-fossilfuel
- reference
- R package
daag
- R Dataset
fossilfuel
360. Possum Measurements¶
- name
rdataset-daag-fossum
- reference
- R package
daag
- R Dataset
fossum
361. Frogs Data¶
- name
rdataset-daag-frogs
- reference
- R package
daag
- R Dataset
frogs
362. Frosted Flakes data¶
- name
rdataset-daag-frostedflakes
- reference
- R package
daag
- R Dataset
frostedflakes
363. Electrical Resistance of Kiwi Fruit¶
- name
rdataset-daag-fruitohms
- reference
- R package
daag
- R Dataset
fruitohms
364. Effect of pentazocine on post-operative pain (average VAS scores)¶
- name
rdataset-daag-gaba
- reference
- R package
daag
- R Dataset
gaba
365. Seismic Timing Data¶
- name
rdataset-daag-geophones
- reference
- R package
daag
- R Dataset
geophones
366. Yearly averages of Great Lake heights: 1918 - 2009¶
- name
rdataset-daag-greatlakes
- reference
- R package
daag
- R Dataset
greatlakes
367. Alcohol consumption in Australia and New Zealand¶
- name
rdataset-daag-grog
- reference
- R package
daag
- R Dataset
grog
368. Minor Head Injury (Simulated) Data¶
- name
rdataset-daag-headinjury
- reference
- R package
daag
- R Dataset
headinjury
369. Scottish Hill Races Data¶
- name
rdataset-daag-hills
- reference
- R package
daag
- R Dataset
hills
370. Scottish Hill Races Data¶
- name
rdataset-daag-hills2000
- reference
- R package
daag
- R Dataset
hills2000
371. Hawaian island chain hotspot Potassium-Argon ages¶
- name
rdataset-daag-hotspots
- reference
- R package
daag
- R Dataset
hotspots
372. Hawaian island chain hotspot Argon-Argon ages¶
- name
rdataset-daag-hotspots2006
- reference
- R package
daag
- R Dataset
hotspots2006
373. Aranda House Prices¶
- name
rdataset-daag-houseprices
- reference
- R package
daag
- R Dataset
houseprices
374. Oxygen uptake versus mechanical power, for humans¶
- name
rdataset-daag-humanpower1
- reference
- R package
daag
- R Dataset
humanpower1
375. Oxygen uptake versus mechanical power, for humans¶
- name
rdataset-daag-humanpower2
- reference
- R package
daag
- R Dataset
humanpower2
376. Named US Atlantic Hurricanes¶
- name
rdataset-daag-hurricnamed
- reference
- R package
daag
- R Dataset
hurricnamed
377. Blood pressure versus Salt; inter-population data¶
- name
rdataset-daag-intersalt
- reference
- R package
daag
- R Dataset
intersalt
378. Iron Content Measurements¶
- name
rdataset-daag-ironslag
- reference
- R package
daag
- R Dataset
ironslag
379. Canadian Labour Force Summary Data (1995-96)¶
- name
rdataset-daag-jobs
- reference
- R package
daag
- R Dataset
jobs
380. Kiwi Shading Data¶
- name
rdataset-daag-kiwishade
- reference
- R package
daag
- R Dataset
kiwishade
381. Full Leaf Shape Data Set¶
- name
rdataset-daag-leafshape
- reference
- R package
daag
- R Dataset
leafshape
382. Full Leaf Shape Data Set¶
- name
rdataset-daag-leafshape17
- reference
- R package
daag
- R Dataset
leafshape17
383. Leaf and Air Temperature Data¶
- name
rdataset-daag-leaftemp
- reference
- R package
daag
- R Dataset
leaftemp
384. Full Leaf and Air Temperature Data Set¶
- name
rdataset-daag-leaftemp.all
- reference
- R package
daag
- R Dataset
leaftemp.all
385. Mouse Litters¶
- name
rdataset-daag-litters
- reference
- R package
daag
- R Dataset
litters
386. Record times for Northern Ireland mountain running events¶
- name
rdataset-daag-lognihills
- reference
- R package
daag
- R Dataset
lognihills
387. Ontario Lottery Data¶
- name
rdataset-daag-lottario
- reference
- R package
daag
- R Dataset
lottario
388. Cape Fur Seal Lung Measurements¶
- name
rdataset-daag-lung
- reference
- R package
daag
- R Dataset
lung
389. The Nine Largest Lakes in Manitoba¶
- name
rdataset-daag-manitoba.lakes
- reference
- R package
daag
- R Dataset
manitoba.lakes
390. Murray-Darling basin monthly temperatures¶
- name
rdataset-daag-mdbavtjtod
- reference
- R package
daag
- R Dataset
mdbavtjtod
391. Deaths in London from measles¶
- name
rdataset-daag-measles
- reference
- R package
daag
- R Dataset
measles
392. Family Medical Expenses¶
- name
rdataset-daag-medexpenses
- reference
- R package
daag
- R Dataset
medexpenses
393. WHO Monica Data¶
- name
rdataset-daag-mifem
- reference
- R package
daag
- R Dataset
mifem
394. Darwin’s Wild Mignonette Data¶
- name
rdataset-daag-mignonette
- reference
- R package
daag
- R Dataset
mignonette
395. Milk Sweetness Study¶
- name
rdataset-daag-milk
- reference
- R package
daag
- R Dataset
milk
396. Model Car Data¶
- name
rdataset-daag-modelcars
- reference
- R package
daag
- R Dataset
modelcars
397. WHO Monica Data¶
- name
rdataset-daag-monica
- reference
- R package
daag
- R Dataset
monica
398. Moths Data¶
- name
rdataset-daag-moths
- reference
- R package
daag
- R Dataset
moths
399. Airbag and other influences on accident fatalities¶
- name
rdataset-daag-nasscds
- reference
- R package
daag
- R Dataset
nasscds
400. Documentation of names of columns in nass9702cor¶
- name
rdataset-daag-nasshead
- reference
- R package
daag
- R Dataset
nasshead
401. Record times for Northern Ireland mountain running events¶
- name
rdataset-daag-nihills
- reference
- R package
daag
- R Dataset
nihills
402. Labour Training Evaluation Data¶
- name
rdataset-daag-nsw74demo
- reference
- R package
daag
- R Dataset
nsw74demo
403. Labour Training Evaluation Data¶
- name
rdataset-daag-nsw74psid1
- reference
- R package
daag
- R Dataset
nsw74psid1
404. Labour Training Evaluation Data¶
- name
rdataset-daag-nsw74psid3
- reference
- R package
daag
- R Dataset
nsw74psid3
405. Labour Training Evaluation Data¶
- name
rdataset-daag-nsw74psida
- reference
- R package
daag
- R Dataset
nsw74psida
406. Labour Training Evaluation Data¶
- name
rdataset-daag-nswdemo
- reference
- R package
daag
- R Dataset
nswdemo
407. Labour Training Evaluation Data¶
- name
rdataset-daag-nswpsid1
- reference
- R package
daag
- R Dataset
nswpsid1
408. Measurements on 12 books¶
- name
rdataset-daag-oddbooks
- reference
- R package
daag
- R Dataset
oddbooks
409. Challenger O-rings Data¶
- name
rdataset-daag-orings
- reference
- R package
daag
- R Dataset
orings
410. Ozone Data¶
- name
rdataset-daag-ozone
- reference
- R package
daag
- R Dataset
ozone
411. Heated Elastic Bands¶
- name
rdataset-daag-pair65
- reference
- R package
daag
- R Dataset
pair65
412. Possum Measurements¶
- name
rdataset-daag-possum
- reference
- R package
daag
- R Dataset
possum
413. Possum Sites¶
- name
rdataset-daag-possumsites
- reference
- R package
daag
- R Dataset
possumsites
414. Deaths from various causes, in London from 1629 till 1881, with gaps¶
- name
rdataset-daag-poxetc
- reference
- R package
daag
- R Dataset
poxetc
415. Primate Body and Brain Weights¶
- name
rdataset-daag-primates
- reference
- R package
daag
- R Dataset
primates
416. Progression of Record times for track races, 1912 - 2008¶
- name
rdataset-daag-progression
- reference
- R package
daag
- R Dataset
progression
417. Labour Training Evaluation Data¶
- name
rdataset-daag-psid1
- reference
- R package
daag
- R Dataset
psid1
418. Labour Training Evaluation Data¶
- name
rdataset-daag-psid2
- reference
- R package
daag
- R Dataset
psid2
419. Labour Training Evaluation Data¶
- name
rdataset-daag-psid3
- reference
- R package
daag
- R Dataset
psid3
420. Scottish Hill Races Data - 2000¶
- name
rdataset-daag-races2000
- reference
- R package
daag
- R Dataset
races2000
421. Rainforest Data¶
- name
rdataset-daag-rainforest
- reference
- R package
daag
- R Dataset
rainforest
422. Rare and Endangered Plant Species¶
- name
rdataset-daag-rareplants
- reference
- R package
daag
- R Dataset
rareplants
423. Genetically Modified and Wild Type Rice Data¶
- name
rdataset-daag-rice
- reference
- R package
daag
- R Dataset
rice
424. Pacific Rock Art features¶
- name
rdataset-daag-rockart
- reference
- R package
daag
- R Dataset
rockart
425. Lawn Roller Data¶
- name
rdataset-daag-roller
- reference
- R package
daag
- R Dataset
roller
426. School Science Survey Data¶
- name
rdataset-daag-science
- reference
- R package
daag
- R Dataset
science
427. Barley Seeding Rate Data¶
- name
rdataset-daag-seedrates
- reference
- R package
daag
- R Dataset
seedrates
429. Measurements on a Selection of Paperback Books¶
- name
rdataset-daag-softbacks
- reference
- R package
daag
- R Dataset
softbacks
430. sorption data set¶
- name
rdataset-daag-sorption
- reference
- R package
daag
- R Dataset
sorption
431. Closing Numbers for S and P 500 Index¶
- name
rdataset-daag-sp500close
- reference
- R package
daag
- R Dataset
sp500close
432. Closing Numbers for S and P 500 Index - First 100 Days of 1990¶
- name
rdataset-daag-sp500w90
- reference
- R package
daag
- R Dataset
sp500w90
433. Spam E-mail Data¶
- name
rdataset-daag-spam7
- reference
- R package
daag
- R Dataset
spam7
434. Averages by block of yields for the St. Vincent Corn data¶
- name
rdataset-daag-stvincent
- reference
- R package
daag
- R Dataset
stvincent
435. Sugar Data¶
- name
rdataset-daag-sugar
- reference
- R package
daag
- R Dataset
sugar
436. Car Window Tinting Experiment Data¶
- name
rdataset-daag-tinting
- reference
- R package
daag
- R Dataset
tinting
437. Root weights of tomato plants exposed to 4 different treatments¶
- name
rdataset-daag-tomato
- reference
- R package
daag
- R Dataset
tomato
438. Toy Cars Data¶
- name
rdataset-daag-toycars
- reference
- R package
daag
- R Dataset
toycars
439. Averages by block of corn yields, for treatment 111 only¶
- name
rdataset-daag-vince111b
- reference
- R package
daag
- R Dataset
vince111b
440. Video Lottery Terminal Data¶
- name
rdataset-daag-vlt
- reference
- R package
daag
- R Dataset
vlt
441. Wages of Lancashire Cotton Factory Workers in 1833¶
- name
rdataset-daag-wages1833
- reference
- R package
daag
- R Dataset
wages1833
442. Deaths from whooping cough, in London¶
- name
rdataset-daag-whoops
- reference
- R package
daag
- R Dataset
whoops
443. Record times for track and road races, at August 9th 2006¶
- name
rdataset-daag-worldrecords
- reference
- R package
daag
- R Dataset
worldrecords
444. Ability and Intelligence Tests¶
- name
rdataset-datasets-ability.cov
- reference
- R package
datasets
- R Dataset
ability.cov
445. Passenger Miles on Commercial US Airlines, 1937-1960¶
- name
rdataset-datasets-airmiles
- reference
- R package
datasets
- R Dataset
airmiles
446. Monthly Airline Passenger Numbers 1949-1960¶
- name
rdataset-datasets-airpassengers
- reference
- R package
datasets
- R Dataset
airpassengers
447. New York Air Quality Measurements¶
- name
rdataset-datasets-airquality
- reference
- R package
datasets
- R Dataset
airquality
448. Anscombe’s Quartet of ‘Identical’ Simple Linear Regressions¶
- name
rdataset-datasets-anscombe
- reference
- R package
datasets
- R Dataset
anscombe
449. The Joyner-Boore Attenuation Data¶
- name
rdataset-datasets-attenu
- reference
- R package
datasets
- R Dataset
attenu
450. The Chatterjee-Price Attitude Data¶
- name
rdataset-datasets-attitude
- reference
- R package
datasets
- R Dataset
attitude
451. Quarterly Time Series of the Number of Australian Residents¶
- name
rdataset-datasets-austres
- reference
- R package
datasets
- R Dataset
austres
452. Body Temperature Series of Two Beavers¶
- name
rdataset-datasets-beaver1 (beavers)
- reference
- R package
datasets
- R Dataset
beaver1 (beavers)
453. Body Temperature Series of Two Beavers¶
- name
rdataset-datasets-beaver2 (beavers)
- reference
- R package
datasets
- R Dataset
beaver2 (beavers)
454. Sales Data with Leading Indicator¶
- name
rdataset-datasets-bjsales
- reference
- R package
datasets
- R Dataset
bjsales
455. Sales Data with Leading Indicator¶
- name
rdataset-datasets-bjsales.lead (bjsales)
- reference
- R package
datasets
- R Dataset
bjsales.lead (bjsales)
456. Biochemical Oxygen Demand¶
- name
rdataset-datasets-bod
- reference
- R package
datasets
- R Dataset
bod
457. Speed and Stopping Distances of Cars¶
- name
rdataset-datasets-cars
- reference
- R package
datasets
- R Dataset
cars
458. Weight versus age of chicks on different diets¶
- name
rdataset-datasets-chickweight
- reference
- R package
datasets
- R Dataset
chickweight
459. Chicken Weights by Feed Type¶
- name
rdataset-datasets-chickwts
- reference
- R package
datasets
- R Dataset
chickwts
460. Mauna Loa Atmospheric CO2 Concentration¶
- name
rdataset-datasets-co2
- reference
- R package
datasets
- R Dataset
co2
461. Student’s 3000 Criminals Data¶
- name
rdataset-datasets-crimtab
- reference
- R package
datasets
- R Dataset
crimtab
462. Yearly Numbers of Important Discoveries¶
- name
rdataset-datasets-discoveries
- reference
- R package
datasets
- R Dataset
discoveries
463. Elisa assay of DNase¶
- name
rdataset-datasets-dnase
- reference
- R package
datasets
- R Dataset
dnase
464. Smoking, Alcohol and (O)esophageal Cancer¶
- name
rdataset-datasets-esoph
- reference
- R package
datasets
- R Dataset
esoph
465. Conversion Rates of Euro Currencies¶
- name
rdataset-datasets-euro
- reference
- R package
datasets
- R Dataset
euro
466. Conversion Rates of Euro Currencies¶
- name
rdataset-datasets-euro.cross (euro)
- reference
- R package
datasets
- R Dataset
euro.cross (euro)
467. Daily Closing Prices of Major European Stock Indices, 1991-1998¶
- name
rdataset-datasets-eustockmarkets
- reference
- R package
datasets
- R Dataset
eustockmarkets
468. Old Faithful Geyser Data¶
- name
rdataset-datasets-faithful
- reference
- R package
datasets
- R Dataset
faithful
469. Monthly Deaths from Lung Diseases in the UK¶
- name
rdataset-datasets-fdeaths (uklungdeaths)
- reference
- R package
datasets
- R Dataset
fdeaths (uklungdeaths)
470. Determination of Formaldehyde¶
- name
rdataset-datasets-formaldehyde
- reference
- R package
datasets
- R Dataset
formaldehyde
471. Freeny’s Revenue Data¶
- name
rdataset-datasets-freeny
- reference
- R package
datasets
- R Dataset
freeny
472. Freeny’s Revenue Data¶
- name
rdataset-datasets-freeny.x (freeny)
- reference
- R package
datasets
- R Dataset
freeny.x (freeny)
473. Freeny’s Revenue Data¶
- name
rdataset-datasets-freeny.y (freeny)
- reference
- R package
datasets
- R Dataset
freeny.y (freeny)
474. Hair and Eye Color of Statistics Students¶
- name
rdataset-datasets-haireyecolor
- reference
- R package
datasets
- R Dataset
haireyecolor
475. Harman Example 2.3¶
- name
rdataset-datasets-harman23.cor
- reference
- R package
datasets
- R Dataset
harman23.cor
476. Harman Example 7.4¶
- name
rdataset-datasets-harman74.cor
- reference
- R package
datasets
- R Dataset
harman74.cor
477. Pharmacokinetics of Indomethacin¶
- name
rdataset-datasets-indometh
- reference
- R package
datasets
- R Dataset
indometh
478. Infertility after Spontaneous and Induced Abortion¶
- name
rdataset-datasets-infert
- reference
- R package
datasets
- R Dataset
infert
479. Effectiveness of Insect Sprays¶
- name
rdataset-datasets-insectsprays
- reference
- R package
datasets
- R Dataset
insectsprays
480. Edgar Anderson’s Iris Data¶
- name
rdataset-datasets-iris
- reference
- R package
datasets
- R Dataset
iris
481. Edgar Anderson’s Iris Data¶
- name
rdataset-datasets-iris3
- reference
- R package
datasets
- R Dataset
iris3
482. Areas of the World’s Major Landmasses¶
- name
rdataset-datasets-islands
- reference
- R package
datasets
- R Dataset
islands
484. Level of Lake Huron 1875-1972¶
- name
rdataset-datasets-lakehuron
- reference
- R package
datasets
- R Dataset
lakehuron
485. Monthly Deaths from Lung Diseases in the UK¶
- name
rdataset-datasets-ldeaths (uklungdeaths)
- reference
- R package
datasets
- R Dataset
ldeaths (uklungdeaths)
486. Luteinizing Hormone in Blood Samples¶
- name
rdataset-datasets-lh
- reference
- R package
datasets
- R Dataset
lh
487. Intercountry Life-Cycle Savings Data¶
- name
rdataset-datasets-lifecyclesavings
- reference
- R package
datasets
- R Dataset
lifecyclesavings
488. Growth of Loblolly pine trees¶
- name
rdataset-datasets-loblolly
- reference
- R package
datasets
- R Dataset
loblolly
489. Longley’s Economic Regression Data¶
- name
rdataset-datasets-longley
- reference
- R package
datasets
- R Dataset
longley
490. Annual Canadian Lynx trappings 1821-1934¶
- name
rdataset-datasets-lynx
- reference
- R package
datasets
- R Dataset
lynx
491. Monthly Deaths from Lung Diseases in the UK¶
- name
rdataset-datasets-mdeaths (uklungdeaths)
- reference
- R package
datasets
- R Dataset
mdeaths (uklungdeaths)
492. Michelson Speed of Light Data¶
- name
rdataset-datasets-morley
- reference
- R package
datasets
- R Dataset
morley
493. Motor Trend Car Road Tests¶
- name
rdataset-datasets-mtcars
- reference
- R package
datasets
- R Dataset
mtcars
494. Average Yearly Temperatures in New Haven¶
- name
rdataset-datasets-nhtemp
- reference
- R package
datasets
- R Dataset
nhtemp
495. Flow of the River Nile¶
- name
rdataset-datasets-nile
- reference
- R package
datasets
- R Dataset
nile
496. Average Monthly Temperatures at Nottingham, 1920-1939¶
- name
rdataset-datasets-nottem
- reference
- R package
datasets
- R Dataset
nottem
497. Classical N, P, K Factorial Experiment¶
- name
rdataset-datasets-npk
- reference
- R package
datasets
- R Dataset
npk
498. Occupational Status of Fathers and their Sons¶
- name
rdataset-datasets-occupationalstatus
- reference
- R package
datasets
- R Dataset
occupationalstatus
499. Growth of Orange Trees¶
- name
rdataset-datasets-orange
- reference
- R package
datasets
- R Dataset
orange
500. Potency of Orchard Sprays¶
- name
rdataset-datasets-orchardsprays
- reference
- R package
datasets
- R Dataset
orchardsprays
501. Results from an Experiment on Plant Growth¶
- name
rdataset-datasets-plantgrowth
- reference
- R package
datasets
- R Dataset
plantgrowth
502. Annual Precipitation in US Cities¶
- name
rdataset-datasets-precip
- reference
- R package
datasets
- R Dataset
precip
503. Quarterly Approval Ratings of US Presidents¶
- name
rdataset-datasets-presidents
- reference
- R package
datasets
- R Dataset
presidents
504. Vapor Pressure of Mercury as a Function of Temperature¶
- name
rdataset-datasets-pressure
- reference
- R package
datasets
- R Dataset
pressure
505. Reaction Velocity of an Enzymatic Reaction¶
- name
rdataset-datasets-puromycin
- reference
- R package
datasets
- R Dataset
puromycin
506. Locations of Earthquakes off Fiji¶
- name
rdataset-datasets-quakes
- reference
- R package
datasets
- R Dataset
quakes
507. Random Numbers from Congruential Generator RANDU¶
- name
rdataset-datasets-randu
- reference
- R package
datasets
- R Dataset
randu
508. Lengths of Major North American Rivers¶
- name
rdataset-datasets-rivers
- reference
- R package
datasets
- R Dataset
rivers
509. Measurements on Petroleum Rock Samples¶
- name
rdataset-datasets-rock
- reference
- R package
datasets
- R Dataset
rock
510. Road Casualties in Great Britain 1969-84¶
- name
rdataset-datasets-seatbelts
- reference
- R package
datasets
- R Dataset
seatbelts
511. Student’s Sleep Data¶
- name
rdataset-datasets-sleep
- reference
- R package
datasets
- R Dataset
sleep
512. Brownlee’s Stack Loss Plant Data¶
- name
rdataset-datasets-stack.loss (stackloss)
- reference
- R package
datasets
- R Dataset
stack.loss (stackloss)
513. Brownlee’s Stack Loss Plant Data¶
- name
rdataset-datasets-stack.x (stackloss)
- reference
- R package
datasets
- R Dataset
stack.x (stackloss)
514. Brownlee’s Stack Loss Plant Data¶
- name
rdataset-datasets-stackloss
- reference
- R package
datasets
- R Dataset
stackloss
515. US State Facts and Figures¶
- name
rdataset-datasets-state.abb (state)
- reference
- R package
datasets
- R Dataset
state.abb (state)
516. US State Facts and Figures¶
- name
rdataset-datasets-state.area (state)
- reference
- R package
datasets
- R Dataset
state.area (state)
517. US State Facts and Figures¶
- name
rdataset-datasets-state.center (state)
- reference
- R package
datasets
- R Dataset
state.center (state)
518. US State Facts and Figures¶
- name
rdataset-datasets-state.division (state)
- reference
- R package
datasets
- R Dataset
state.division (state)
519. US State Facts and Figures¶
- name
rdataset-datasets-state.name (state)
- reference
- R package
datasets
- R Dataset
state.name (state)
520. US State Facts and Figures¶
- name
rdataset-datasets-state.region (state)
- reference
- R package
datasets
- R Dataset
state.region (state)
521. US State Facts and Figures¶
- name
rdataset-datasets-state.x77 (state)
- reference
- R package
datasets
- R Dataset
state.x77 (state)
522. Monthly Sunspot Data, from 1749 to “Present”¶
- name
rdataset-datasets-sunspot.month
- reference
- R package
datasets
- R Dataset
sunspot.month
523. Yearly Sunspot Data, 1700-1988¶
- name
rdataset-datasets-sunspot.year
- reference
- R package
datasets
- R Dataset
sunspot.year
524. Monthly Sunspot Numbers, 1749-1983¶
- name
rdataset-datasets-sunspots
- reference
- R package
datasets
- R Dataset
sunspots
525. Swiss Fertility and Socioeconomic Indicators (1888) Data¶
- name
rdataset-datasets-swiss
- reference
- R package
datasets
- R Dataset
swiss
526. Pharmacokinetics of Theophylline¶
- name
rdataset-datasets-theoph
- reference
- R package
datasets
- R Dataset
theoph
527. Survival of passengers on the Titanic¶
- name
rdataset-datasets-titanic
- reference
- R package
datasets
- R Dataset
titanic
528. The Effect of Vitamin C on Tooth Growth in Guinea Pigs¶
- name
rdataset-datasets-toothgrowth
- reference
- R package
datasets
- R Dataset
toothgrowth
529. Yearly Treering Data, -6000-1979¶
- name
rdataset-datasets-treering
- reference
- R package
datasets
- R Dataset
treering
530. Diameter, Height and Volume for Black Cherry Trees¶
- name
rdataset-datasets-trees
- reference
- R package
datasets
- R Dataset
trees
531. Student Admissions at UC Berkeley¶
- name
rdataset-datasets-ucbadmissions
- reference
- R package
datasets
- R Dataset
ucbadmissions
532. Road Casualties in Great Britain 1969-84¶
- name
rdataset-datasets-ukdriverdeaths
- reference
- R package
datasets
- R Dataset
ukdriverdeaths
533. UK Quarterly Gas Consumption¶
- name
rdataset-datasets-ukgas
- reference
- R package
datasets
- R Dataset
ukgas
534. Accidental Deaths in the US 1973-1978¶
- name
rdataset-datasets-usaccdeaths
- reference
- R package
datasets
- R Dataset
usaccdeaths
535. Violent Crime Rates by US State¶
- name
rdataset-datasets-usarrests
- reference
- R package
datasets
- R Dataset
usarrests
536. Lawyers’ Ratings of State Judges in the US Superior Court¶
- name
rdataset-datasets-usjudgeratings
- reference
- R package
datasets
- R Dataset
usjudgeratings
537. Personal Expenditure Data¶
- name
rdataset-datasets-uspersonalexpenditure
- reference
- R package
datasets
- R Dataset
uspersonalexpenditure
538. Populations Recorded by the US Census¶
- name
rdataset-datasets-uspop
- reference
- R package
datasets
- R Dataset
uspop
539. Death Rates in Virginia (1940)¶
- name
rdataset-datasets-vadeaths
- reference
- R package
datasets
- R Dataset
vadeaths
540. Topographic Information on Auckland’s Maunga Whau Volcano¶
- name
rdataset-datasets-volcano
- reference
- R package
datasets
- R Dataset
volcano
541. The Number of Breaks in Yarn during Weaving¶
- name
rdataset-datasets-warpbreaks
- reference
- R package
datasets
- R Dataset
warpbreaks
542. Average Heights and Weights for American Women¶
- name
rdataset-datasets-women
- reference
- R package
datasets
- R Dataset
women
543. The World’s Telephones¶
- name
rdataset-datasets-worldphones
- reference
- R package
datasets
- R Dataset
worldphones
544. Internet Usage per Minute¶
- name
rdataset-datasets-wwwusage
- reference
- R package
datasets
- R Dataset
wwwusage
545. Band membership¶
- name
rdataset-dplyr-band_instruments
- reference
- R package
dplyr
- R Dataset
band_instruments
546. Band membership¶
- name
rdataset-dplyr-band_instruments2
- reference
- R package
dplyr
- R Dataset
band_instruments2
547. Band membership¶
- name
rdataset-dplyr-band_members
- reference
- R package
dplyr
- R Dataset
band_members
548. Starwars characters¶
- name
rdataset-dplyr-starwars
- reference
- R package
dplyr
- R Dataset
starwars
549. Storm tracks data¶
- name
rdataset-dplyr-storms
- reference
- R package
dplyr
- R Dataset
storms
550. RuPaul’s Drag Race Episode-Contestant Data¶
- name
rdataset-dragracer-rpdr_contep
- reference
- R package
dragracer
- R Dataset
rpdr_contep
551. RuPaul’s Drag Race Contestant Data¶
- name
rdataset-dragracer-rpdr_contestants
- reference
- R package
dragracer
- R Dataset
rpdr_contestants
552. RuPaul’s Drag Race Episode Data¶
- name
rdataset-dragracer-rpdr_ep
- reference
- R package
dragracer
- R Dataset
rpdr_ep
553. Acifluorfen and diquat tested on Lemna minor.¶
- name
rdataset-drc-acidiq
- reference
- R package
drc
- R Dataset
acidiq
554. Volume of algae as function of increasing concentrations of a herbicide¶
- name
rdataset-drc-algae
- reference
- R package
drc
- R Dataset
algae
555. Effect of technical grade and commercially formulated auxin herbicides¶
- name
rdataset-drc-auxins
- reference
- R package
drc
- R Dataset
auxins
556. Germination of common chickweed (_Stellaria media_)¶
- name
rdataset-drc-chickweed
- reference
- R package
drc
- R Dataset
chickweed
557. Germination of common chickweed (_Stellaria media_)¶
- name
rdataset-drc-chickweed0
- reference
- R package
drc
- R Dataset
chickweed0
558. Daphnia test¶
- name
rdataset-drc-daphnids
- reference
- R package
drc
- R Dataset
daphnids
559. Performance of decontaminants used in the culturing of a micro-organism¶
- name
rdataset-drc-decontaminants
- reference
- R package
drc
- R Dataset
decontaminants
560. Deguelin applied to chrysanthemum aphis¶
- name
rdataset-drc-deguelin
- reference
- R package
drc
- R Dataset
deguelin
561. Earthworm toxicity test¶
- name
rdataset-drc-earthworms
- reference
- R package
drc
- R Dataset
earthworms
562. Effect of erythromycin on mixed sewage microorganisms¶
- name
rdataset-drc-etmotc
- reference
- R package
drc
- R Dataset
etmotc
563. Example from Finney (1971)¶
- name
rdataset-drc-finney71
- reference
- R package
drc
- R Dataset
finney71
564. Herbicide applied to Galium aparine¶
- name
rdataset-drc-g.aparine
- reference
- R package
drc
- R Dataset
g.aparine
565. Germination of three crops¶
- name
rdataset-drc-germination
- reference
- R package
drc
- R Dataset
germination
566. Glyphosate and metsulfuron-methyl tested on algae.¶
- name
rdataset-drc-glymet
- reference
- R package
drc
- R Dataset
glymet
567. Mortality of tobacco budworms¶
- name
rdataset-drc-h.virescens
- reference
- R package
drc
- R Dataset
h.virescens
568. Heart rate baroreflexes for rabbits¶
- name
rdataset-drc-heartrate
- reference
- R package
drc
- R Dataset
heartrate
569. Leaf length of barley¶
- name
rdataset-drc-leaflength
- reference
- R package
drc
- R Dataset
leaflength
570. Dose-response profile of degradation of agrochemical using lepidium¶
- name
rdataset-drc-lepidium
- reference
- R package
drc
- R Dataset
lepidium
571. Hormesis in lettuce plants¶
- name
rdataset-drc-lettuce
- reference
- R package
drc
- R Dataset
lettuce
572. Effect of an effluent on the growth of mysid shrimp¶
- name
rdataset-drc-m.bahia
- reference
- R package
drc
- R Dataset
m.bahia
573. Mechlorprop and terbythylazine tested on Lemna minor¶
- name
rdataset-drc-mecter
- reference
- R package
drc
- R Dataset
mecter
574. Data from heavy metal mixture experiments¶
- name
rdataset-drc-metals
- reference
- R package
drc
- R Dataset
metals
575. Weight gain for different methionine sources¶
- name
rdataset-drc-methionine
- reference
- R package
drc
- R Dataset
methionine
576. Dose-response profile of degradation of agrochemical using nasturtium¶
- name
rdataset-drc-nasturtium
- reference
- R package
drc
- R Dataset
nasturtium
577. Test data from a 21 day fish test¶
- name
rdataset-drc-o.mykiss
- reference
- R package
drc
- R Dataset
o.mykiss
578. Effect of sodium pentachlorophenate on growth of fathead minnow¶
- name
rdataset-drc-p.promelas
- reference
- R package
drc
- R Dataset
p.promelas
579. Competition between two biotypes¶
- name
rdataset-drc-rscompetition
- reference
- R package
drc
- R Dataset
rscompetition
580. Effect of ferulic acid on growth of ryegrass¶
- name
rdataset-drc-ryegrass
- reference
- R package
drc
- R Dataset
ryegrass
581. Potency of two herbicides¶
- name
rdataset-drc-s.alba
- reference
- R package
drc
- R Dataset
s.alba
582. Effect of cadmium on growth of green alga¶
- name
rdataset-drc-s.capricornutum
- reference
- R package
drc
- R Dataset
s.capricornutum
583. Root length measurements¶
- name
rdataset-drc-secalonic
- reference
- R package
drc
- R Dataset
secalonic
584. Data from toxicology experiments with selenium¶
- name
rdataset-drc-selenium
- reference
- R package
drc
- R Dataset
selenium
585. Inhibition of photosynthesis¶
- name
rdataset-drc-spinach
- reference
- R package
drc
- R Dataset
spinach
586. The effect of terbuthylazin on growth rate¶
- name
rdataset-drc-terbuthylazin
- reference
- R package
drc
- R Dataset
terbuthylazin
587. Vinclozolin from AR in vitro assay¶
- name
rdataset-drc-vinclozolin
- reference
- R package
drc
- R Dataset
vinclozolin
588. Gender bias among graduate school admissions to UC Berkeley.¶
- name
rdataset-dslabs-admissions
- reference
- R package
dslabs
- R Dataset
admissions
589. Breast Cancer Wisconsin Diagnostic Dataset from UCI Machine Learning Repository¶
- name
rdataset-dslabs-brca
- reference
- R package
dslabs
- R Dataset
brca
590. Brexit Poll Data¶
- name
rdataset-dslabs-brexit_polls
- reference
- R package
dslabs
- R Dataset
brexit_polls
591. 2015 US Period Life Table¶
- name
rdataset-dslabs-death_prob
- reference
- R package
dslabs
- R Dataset
death_prob
592. Divorce rate and margarine consumption data¶
- name
rdataset-dslabs-divorce_margarine
- reference
- R package
dslabs
- R Dataset
divorce_margarine
593. Gapminder Data¶
- name
rdataset-dslabs-gapminder
- reference
- R package
dslabs
- R Dataset
gapminder
594. Greenhouse gas concentrations over 2000 years¶
- name
rdataset-dslabs-greenhouse_gases
- reference
- R package
dslabs
- R Dataset
greenhouse_gases
595. Self-Reported Heights¶
- name
rdataset-dslabs-heights
- reference
- R package
dslabs
- R Dataset
heights
596. Atmospheric carbon dioxide concentration over 800,000 years¶
- name
rdataset-dslabs-historic_co2
- reference
- R package
dslabs
- R Dataset
historic_co2
597. Movie ratings¶
- name
rdataset-dslabs-movielens
- reference
- R package
dslabs
- R Dataset
movielens
598. US gun murders by state for 2010¶
- name
rdataset-dslabs-murders
- reference
- R package
dslabs
- R Dataset
murders
599. Count data with some missing values¶
- name
rdataset-dslabs-na_example
- reference
- R package
dslabs
- R Dataset
na_example
600. NYC Regents exams scores 2010¶
- name
rdataset-dslabs-nyc_regents_scores
- reference
- R package
dslabs
- R Dataset
nyc_regents_scores
601. Gapminder Data¶
- name
rdataset-dslabs-oecd (gapminder)
- reference
- R package
dslabs
- R Dataset
oecd (gapminder)
602. Italian olive¶
- name
rdataset-dslabs-olive
- reference
- R package
dslabs
- R Dataset
olive
603. Gapminder Data¶
- name
rdataset-dslabs-opec (gapminder)
- reference
- R package
dslabs
- R Dataset
opec (gapminder)
604. Adult male heights in feet with outliers¶
- name
rdataset-dslabs-outlier_example
- reference
- R package
dslabs
- R Dataset
outlier_example
605. Poll data for popular vote in 2008 presidential election¶
- name
rdataset-dslabs-polls_2008
- reference
- R package
dslabs
- R Dataset
polls_2008
606. Fivethirtyeight 2016 Poll Data¶
- name
rdataset-dslabs-polls_us_election_2016
- reference
- R package
dslabs
- R Dataset
polls_us_election_2016
607. Gender bias in research funding in the Netherlands¶
- name
rdataset-dslabs-raw_data_research_funding_rates
- reference
rdataset-dslabs-raw_data_research_funding_rates’s home link.
- R package
dslabs
- R Dataset
raw_data_research_funding_rates
608. Self-reported Heights¶
- name
rdataset-dslabs-reported_heights
- reference
- R package
dslabs
- R Dataset
reported_heights
609. Gender bias in research funding in the Netherlands¶
- name
rdataset-dslabs-research_funding_rates
- reference
- R package
dslabs
- R Dataset
research_funding_rates
610. Fivethirtyeight 2016 Poll Data¶
- name
rdataset-dslabs-results_us_election_2016 (polls_us_election_2016)
- reference
rdataset-dslabs-results_us_election_2016 (polls_us_election_2016)’s home link.
- R package
dslabs
- R Dataset
results_us_election_2016 (polls_us_election_2016)
611. Physical Properties of Stars¶
- name
rdataset-dslabs-stars
- reference
- R package
dslabs
- R Dataset
stars
612. Global temperature anomaly and carbon emissions, 1751-2018¶
- name
rdataset-dslabs-temp_carbon
- reference
- R package
dslabs
- R Dataset
temp_carbon
613. Gene expression profiles for 189 biological samples taken from seven different tissue types.¶
- name
rdataset-dslabs-tissue_gene_expression
- reference
- R package
dslabs
- R Dataset
tissue_gene_expression
614. Trump Tweets from2009 to 2017¶
- name
rdataset-dslabs-trump_tweets
- reference
- R package
dslabs
- R Dataset
trump_tweets
615. Contagious disease data for US states¶
- name
rdataset-dslabs-us_contagious_diseases
- reference
- R package
dslabs
- R Dataset
us_contagious_diseases
616. Ship Accidents¶
- name
rdataset-ecdat-accident
- reference
- R package
ecdat
- R Dataset
accident
617. Accountants and Auditors in the US 1850-2016¶
- name
rdataset-ecdat-accountantsauditorspct
- reference
- R package
ecdat
- R Dataset
accountantsauditorspct
618. Cost for U.S. Airlines¶
- name
rdataset-ecdat-airline
- reference
- R package
ecdat
- R Dataset
airline
619. Air Quality for Californian Metropolitan Areas¶
- name
rdataset-ecdat-airq
- reference
- R package
ecdat
- R Dataset
airq
620. Countries in Banking Crises¶
- name
rdataset-ecdat-bankingcrises
- reference
- R package
ecdat
- R Dataset
bankingcrises
621. Unemployment of Blue Collar Workers¶
- name
rdataset-ecdat-benefits
- reference
- R package
ecdat
- R Dataset
benefits
622. Bids Received By U.S. Firms¶
- name
rdataset-ecdat-bids
- reference
- R package
ecdat
- R Dataset
bids
623. Cyber Security Breaches¶
- name
rdataset-ecdat-breaches
- reference
- R package
ecdat
- R Dataset
breaches
627. Wages in Belgium¶
- name
rdataset-ecdat-bwages
- reference
- R package
ecdat
- R Dataset
bwages
628. Stock Market Data¶
- name
rdataset-ecdat-capm
- reference
- R package
ecdat
- R Dataset
capm
629. Stated Preferences for Car Choice¶
- name
rdataset-ecdat-car
- reference
- R package
ecdat
- R Dataset
car
630. The California Test Score Data Set¶
- name
rdataset-ecdat-caschool
- reference
- R package
ecdat
- R Dataset
caschool
631. Choice of Brand for Catsup¶
- name
rdataset-ecdat-catsup
- reference
- R package
ecdat
- R Dataset
catsup
632. Cigarette Consumption¶
- name
rdataset-ecdat-cigar
- reference
- R package
ecdat
- R Dataset
cigar
633. The Cigarette Consumption Panel Data Set¶
- name
rdataset-ecdat-cigarette
- reference
- R package
ecdat
- R Dataset
cigarette
634. Sales Data of Men’s Fashion Stores¶
- name
rdataset-ecdat-clothing
- reference
- R package
ecdat
- R Dataset
clothing
635. Prices of Personal Computers¶
- name
rdataset-ecdat-computers
- reference
- R package
ecdat
- R Dataset
computers
636. Quarterly Data on Consumption and Expenditure¶
- name
rdataset-ecdat-consumption
- reference
- R package
ecdat
- R Dataset
consumption
637. Global cooling from a nuclear war¶
- name
rdataset-ecdat-coolingfromnuclearwar
- reference
- R package
ecdat
- R Dataset
coolingfromnuclearwar
638. Earnings from the Current Population Survey¶
- name
rdataset-ecdat-cpsch3
- reference
- R package
ecdat
- R Dataset
cpsch3
639. Choice of Brand for Crackers¶
- name
rdataset-ecdat-cracker
- reference
- R package
ecdat
- R Dataset
cracker
640. Growth of CRAN¶
- name
rdataset-ecdat-cranpackages
- reference
- R package
ecdat
- R Dataset
cranpackages
641. Crime in North Carolina¶
- name
rdataset-ecdat-crime
- reference
- R package
ecdat
- R Dataset
crime
642. Daily Returns from the CRSP Database¶
- name
rdataset-ecdat-crspday
- reference
- R package
ecdat
- R Dataset
crspday
643. Monthly Returns from the CRSP Database¶
- name
rdataset-ecdat-crspmon
- reference
- R package
ecdat
- R Dataset
crspmon
644. Pricing the C’s of Diamond Stones¶
- name
rdataset-ecdat-diamond
- reference
- R package
ecdat
- R Dataset
diamond
645. DM Dollar Exchange Rate¶
- name
rdataset-ecdat-dm
- reference
- R package
ecdat
- R Dataset
dm
646. Number of Doctor Visits¶
- name
rdataset-ecdat-doctor
- reference
- R package
ecdat
- R Dataset
doctor
647. Doctor Visits in Australia¶
- name
rdataset-ecdat-doctoraus
- reference
- R package
ecdat
- R Dataset
doctoraus
648. Contacts With Medical Doctor¶
- name
rdataset-ecdat-doctorcontacts
- reference
- R package
ecdat
- R Dataset
doctorcontacts
649. Earnings for Three Age Groups¶
- name
rdataset-ecdat-earnings
- reference
- R package
ecdat
- R Dataset
earnings
650. Cost Function for Electricity Producers¶
- name
rdataset-ecdat-electricity
- reference
- R package
ecdat
- R Dataset
electricity
651. Extramarital Affairs Data¶
- name
rdataset-ecdat-fair
- reference
- R package
ecdat
- R Dataset
fair
652. Drunk Driving Laws and Traffic Deaths¶
- name
rdataset-ecdat-fatality
- reference
- R package
ecdat
- R Dataset
fatality
653. Choice of Fishing Mode¶
- name
rdataset-ecdat-fishing
- reference
- R package
ecdat
- R Dataset
fishing
654. Exchange Rates of US Dollar Against Other Currencies¶
- name
rdataset-ecdat-forward
- reference
- R package
ecdat
- R Dataset
forward
655. Data from the Television Game Show Friend Or Foe ?¶
- name
rdataset-ecdat-friendfoe
- reference
- R package
ecdat
- R Dataset
friendfoe
656. Daily Observations on Exchange Rates of the US Dollar Against Other Currencies¶
- name
rdataset-ecdat-garch
- reference
- R package
ecdat
- R Dataset
garch
657. Gasoline Consumption¶
- name
rdataset-ecdat-gasoline
- reference
- R package
ecdat
- R Dataset
gasoline
658. Wage Data¶
- name
rdataset-ecdat-griliches
- reference
- R package
ecdat
- R Dataset
griliches
659. Grunfeld Investment Data¶
- name
rdataset-ecdat-grunfeld
- reference
- R package
ecdat
- R Dataset
grunfeld
660. Heating and Cooling System Choice in Newly Built Houses in California¶
- name
rdataset-ecdat-hc
- reference
- R package
ecdat
- R Dataset
hc
661. The Boston HMDA Data Set¶
- name
rdataset-ecdat-hdma
- reference
- R package
ecdat
- R Dataset
hdma
662. Heating System Choice in California Houses¶
- name
rdataset-ecdat-heating
- reference
- R package
ecdat
- R Dataset
heating
663. Hedonic Prices of Census Tracts in Boston¶
- name
rdataset-ecdat-hedonic
- reference
- R package
ecdat
- R Dataset
hedonic
664. Cybersecurity breaches reported to the US Department of Health and Human Services¶
- name
rdataset-ecdat-hhscybersecuritybreaches
- reference
- R package
ecdat
- R Dataset
hhscybersecuritybreaches
665. Health Insurance and Hours Worked By Wives¶
- name
rdataset-ecdat-hi
- reference
- R package
ecdat
- R Dataset
hi
666. The Boston HMDA Data Set¶
- name
rdataset-ecdat-hmda
- reference
- R package
ecdat
- R Dataset
hmda
667. Sales Prices of Houses in the City of Windsor¶
- name
rdataset-ecdat-housing
- reference
- R package
ecdat
- R Dataset
housing
668. Housing Starts¶
- name
rdataset-ecdat-hstarts
- reference
- R package
ecdat
- R Dataset
hstarts
669. Ice Cream Consumption¶
- name
rdataset-ecdat-icecream
- reference
- R package
ecdat
- R Dataset
icecream
670. Global Terrorism Database yearly summaries¶
- name
rdataset-ecdat-incidents.bycountryyr
- reference
- R package
ecdat
- R Dataset
incidents.bycountryyr
671. Income Inequality in the US¶
- name
rdataset-ecdat-incomeinequality
- reference
- R package
ecdat
- R Dataset
incomeinequality
672. Seasonally Unadjusted Quarterly Data on Disposable Income and Expenditure¶
- name
rdataset-ecdat-incomeuk
- reference
- R package
ecdat
- R Dataset
incomeuk
673. Monthly Interest Rates¶
- name
rdataset-ecdat-irates
- reference
- R package
ecdat
- R Dataset
irates
674. Economic Journals Data Set¶
- name
rdataset-ecdat-journals
- reference
- R package
ecdat
- R Dataset
journals
675. Willingness to Pay for the Preservation of the Kakadu National Park¶
- name
rdataset-ecdat-kakadu
- reference
- R package
ecdat
- R Dataset
kakadu
676. Choice of Brand for Ketchup¶
- name
rdataset-ecdat-ketchup
- reference
- R package
ecdat
- R Dataset
ketchup
677. Klein’s Model I¶
- name
rdataset-ecdat-klein
- reference
- R package
ecdat
- R Dataset
klein
678. Wages and Hours Worked¶
- name
rdataset-ecdat-laborsupply
- reference
- R package
ecdat
- R Dataset
laborsupply
679. Belgian Firms¶
- name
rdataset-ecdat-labour
- reference
- R package
ecdat
- R Dataset
labour
680. The Longley Data¶
- name
rdataset-ecdat-longley
- reference
- R package
ecdat
- R Dataset
longley
681. Dollar Sterling Exchange Rate¶
- name
rdataset-ecdat-lt
- reference
- R package
ecdat
- R Dataset
lt
682. Macroeconomic Time Series for the United States¶
- name
rdataset-ecdat-macrodat
- reference
- R package
ecdat
- R Dataset
macrodat
683. Wages and Education of Young Males¶
- name
rdataset-ecdat-males
- reference
- R package
ecdat
- R Dataset
males
684. Manufacturing Costs¶
- name
rdataset-ecdat-manufcost
- reference
- R package
ecdat
- R Dataset
manufcost
685. Level of Calculus Attained for Students Taking Advanced Micro-economics¶
- name
rdataset-ecdat-mathlevel
- reference
- R package
ecdat
- R Dataset
mathlevel
686. The Massachusetts Test Score Data Set¶
- name
rdataset-ecdat-mcas
- reference
- R package
ecdat
- R Dataset
mcas
687. Structure of Demand for Medical Care¶
- name
rdataset-ecdat-medexp
- reference
- R package
ecdat
- R Dataset
medexp
688. Production for SIC 33¶
- name
rdataset-ecdat-metal
- reference
- R package
ecdat
- R Dataset
metal
689. Inflation and Interest Rates¶
- name
rdataset-ecdat-mishkin
- reference
- R package
ecdat
- R Dataset
mishkin
690. Mode Choice¶
- name
rdataset-ecdat-mode
- reference
- R package
ecdat
- R Dataset
mode
691. Data to Study Travel Mode Choice¶
- name
rdataset-ecdat-modechoice
- reference
- R package
ecdat
- R Dataset
modechoice
692. International Expansion of U.S. MOFAs (majority-owned Foreign Affiliates in Fire (finance, Insurance and Real Estate)¶
- name
rdataset-ecdat-mofa
- reference
- R package
ecdat
- R Dataset
mofa
693. Money, GDP and Interest Rate in Canada¶
- name
rdataset-ecdat-money
- reference
- R package
ecdat
- R Dataset
money
694. Macroeconomic Series for the United States¶
- name
rdataset-ecdat-moneyus
- reference
- R package
ecdat
- R Dataset
moneyus
695. Money, National Product and Interest Rate¶
- name
rdataset-ecdat-mpyr
- reference
- R package
ecdat
- R Dataset
mpyr
696. Labor Supply Data¶
- name
rdataset-ecdat-mroz
- reference
- R package
ecdat
- R Dataset
mroz
697. Municipal Expenditure Data¶
- name
rdataset-ecdat-munexp
- reference
- R package
ecdat
- R Dataset
munexp
698. Growth of Disposable Income and Treasury Bill Rate¶
- name
rdataset-ecdat-mw
- reference
- R package
ecdat
- R Dataset
mw
699. Willingness to Pay for the Preservation of the Alentejo Natural Park¶
- name
rdataset-ecdat-naturalpark
- reference
- R package
ecdat
- R Dataset
naturalpark
700. Cost Function for Electricity Producers, 1955¶
- name
rdataset-ecdat-nerlove
- reference
- R package
ecdat
- R Dataset
nerlove
701. Global Terrorism Database yearly summaries¶
- name
rdataset-ecdat-nkill.bycountryyr
- reference
- R package
ecdat
- R Dataset
nkill.bycountryyr
702. Names with Character Set Problems¶
- name
rdataset-ecdat-nonenglishnames
- reference
- R package
ecdat
- R Dataset
nonenglishnames
703. Nations with nuclear weapons¶
- name
rdataset-ecdat-nuclearweaponstates
- reference
- R package
ecdat
- R Dataset
nuclearweaponstates
704. Evolution of occupational distribution in the US¶
- name
rdataset-ecdat-occ1950
- reference
- R package
ecdat
- R Dataset
occ1950
705. Visits to Physician Office¶
- name
rdataset-ecdat-ofp
- reference
- R package
ecdat
- R Dataset
ofp
706. Oil Investment¶
- name
rdataset-ecdat-oil
- reference
- R package
ecdat
- R Dataset
oil
707. The Orange Juice Data Set¶
- name
rdataset-ecdat-orange
- reference
- R package
ecdat
- R Dataset
orange
708. Labor Force Participation¶
- name
rdataset-ecdat-participation
- reference
- R package
ecdat
- R Dataset
participation
709. Dynamic Relation Between Patents and R&D¶
- name
rdataset-ecdat-patentshgh
- reference
- R package
ecdat
- R Dataset
patentshgh
710. Patents, R&D and Technological Spillovers for a Panel of Firms¶
- name
rdataset-ecdat-patentsrd
- reference
- R package
ecdat
- R Dataset
patentsrd
711. Price and Earnings Index¶
- name
rdataset-ecdat-pe
- reference
- R package
ecdat
- R Dataset
pe
712. Political knowledge in the US and Europe¶
- name
rdataset-ecdat-politicalknowledge
- reference
- R package
ecdat
- R Dataset
politicalknowledge
713. Pound-dollar Exchange Rate¶
- name
rdataset-ecdat-pound
- reference
- R package
ecdat
- R Dataset
pound
714. Exchange Rates and Price Indices for France and Italy¶
- name
rdataset-ecdat-ppp
- reference
- R package
ecdat
- R Dataset
ppp
715. Returns of Size-based Portfolios¶
- name
rdataset-ecdat-pricing
- reference
- R package
ecdat
- R Dataset
pricing
716. Us States Production¶
- name
rdataset-ecdat-produc
- reference
- R package
ecdat
- R Dataset
produc
717. Panel Survey of Income Dynamics¶
- name
rdataset-ecdat-psid
- reference
- R package
ecdat
- R Dataset
psid
718. Return to Schooling¶
- name
rdataset-ecdat-retschool
- reference
- R package
ecdat
- R Dataset
retschool
719. Wages and Schooling¶
- name
rdataset-ecdat-schooling
- reference
- R package
ecdat
- R Dataset
schooling
720. Solow’s Technological Change Data¶
- name
rdataset-ecdat-solow
- reference
- R package
ecdat
- R Dataset
solow
721. Visits to Lake Somerville¶
- name
rdataset-ecdat-somerville
- reference
- R package
ecdat
- R Dataset
somerville
722. Returns on Standard & Poor’s 500 Index¶
- name
rdataset-ecdat-sp500
- reference
- R package
ecdat
- R Dataset
sp500
723. Effects on Learning of Small Class Sizes¶
- name
rdataset-ecdat-star
- reference
- R package
ecdat
- R Dataset
star
724. Strike Duration Data¶
- name
rdataset-ecdat-strike
- reference
- R package
ecdat
- R Dataset
strike
725. Strikes Duration¶
- name
rdataset-ecdat-strikedur
- reference
- R package
ecdat
- R Dataset
strikedur
726. Number of Strikes in Us Manufacturing¶
- name
rdataset-ecdat-strikenb
- reference
- R package
ecdat
- R Dataset
strikenb
727. The Penn Table¶
- name
rdataset-ecdat-sumhes
- reference
- R package
ecdat
- R Dataset
sumhes
728. Interest Rate, GDP and Inflation¶
- name
rdataset-ecdat-tbrate
- reference
- R package
ecdat
- R Dataset
tbrate
729. Global Terrorism Database yearly summaries¶
- name
rdataset-ecdat-terrorism
- reference
- R package
ecdat
- R Dataset
terrorism
731. Stated Preferences for Train Traveling¶
- name
rdataset-ecdat-train
- reference
- R package
ecdat
- R Dataset
train
732. Statewide Data on Transportation Equipment Manufacturing¶
- name
rdataset-ecdat-transpeq
- reference
- R package
ecdat
- R Dataset
transpeq
733. Evaluating Treatment Effect of Training on Earnings¶
- name
rdataset-ecdat-treatment
- reference
- R package
ecdat
- R Dataset
treatment
734. Choice of Brand for Tuna¶
- name
rdataset-ecdat-tuna
- reference
- R package
ecdat
- R Dataset
tuna
735. Unemployment Duration¶
- name
rdataset-ecdat-unempdur
- reference
- R package
ecdat
- R Dataset
unempdur
736. Unemployment Duration¶
- name
rdataset-ecdat-unemployment
- reference
- R package
ecdat
- R Dataset
unemployment
737. Provision of University Teaching and Research¶
- name
rdataset-ecdat-university
- reference
- R package
ecdat
- R Dataset
university
738. Official Secrecy of the United States Government¶
- name
rdataset-ecdat-usclassifieddocuments
- reference
- R package
ecdat
- R Dataset
usclassifieddocuments
739. US Finance Industry Profits¶
- name
rdataset-ecdat-usfinanceindustry
- reference
- R package
ecdat
- R Dataset
usfinanceindustry
740. US GDP per capita with presidents and wars¶
- name
rdataset-ecdat-usgdppresidents
- reference
- R package
ecdat
- R Dataset
usgdppresidents
741. US incarcerations 1925 onward¶
- name
rdataset-ecdat-usincarcerations
- reference
- R package
ecdat
- R Dataset
usincarcerations
742. US newspaper revenue 1956 - 2020¶
- name
rdataset-ecdat-usnewspapers
- reference
- R package
ecdat
- R Dataset
usnewspapers
743. US Postal Service¶
- name
rdataset-ecdat-usps
- reference
- R package
ecdat
- R Dataset
usps
744. Standard abbreviations for states of the United States¶
- name
rdataset-ecdat-usstateabbreviations
- reference
- R package
ecdat
- R Dataset
usstateabbreviations
745. Number of Words in US Tax Law¶
- name
rdataset-ecdat-ustaxwords
- reference
- R package
ecdat
- R Dataset
ustaxwords
746. Medical Expenses in Vietnam (household Level)¶
- name
rdataset-ecdat-vietnamh
- reference
- R package
ecdat
- R Dataset
vietnamh
747. Medical Expenses in Vietnam (individual Level)¶
- name
rdataset-ecdat-vietnami
- reference
- R package
ecdat
- R Dataset
vietnami
748. Panel Data of Individual Wages¶
- name
rdataset-ecdat-wages
- reference
- R package
ecdat
- R Dataset
wages
749. Wages, Experience and Schooling¶
- name
rdataset-ecdat-wages1
- reference
- R package
ecdat
- R Dataset
wages1
750. Wife Working Hours¶
- name
rdataset-ecdat-workinghours
- reference
- R package
ecdat
- R Dataset
workinghours
751. Yen-dollar Exchange Rate¶
- name
rdataset-ecdat-yen
- reference
- R package
ecdat
- R Dataset
yen
752. Choice of Brand for Yogurts¶
- name
rdataset-ecdat-yogurt
- reference
- R package
ecdat
- R Dataset
yogurt
754. Danish Fire Insurance Claims¶
- name
rdataset-evir-danish
- reference
- R package
evir
- R Dataset
danish
755. The River Nidd Data¶
- name
rdataset-evir-nidd.annual
- reference
- R package
evir
- R Dataset
nidd.annual
756. The River Nidd Data¶
- name
rdataset-evir-nidd.thresh
- reference
- R package
evir
- R Dataset
nidd.thresh
758. SP Data to June 1993¶
- name
rdataset-evir-sp.raw
- reference
- R package
evir
- R Dataset
sp.raw
759. SP Return Data to October 1987¶
- name
rdataset-evir-spto87
- reference
- R package
evir
- R Dataset
spto87
760. Australian monthly gas production¶
- name
rdataset-forecast-gas
- reference
- R package
forecast
- R Dataset
gas
761. Daily morning gold prices¶
- name
rdataset-forecast-gold
- reference
- R package
forecast
- R Dataset
gold
762. Half-hourly electricity demand¶
- name
rdataset-forecast-taylor
- reference
- R package
forecast
- R Dataset
taylor
763. Australian total wine sales¶
- name
rdataset-forecast-wineind
- reference
- R package
forecast
- R Dataset
wineind
764. Quarterly production of woollen yarn in Australia¶
- name
rdataset-forecast-woolyrnq
- reference
- R package
forecast
- R Dataset
woolyrnq
765. Monthly anti-diabetic drug subsidy in Australia from 1991 to 2008.¶
- name
rdataset-fpp2-a10
- reference
- R package
fpp2
- R Dataset
a10
766. International Arrivals to Australia¶
- name
rdataset-fpp2-arrivals
- reference
- R package
fpp2
- R Dataset
arrivals
767. Air Transport Passengers Australia¶
- name
rdataset-fpp2-ausair
- reference
- R package
fpp2
- R Dataset
ausair
768. Quarterly Australian Beer production¶
- name
rdataset-fpp2-ausbeer
- reference
- R package
fpp2
- R Dataset
ausbeer
769. Monthly expenditure on eating out in Australia¶
- name
rdataset-fpp2-auscafe
- reference
- R package
fpp2
- R Dataset
auscafe
770. International visitors to Australia¶
- name
rdataset-fpp2-austa
- reference
- R package
fpp2
- R Dataset
austa
771. International Tourists to Australia: Total visitor nights.¶
- name
rdataset-fpp2-austourists
- reference
- R package
fpp2
- R Dataset
austourists
772. Call volume for a large North American bank¶
- name
rdataset-fpp2-calls
- reference
- R package
fpp2
- R Dataset
calls
773. Retail debit card usage in Iceland.¶
- name
rdataset-fpp2-debitcards
- reference
- R package
fpp2
- R Dataset
debitcards
774. Total monthly departures from Australia¶
- name
rdataset-fpp2-departures
- reference
- R package
fpp2
- R Dataset
departures
775. Half-hourly and daily electricity demand for Victoria, Australia, in 2014¶
- name
rdataset-fpp2-elecdaily
- reference
- R package
fpp2
- R Dataset
elecdaily
776. Half-hourly and daily electricity demand for Victoria, Australia, in 2014¶
- name
rdataset-fpp2-elecdemand
- reference
- R package
fpp2
- R Dataset
elecdemand
777. Electrical equipment manufactured in the Euro area.¶
- name
rdataset-fpp2-elecequip
- reference
- R package
fpp2
- R Dataset
elecequip
778. Electricity sales to residential customers in South Australia.¶
- name
rdataset-fpp2-elecsales
- reference
- R package
fpp2
- R Dataset
elecsales
779. Quarterly retail trade: Euro area.¶
- name
rdataset-fpp2-euretail
- reference
- R package
fpp2
- R Dataset
euretail
780. US finished motor gasoline product supplied.¶
- name
rdataset-fpp2-gasoline
- reference
- R package
fpp2
- R Dataset
gasoline
781. Daily closing stock prices of Google Inc¶
- name
rdataset-fpp2-goog
- reference
- R package
fpp2
- R Dataset
goog
782. Daily closing stock prices of Google Inc¶
- name
rdataset-fpp2-goog200
- reference
- R package
fpp2
- R Dataset
goog200
783. Rice production (Guinea)¶
- name
rdataset-fpp2-guinearice
- reference
- R package
fpp2
- R Dataset
guinearice
784. Monthly corticosteroid drug subsidy in Australia from 1991 to 2008.¶
- name
rdataset-fpp2-h02
- reference
- R package
fpp2
- R Dataset
h02
785. Daily pageviews for the Hyndsight blog. 30 April 2014 to 29 April 2015.¶
- name
rdataset-fpp2-hyndsight
- reference
- R package
fpp2
- R Dataset
hyndsight
786. Insurance quotations and advertising expenditure.¶
- name
rdataset-fpp2-insurance
- reference
- R package
fpp2
- R Dataset
insurance
787. Livestock (sheep) in Asia, 1961-2007.¶
- name
rdataset-fpp2-livestock
- reference
- R package
fpp2
- R Dataset
livestock
788. Boston marathon winning times since 1897¶
- name
rdataset-fpp2-marathon
- reference
- R package
fpp2
- R Dataset
marathon
789. Maximum annual temperatures at Moorabbin Airport, Melbourne¶
- name
rdataset-fpp2-maxtemp
- reference
- R package
fpp2
- R Dataset
maxtemp
790. Total weekly air passenger numbers on Ansett airline flights between Melbourne and Sydney, 1987-1992.¶
- name
rdataset-fpp2-melsyd
- reference
- R package
fpp2
- R Dataset
melsyd
791. Winning times in Olympic men’s 400m track final. 1896-2016.¶
- name
rdataset-fpp2-mens400
- reference
- R package
fpp2
- R Dataset
mens400
792. Annual oil production in Saudi Arabia¶
- name
rdataset-fpp2-oil
- reference
- R package
fpp2
- R Dataset
oil
793. prison¶
- name
rdataset-fpp2-prison
- reference
- R package
fpp2
- R Dataset
prison
794. prison¶
- name
rdataset-fpp2-prisonlf
- reference
- R package
fpp2
- R Dataset
prisonlf
795. Quarterly Australian Electricity production¶
- name
rdataset-fpp2-qauselec
- reference
- R package
fpp2
- R Dataset
qauselec
796. Quarterly Australian Portland Cement production¶
- name
rdataset-fpp2-qcement
- reference
- R package
fpp2
- R Dataset
qcement
797. Quarterly Australian Gas Production¶
- name
rdataset-fpp2-qgas
- reference
- R package
fpp2
- R Dataset
qgas
798. Annual average sunspot area (1875-2015)¶
- name
rdataset-fpp2-sunspotarea
- reference
- R package
fpp2
- R Dataset
sunspotarea
799. Growth rates of personal consumption and personal income in the USA.¶
- name
rdataset-fpp2-uschange
- reference
- R package
fpp2
- R Dataset
uschange
800. Electricity monthly total net generation. January 1973 - June 2013.¶
- name
rdataset-fpp2-usmelec
- reference
- R package
fpp2
- R Dataset
usmelec
801. Quarterly visitor nights for various regions of Australia.¶
- name
rdataset-fpp2-visnights
- reference
- R package
fpp2
- R Dataset
visnights
802. Annual female murder rate (per 100,000 standard population) in the USA. 1950-2004.¶
- name
rdataset-fpp2-wmurders
- reference
- R package
fpp2
- R Dataset
wmurders
803. Internal functions for gap¶
- name
rdataset-gap-hg18
- reference
- R package
gap
- R Dataset
hg18
804. Internal functions for gap¶
- name
rdataset-gap-hg19
- reference
- R package
gap
- R Dataset
hg19
805. Internal functions for gap¶
- name
rdataset-gap-hg38
- reference
- R package
gap
- R Dataset
hg38
806. Gapminder color schemes.¶
- name
rdataset-gapminder-continent_colors
- reference
- R package
gapminder
- R Dataset
continent_colors
807. Country codes¶
- name
rdataset-gapminder-country_codes
- reference
- R package
gapminder
- R Dataset
country_codes
808. Gapminder color schemes.¶
- name
rdataset-gapminder-country_colors
- reference
- R package
gapminder
- R Dataset
country_colors
809. Gapminder data.¶
- name
rdataset-gapminder-gapminder
- reference
- R package
gapminder
- R Dataset
gapminder
810. Gapminder data, unfiltered.¶
- name
rdataset-gapminder-gapminder_unfiltered
- reference
- R package
gapminder
- R Dataset
gapminder_unfiltered
811. Growth curves of pigs in a 3x3 factorial experiment¶
- name
rdataset-geepack-dietox
- reference
- R package
geepack
- R Dataset
dietox
812. Ordinal Data from Koch¶
- name
rdataset-geepack-koch
- reference
- R package
geepack
- R Dataset
koch
813. Data on Obesity from the Muscatine Coronary Risk Factor Study.¶
- name
rdataset-geepack-muscatine
- reference
- R package
geepack
- R Dataset
muscatine
814. Ohio Children Wheeze Status¶
- name
rdataset-geepack-ohio
- reference
- R package
geepack
- R Dataset
ohio
815. Clustered Ordinal Respiratory Disorder¶
- name
rdataset-geepack-respdis
- reference
- R package
geepack
- R Dataset
respdis
816. Data from a clinical trial comparing two treatments for a respiratory illness¶
- name
rdataset-geepack-respiratory
- reference
- R package
geepack
- R Dataset
respiratory
817. Epiliptic Seizures¶
- name
rdataset-geepack-seizure
- reference
- R package
geepack
- R Dataset
seizure
818. Growth of Sitka Spruce Trees¶
- name
rdataset-geepack-sitka89
- reference
- R package
geepack
- R Dataset
sitka89
819. Log-size of 79 Sitka spruce trees¶
- name
rdataset-geepack-spruce
- reference
- R package
geepack
- R Dataset
spruce
820. Prices of over 50,000 round cut diamonds¶
- name
rdataset-ggplot2-diamonds
- reference
- R package
ggplot2
- R Dataset
diamonds
821. US economic time series¶
- name
rdataset-ggplot2-economics
- reference
- R package
ggplot2
- R Dataset
economics
822. US economic time series¶
- name
rdataset-ggplot2-economics_long
- reference
- R package
ggplot2
- R Dataset
economics_long
823. 2d density estimate of Old Faithful data¶
- name
rdataset-ggplot2-faithfuld
- reference
- R package
ggplot2
- R Dataset
faithfuld
824. ‘colors()’ in Luv space¶
- name
rdataset-ggplot2-luv_colours
- reference
- R package
ggplot2
- R Dataset
luv_colours
825. Midwest demographics¶
- name
rdataset-ggplot2-midwest
- reference
- R package
ggplot2
- R Dataset
midwest
826. Fuel economy data from 1999 to 2008 for 38 popular models of cars¶
- name
rdataset-ggplot2-mpg
- reference
- R package
ggplot2
- R Dataset
mpg
827. An updated and expanded version of the mammals sleep dataset¶
- name
rdataset-ggplot2-msleep
- reference
- R package
ggplot2
- R Dataset
msleep
828. Terms of 12 presidents from Eisenhower to Trump¶
- name
rdataset-ggplot2-presidential
- reference
- R package
ggplot2
- R Dataset
presidential
829. Vector field of seal movements¶
- name
rdataset-ggplot2-seals
- reference
- R package
ggplot2
- R Dataset
seals
830. Housing sales in TX¶
- name
rdataset-ggplot2-txhousing
- reference
- R package
ggplot2
- R Dataset
txhousing
831. Movie information and user ratings from IMDB.com.¶
- name
rdataset-ggplot2movies-movies
- reference
- R package
ggplot2movies
- R Dataset
movies
832. Yearly populations of countries from 1960 to 2017¶
- name
rdataset-gt-countrypops
- reference
- R package
gt
- R Dataset
countrypops
833. A toy example tibble for testing with gt: exibble¶
- name
rdataset-gt-exibble
- reference
- R package
gt
- R Dataset
exibble
834. Deluxe automobiles from the 2014-2017 period¶
- name
rdataset-gt-gtcars
- reference
- R package
gt
- R Dataset
gtcars
835. A year of pizza sales from a pizza place¶
- name
rdataset-gt-pizzaplace
- reference
- R package
gt
- R Dataset
pizzaplace
836. Daily S&P 500 Index data from 1950 to 2015¶
- name
rdataset-gt-sp500
- reference
- R package
gt
- R Dataset
sp500
837. Twice hourly solar zenith angles by month & latitude¶
- name
rdataset-gt-sza
- reference
- R package
gt
- R Dataset
sza
838. Arbuthnot’s data on male and female birth ratios in London from 1629-1710.¶
- name
rdataset-histdata-arbuthnot
- reference
- R package
histdata
- R Dataset
arbuthnot
839. La Felicisima Armada¶
- name
rdataset-histdata-armada
- reference
- R package
histdata
- R Dataset
armada
840. Bowley’s data on values of British and Irish trade, 1855-1899¶
- name
rdataset-histdata-bowley
- reference
- R package
histdata
- R Dataset
bowley
841. Cavendish’s Determinations of the Density of the Earth¶
- name
rdataset-histdata-cavendish
- reference
- R package
histdata
- R Dataset
cavendish
842. Chest measurements of Scottish Militiamen¶
- name
rdataset-histdata-chestsizes
- reference
- R package
histdata
- R Dataset
chestsizes
843. Chest measurements of Scottish Militiamen¶
- name
rdataset-histdata-cheststigler
- reference
- R package
histdata
- R Dataset
cheststigler
844. William Farr’s Data on Cholera in London, 1849¶
- name
rdataset-histdata-cholera
- reference
- R package
histdata
- R Dataset
cholera
845. Cushny-Peebles Data: Soporific Effects of Scopolamine Derivatives¶
- name
rdataset-histdata-cushnypeebles
- reference
- R package
histdata
- R Dataset
cushnypeebles
846. Cushny-Peebles Data: Soporific Effects of Scopolamine Derivatives¶
- name
rdataset-histdata-cushnypeeblesn
- reference
- R package
histdata
- R Dataset
cushnypeeblesn
847. Edgeworth’s counts of dactyls in Virgil’s Aeneid¶
- name
rdataset-histdata-dactyl
- reference
- R package
histdata
- R Dataset
dactyl
848. Elderton and Pearson’s (1910) data on drinking and wages¶
- name
rdataset-histdata-drinkswages
- reference
- R package
histdata
- R Dataset
drinkswages
849. Edgeworth’s Data on Death Rates in British Counties¶
- name
rdataset-histdata-edgeworthdeaths
- reference
- R package
histdata
- R Dataset
edgeworthdeaths
850. Waite’s data on Patterns in Fingerprints¶
- name
rdataset-histdata-fingerprints
- reference
- R package
histdata
- R Dataset
fingerprints
851. Galton’s data on the heights of parents and their children¶
- name
rdataset-histdata-galton
- reference
- R package
histdata
- R Dataset
galton
852. Galton’s data on the heights of parents and their children, by child¶
- name
rdataset-histdata-galtonfamilies
- reference
- R package
histdata
- R Dataset
galtonfamilies
853. Data from A.-M. Guerry, “Essay on the Moral Statistics of France”¶
- name
rdataset-histdata-guerry
- reference
- R package
histdata
- R Dataset
guerry
854. Halley’s Life Table¶
- name
rdataset-histdata-halleylifetable
- reference
- R package
histdata
- R Dataset
halleylifetable
855. W. Stanley Jevons’ data on numerical discrimination¶
- name
rdataset-histdata-jevons
- reference
- R package
histdata
- R Dataset
jevons
856. van Langren’s Data on Longitude Distance between Toledo and Rome¶
- name
rdataset-histdata-langren.all
- reference
- R package
histdata
- R Dataset
langren.all
857. van Langren’s Data on Longitude Distance between Toledo and Rome¶
- name
rdataset-histdata-langren1644
- reference
- R package
histdata
- R Dataset
langren1644
858. Macdonell’s Data on Height and Finger Length of Criminals, used by Gosset (1908)¶
- name
rdataset-histdata-macdonell
- reference
- R package
histdata
- R Dataset
macdonell
859. Macdonell’s Data on Height and Finger Length of Criminals, used by Gosset (1908)¶
- name
rdataset-histdata-macdonelldf
- reference
- R package
histdata
- R Dataset
macdonelldf
860. Michelson’s Determinations of the Velocity of Light¶
- name
rdataset-histdata-michelson
- reference
- R package
histdata
- R Dataset
michelson
861. Michelson’s Determinations of the Velocity of Light¶
- name
rdataset-histdata-michelsonsets
- reference
- R package
histdata
- R Dataset
michelsonsets
862. Data from Minard’s famous graphic map of Napoleon’s march on Moscow¶
- name
rdataset-histdata-minard.cities
- reference
- R package
histdata
- R Dataset
minard.cities
863. Data from Minard’s famous graphic map of Napoleon’s march on Moscow¶
- name
rdataset-histdata-minard.temp
- reference
- R package
histdata
- R Dataset
minard.temp
864. Data from Minard’s famous graphic map of Napoleon’s march on Moscow¶
- name
rdataset-histdata-minard.troops
- reference
- R package
histdata
- R Dataset
minard.troops
865. Florence Nightingale’s data on deaths from various causes in the Crimean War¶
- name
rdataset-histdata-nightingale
- reference
- R package
histdata
- R Dataset
nightingale
866. Latitudes and Longitudes of 39 Points in 11 Old Maps¶
- name
rdataset-histdata-oldmaps
- reference
- R package
histdata
- R Dataset
oldmaps
867. Pearson and Lee’s data on the heights of parents and children classified by gender¶
- name
rdataset-histdata-pearsonlee
- reference
- R package
histdata
- R Dataset
pearsonlee
868. Polio Field Trials Data¶
- name
rdataset-histdata-poliotrials
- reference
- R package
histdata
- R Dataset
poliotrials
869. Parent-Duchatelet’s time-series data on the number of prostitutes in Paris¶
- name
rdataset-histdata-prostitutes
- reference
- R package
histdata
- R Dataset
prostitutes
870. Trial of the Pyx¶
- name
rdataset-histdata-pyx
- reference
- R package
histdata
- R Dataset
pyx
871. Statistics of Deadly Quarrels¶
- name
rdataset-histdata-quarrels
- reference
- R package
histdata
- R Dataset
quarrels
872. John Snow’s Map and Data on the 1854 London Cholera Outbreak¶
- name
rdataset-histdata-snow.dates
- reference
- R package
histdata
- R Dataset
snow.dates
873. John Snow’s Map and Data on the 1854 London Cholera Outbreak¶
- name
rdataset-histdata-snow.deaths
- reference
- R package
histdata
- R Dataset
snow.deaths
874. John Snow’s Map and Data on the 1854 London Cholera Outbreak¶
- name
rdataset-histdata-snow.deaths2
- reference
- R package
histdata
- R Dataset
snow.deaths2
875. John Snow’s Map and Data on the 1854 London Cholera Outbreak¶
- name
rdataset-histdata-snow.pumps
- reference
- R package
histdata
- R Dataset
snow.pumps
876. John Snow’s Map and Data on the 1854 London Cholera Outbreak¶
- name
rdataset-histdata-snow.streets
- reference
- R package
histdata
- R Dataset
snow.streets
877. John F. W. Herschel’s Data on the Orbit of the Twin Stars gamma _Virginis_¶
- name
rdataset-histdata-virginis
- reference
- R package
histdata
- R Dataset
virginis
878. John F. W. Herschel’s Data on the Orbit of the Twin Stars gamma _Virginis_¶
- name
rdataset-histdata-virginis.interp
- reference
- R package
histdata
- R Dataset
virginis.interp
879. Playfair’s Data on Wages and the Price of Wheat¶
- name
rdataset-histdata-wheat
- reference
- R package
histdata
- R Dataset
wheat
880. Playfair’s Data on Wages and the Price of Wheat¶
- name
rdataset-histdata-wheat.monarchs
- reference
- R package
histdata
- R Dataset
wheat.monarchs
881. Student’s (1906) Yeast Cell Counts¶
- name
rdataset-histdata-yeast
- reference
- R package
histdata
- R Dataset
yeast
882. Student’s (1906) Yeast Cell Counts¶
- name
rdataset-histdata-yeastd.mat
- reference
- R package
histdata
- R Dataset
yeastd.mat
883. Darwin’s Heights of Cross- and Self-fertilized Zea May Pairs¶
- name
rdataset-histdata-zeamays
- reference
- R package
histdata
- R Dataset
zeamays
884. Methylprednisolone data¶
- name
rdataset-hlmdiag-ahd
- reference
- R package
hlmdiag
- R Dataset
ahd
885. Autism data¶
- name
rdataset-hlmdiag-autism
- reference
- R package
hlmdiag
- R Dataset
autism
886. Radon data¶
- name
rdataset-hlmdiag-radon
- reference
- R package
hlmdiag
- R Dataset
radon
887. Wages for male high school dropouts¶
- name
rdataset-hlmdiag-wages
- reference
- R package
hlmdiag
- R Dataset
wages
888. Total Body Composision Data¶
- name
rdataset-hsaur-agefat
- reference
- R package
hsaur
- R Dataset
agefat
889. Aspirin Data¶
- name
rdataset-hsaur-aspirin
- reference
- R package
hsaur
- R Dataset
aspirin
890. BCG Vaccine Data¶
- name
rdataset-hsaur-bcg
- reference
- R package
hsaur
- R Dataset
bcg
891. Birth and Death Rates Data¶
- name
rdataset-hsaur-birthdeathrates
- reference
- R package
hsaur
- R Dataset
birthdeathrates
892. Bladder Cancer Data¶
- name
rdataset-hsaur-bladdercancer
- reference
- R package
hsaur
- R Dataset
bladdercancer
893. Beat the Blues Data¶
- name
rdataset-hsaur-btheb
- reference
- R package
hsaur
- R Dataset
btheb
894. Cloud Seeding Data¶
- name
rdataset-hsaur-clouds
- reference
- R package
hsaur
- R Dataset
clouds
895. CYG OB1 Star Cluster Data¶
- name
rdataset-hsaur-cygob1
- reference
- R package
hsaur
- R Dataset
cygob1
896. Epilepsy Data¶
- name
rdataset-hsaur-epilepsy
- reference
- R package
hsaur
- R Dataset
epilepsy
897. The Forbes 2000 Ranking of the World’s Biggest Companies (Year 2004)¶
- name
rdataset-hsaur-forbes2000
- reference
- R package
hsaur
- R Dataset
forbes2000
898. Foster Feeding Experiment¶
- name
rdataset-hsaur-foster
- reference
- R package
hsaur
- R Dataset
foster
899. General Health Questionnaire¶
- name
rdataset-hsaur-ghq
- reference
- R package
hsaur
- R Dataset
ghq
900. Olympic Heptathlon Seoul 1988¶
- name
rdataset-hsaur-heptathlon
- reference
- R package
hsaur
- R Dataset
heptathlon
901. Prevention of Gastointestinal Damages¶
- name
rdataset-hsaur-lanza
- reference
- R package
hsaur
- R Dataset
lanza
902. Survival Times after Mastectomy of Breast Cancer Patients¶
- name
rdataset-hsaur-mastectomy
- reference
- R package
hsaur
- R Dataset
mastectomy
903. Meteorological Measurements for 11 Years¶
- name
rdataset-hsaur-meteo
- reference
- R package
hsaur
- R Dataset
meteo
904. Oral Lesions in Rural India¶
- name
rdataset-hsaur-orallesions
- reference
- R package
hsaur
- R Dataset
orallesions
905. Phosphate Level Data¶
- name
rdataset-hsaur-phosphate
- reference
- R package
hsaur
- R Dataset
phosphate
906. Piston Rings Failures¶
- name
rdataset-hsaur-pistonrings
- reference
- R package
hsaur
- R Dataset
pistonrings
907. Exoplanets Data¶
- name
rdataset-hsaur-planets
- reference
- R package
hsaur
- R Dataset
planets
908. Blood Screening Data¶
- name
rdataset-hsaur-plasma
- reference
- R package
hsaur
- R Dataset
plasma
909. Familial Andenomatous Polyposis¶
- name
rdataset-hsaur-polyps
- reference
- R package
hsaur
- R Dataset
polyps
910. Familial Andenomatous Polyposis¶
- name
rdataset-hsaur-polyps3
- reference
- R package
hsaur
- R Dataset
polyps3
911. Romano-British Pottery Data¶
- name
rdataset-hsaur-pottery
- reference
- R package
hsaur
- R Dataset
pottery
912. Rearrests of Juvenile Felons¶
- name
rdataset-hsaur-rearrests
- reference
- R package
hsaur
- R Dataset
rearrests
913. Respiratory Illness Data¶
- name
rdataset-hsaur-respiratory
- reference
- R package
hsaur
- R Dataset
respiratory
914. Students Estimates of Lecture Room Width¶
- name
rdataset-hsaur-roomwidth
- reference
- R package
hsaur
- R Dataset
roomwidth
915. Age of Onset of Schizophrenia Data¶
- name
rdataset-hsaur-schizophrenia
- reference
- R package
hsaur
- R Dataset
schizophrenia
916. Schizophrenia Data¶
- name
rdataset-hsaur-schizophrenia2
- reference
- R package
hsaur
- R Dataset
schizophrenia2
917. Days not Spent at School¶
- name
rdataset-hsaur-schooldays
- reference
- R package
hsaur
- R Dataset
schooldays
918. Egyptian Skulls¶
- name
rdataset-hsaur-skulls
- reference
- R package
hsaur
- R Dataset
skulls
919. Nicotine Gum and Smoking Cessation¶
- name
rdataset-hsaur-smoking
- reference
- R package
hsaur
- R Dataset
smoking
920. Student Risk Taking¶
- name
rdataset-hsaur-students
- reference
- R package
hsaur
- R Dataset
students
921. Crowd Baiting Behaviour and Suicides¶
- name
rdataset-hsaur-suicides
- reference
- R package
hsaur
- R Dataset
suicides
922. Toothpaste Data¶
- name
rdataset-hsaur-toothpaste
- reference
- R package
hsaur
- R Dataset
toothpaste
923. House of Representatives Voting Data¶
- name
rdataset-hsaur-voting
- reference
- R package
hsaur
- R Dataset
voting
924. Mortality and Water Hardness¶
- name
rdataset-hsaur-water
- reference
- R package
hsaur
- R Dataset
water
925. Water Voles Data¶
- name
rdataset-hsaur-watervoles
- reference
- R package
hsaur
- R Dataset
watervoles
926. Electricity from Wave Power at Sea¶
- name
rdataset-hsaur-waves
- reference
- R package
hsaur
- R Dataset
waves
927. Gain in Weight of Rats¶
- name
rdataset-hsaur-weightgain
- reference
- R package
hsaur
- R Dataset
weightgain
928. Womens Role in Society¶
- name
rdataset-hsaur-womensrole
- reference
- R package
hsaur
- R Dataset
womensrole
929. Observed genotype frequencies at MN and S loci, for 2 populations¶
- name
rdataset-hwde-indianirish
- reference
- R package
hwde
- R Dataset
indianirish
930. Mendel’s F2 trifactorial data for seed shape (A: round or wrinkled), cotyledon color (B: albumen yellow or green), and seed coat color (C: grey-brown or white)¶
- name
rdataset-hwde-mendelabc
- reference
- R package
hwde
- R Dataset
mendelabc
931. Auto Data Set¶
- name
rdataset-islr-auto
- reference
- R package
islr
- R Dataset
auto
932. The Insurance Company (TIC) Benchmark¶
- name
rdataset-islr-caravan
- reference
- R package
islr
- R Dataset
caravan
933. Sales of Child Car Seats¶
- name
rdataset-islr-carseats
- reference
- R package
islr
- R Dataset
carseats
934. U.S. News and World Report’s College Data¶
- name
rdataset-islr-college
- reference
- R package
islr
- R Dataset
college
935. Credit Card Balance Data¶
- name
rdataset-islr-credit
- reference
- R package
islr
- R Dataset
credit
936. Credit Card Default Data¶
- name
rdataset-islr-default
- reference
- R package
islr
- R Dataset
default
937. Baseball Data¶
- name
rdataset-islr-hitters
- reference
- R package
islr
- R Dataset
hitters
938. NCI 60 Data¶
- name
rdataset-islr-nci60
- reference
- R package
islr
- R Dataset
nci60
939. Orange Juice Data¶
- name
rdataset-islr-oj
- reference
- R package
islr
- R Dataset
oj
940. Portfolio Data¶
- name
rdataset-islr-portfolio
- reference
- R package
islr
- R Dataset
portfolio
941. S&P Stock Market Data¶
- name
rdataset-islr-smarket
- reference
- R package
islr
- R Dataset
smarket
942. Mid-Atlantic Wage Data¶
- name
rdataset-islr-wage
- reference
- R package
islr
- R Dataset
wage
943. Weekly S&P Stock Market Data¶
- name
rdataset-islr-weekly
- reference
- R package
islr
- R Dataset
weekly
944. Raw EEG data, single trial, 50Hz.¶
- name
rdataset-itsadug-eeg
- reference
- R package
itsadug
- R Dataset
eeg
945. Simulated time series data.¶
- name
rdataset-itsadug-simdat
- reference
- R package
itsadug
- R Dataset
simdat
946. data from Section 1.19¶
- name
rdataset-kmsurv-aids
- reference
- R package
kmsurv
- R Dataset
aids
947. data from Section 1.9¶
- name
rdataset-kmsurv-alloauto
- reference
- R package
kmsurv
- R Dataset
alloauto
948. data from Exercise 13.1, p418¶
- name
rdataset-kmsurv-allograft
- reference
- R package
kmsurv
- R Dataset
allograft
949. data from Exercise 4.7, p122¶
- name
rdataset-kmsurv-azt
- reference
- R package
kmsurv
- R Dataset
azt
950. data from Exercise 5.8, p147¶
- name
rdataset-kmsurv-baboon
- reference
- R package
kmsurv
- R Dataset
baboon
951. data from Section 1.18¶
- name
rdataset-kmsurv-bcdeter
- reference
- R package
kmsurv
- R Dataset
bcdeter
952. data from Section 1.14¶
- name
rdataset-kmsurv-bfeed
- reference
- R package
kmsurv
- R Dataset
bfeed
953. data from Section 1.3¶
- name
rdataset-kmsurv-bmt
- reference
- R package
kmsurv
- R Dataset
bmt
954. data from Exercise 7.7, p223¶
- name
rdataset-kmsurv-bnct
- reference
- R package
kmsurv
- R Dataset
bnct
955. data from Section 1.5¶
- name
rdataset-kmsurv-btrial
- reference
- R package
kmsurv
- R Dataset
btrial
956. data from Section 1.6¶
- name
rdataset-kmsurv-burn
- reference
- R package
kmsurv
- R Dataset
burn
957. data from Section 1.16¶
- name
rdataset-kmsurv-channing
- reference
- R package
kmsurv
- R Dataset
channing
958. data from Section 1.2¶
- name
rdataset-kmsurv-drug6mp
- reference
- R package
kmsurv
- R Dataset
drug6mp
959. data from Exercise 7.6, p222¶
- name
rdataset-kmsurv-drughiv
- reference
- R package
kmsurv
- R Dataset
drughiv
960. data from Section 1.10¶
- name
rdataset-kmsurv-hodg
- reference
- R package
kmsurv
- R Dataset
hodg
961. data from Section 1.4¶
- name
rdataset-kmsurv-kidney
- reference
- R package
kmsurv
- R Dataset
kidney
962. Data on 38 individuals using a kidney dialysis machine¶
- name
rdataset-kmsurv-kidrecurr
- reference
- R package
kmsurv
- R Dataset
kidrecurr
963. data from Section 1.7¶
- name
rdataset-kmsurv-kidtran
- reference
- R package
kmsurv
- R Dataset
kidtran
964. data from Section 1.8¶
- name
rdataset-kmsurv-larynx
- reference
- R package
kmsurv
- R Dataset
larynx
965. data from Exercise 4.4, p120¶
- name
rdataset-kmsurv-lung
- reference
- R package
kmsurv
- R Dataset
lung
966. data from Section 1.13¶
- name
rdataset-kmsurv-pneumon
- reference
- R package
kmsurv
- R Dataset
pneumon
967. data from Section 1.15¶
- name
rdataset-kmsurv-psych
- reference
- R package
kmsurv
- R Dataset
psych
968. data from Exercise 7.13, p225¶
- name
rdataset-kmsurv-rats
- reference
- R package
kmsurv
- R Dataset
rats
969. data from Section 1.12¶
- name
rdataset-kmsurv-std
- reference
- R package
kmsurv
- R Dataset
std
970. data from Exercise 5.6, p146¶
- name
rdataset-kmsurv-stddiag
- reference
- R package
kmsurv
- R Dataset
stddiag
971. data from Section 1.11¶
- name
rdataset-kmsurv-tongue
- reference
- R package
kmsurv
- R Dataset
tongue
972. data from Exercise 7.14, p225¶
- name
rdataset-kmsurv-twins
- reference
- R package
kmsurv
- R Dataset
twins
973. Yield data from a Minnesota barley trial¶
- name
rdataset-lattice-barley
- reference
- R package
lattice
- R Dataset
barley
974. Atmospheric environmental conditions in New York City¶
- name
rdataset-lattice-environmental
- reference
- R package
lattice
- R Dataset
environmental
975. Engine exhaust fumes from burning ethanol¶
- name
rdataset-lattice-ethanol
- reference
- R package
lattice
- R Dataset
ethanol
976. Melanoma skin cancer incidence¶
- name
rdataset-lattice-melanoma
- reference
- R package
lattice
- R Dataset
melanoma
977. Heights of New York Choral Society singers¶
- name
rdataset-lattice-singer
- reference
- R package
lattice
- R Dataset
singer
978. Mortality Rates in US by Cause and Gender¶
- name
rdataset-lattice-usmortality
- reference
- R package
lattice
- R Dataset
usmortality
979. Mortality Rates in US by Cause and Gender¶
- name
rdataset-lattice-usregionalmortality
- reference
- R package
lattice
- R Dataset
usregionalmortality
980. Arabidopsis clipping/fertilization data¶
- name
rdataset-lme4-arabidopsis
- reference
- R package
lme4
- R Dataset
arabidopsis
981. Breakage Angle of Chocolate Cakes¶
- name
rdataset-lme4-cake
- reference
- R package
lme4
- R Dataset
cake
982. Contagious bovine pleuropneumonia¶
- name
rdataset-lme4-cbpp
- reference
- R package
lme4
- R Dataset
cbpp
983. Yield of dyestuff by batch¶
- name
rdataset-lme4-dyestuff
- reference
- R package
lme4
- R Dataset
dyestuff
984. Yield of dyestuff by batch¶
- name
rdataset-lme4-dyestuff2
- reference
- R package
lme4
- R Dataset
dyestuff2
985. Data on red grouse ticks from Elston et al. 2001¶
- name
rdataset-lme4-grouseticks
- reference
- R package
lme4
- R Dataset
grouseticks
986. Data on red grouse ticks from Elston et al. 2001¶
- name
rdataset-lme4-grouseticks_agg (grouseticks)
- reference
- R package
lme4
- R Dataset
grouseticks_agg (grouseticks)
987. University Lecture/Instructor Evaluations by Students at ETH¶
- name
rdataset-lme4-insteval
- reference
- R package
lme4
- R Dataset
insteval
988. Paste strength by batch and cask¶
- name
rdataset-lme4-pastes
- reference
- R package
lme4
- R Dataset
pastes
989. Variation in penicillin testing¶
- name
rdataset-lme4-penicillin
- reference
- R package
lme4
- R Dataset
penicillin
990. Reaction times in a sleep deprivation study¶
- name
rdataset-lme4-sleepstudy
- reference
- R package
lme4
- R Dataset
sleepstudy
991. Verbal Aggression item responses¶
- name
rdataset-lme4-verbagg
- reference
- R package
lme4
- R Dataset
verbagg
992. Data set for Unstructured Treatment Interruption Study¶
- name
rdataset-lmec-utidata
- reference
- R package
lmec
- R Dataset
utidata
993. Determinations of Nickel Content¶
- name
rdataset-mass-abbey
- reference
- R package
mass
- R Dataset
abbey
994. Accidental Deaths in the US 1973-1978¶
- name
rdataset-mass-accdeaths
- reference
- R package
mass
- R Dataset
accdeaths
995. Australian AIDS Survival Data¶
- name
rdataset-mass-aids2
- reference
- R package
mass
- R Dataset
aids2
996. Brain and Body Weights for 28 Species¶
- name
rdataset-mass-animals
- reference
- R package
mass
- R Dataset
animals
997. Anorexia Data on Weight Change¶
- name
rdataset-mass-anorexia
- reference
- R package
mass
- R Dataset
anorexia
998. Presence of Bacteria after Drug Treatments¶
- name
rdataset-mass-bacteria
- reference
- R package
mass
- R Dataset
bacteria
999. Body Temperature Series of Beaver 1¶
- name
rdataset-mass-beav1
- reference
- R package
mass
- R Dataset
beav1
1000. Body Temperature Series of Beaver 2¶
- name
rdataset-mass-beav2
- reference
- R package
mass
- R Dataset
beav2
1001. Biopsy Data on Breast Cancer Patients¶
- name
rdataset-mass-biopsy
- reference
- R package
mass
- R Dataset
biopsy
1002. Risk Factors Associated with Low Infant Birth Weight¶
- name
rdataset-mass-birthwt
- reference
- R package
mass
- R Dataset
birthwt
1003. Housing Values in Suburbs of Boston¶
- name
rdataset-mass-boston
- reference
- R package
mass
- R Dataset
boston
1004. Data from a cabbage field trial¶
- name
rdataset-mass-cabbages
- reference
- R package
mass
- R Dataset
cabbages
1005. Colours of Eyes and Hair of People in Caithness¶
- name
rdataset-mass-caith
- reference
- R package
mass
- R Dataset
caith
1006. Data from 93 Cars on Sale in the USA in 1993¶
- name
rdataset-mass-cars93
- reference
- R package
mass
- R Dataset
cars93
1007. Anatomical Data from Domestic Cats¶
- name
rdataset-mass-cats
- reference
- R package
mass
- R Dataset
cats
1008. Heat Evolved by Setting Cements¶
- name
rdataset-mass-cement
- reference
- R package
mass
- R Dataset
cement
1009. Copper in Wholemeal Flour¶
- name
rdataset-mass-chem
- reference
- R package
mass
- R Dataset
chem
1010. Co-operative Trial in Analytical Chemistry¶
- name
rdataset-mass-coop
- reference
- R package
mass
- R Dataset
coop
1011. Performance of Computer CPUs¶
- name
rdataset-mass-cpus
- reference
- R package
mass
- R Dataset
cpus
1012. Morphological Measurements on Leptograpsus Crabs¶
- name
rdataset-mass-crabs
- reference
- R package
mass
- R Dataset
crabs
1013. Diagnostic Tests on Patients with Cushing’s Syndrome¶
- name
rdataset-mass-cushings
- reference
- R package
mass
- R Dataset
cushings
1014. DDT in Kale¶
- name
rdataset-mass-ddt
- reference
- R package
mass
- R Dataset
ddt
1015. Monthly Deaths from Lung Diseases in the UK¶
- name
rdataset-mass-deaths
- reference
- R package
mass
- R Dataset
deaths
1016. Deaths of Car Drivers in Great Britain 1969-84¶
- name
rdataset-mass-drivers
- reference
- R package
mass
- R Dataset
drivers
1017. Foraging Ecology of Bald Eagles¶
- name
rdataset-mass-eagles
- reference
- R package
mass
- R Dataset
eagles
1018. Seizure Counts for Epileptics¶
- name
rdataset-mass-epil
- reference
- R package
mass
- R Dataset
epil
1019. Ecological Factors in Farm Management¶
- name
rdataset-mass-farms
- reference
- R package
mass
- R Dataset
farms
1020. Measurements of Forensic Glass Fragments¶
- name
rdataset-mass-fgl
- reference
- R package
mass
- R Dataset
fgl
1021. Forbes’ Data on Boiling Points in the Alps¶
- name
rdataset-mass-forbes
- reference
- R package
mass
- R Dataset
forbes
1022. Level of GAG in Urine of Children¶
- name
rdataset-mass-gagurine
- reference
- R package
mass
- R Dataset
gagurine
1023. Velocities for 82 Galaxies¶
- name
rdataset-mass-galaxies
- reference
- R package
mass
- R Dataset
galaxies
1024. Remission Times of Leukaemia Patients¶
- name
rdataset-mass-gehan
- reference
- R package
mass
- R Dataset
gehan
1025. Rat Genotype Data¶
- name
rdataset-mass-genotype
- reference
- R package
mass
- R Dataset
genotype
1026. Old Faithful Geyser Data¶
- name
rdataset-mass-geyser
- reference
- R package
mass
- R Dataset
geyser
1027. Line Transect of Soil in Gilgai Territory¶
- name
rdataset-mass-gilgais
- reference
- R package
mass
- R Dataset
gilgais
1028. Record Times in Scottish Hill Races¶
- name
rdataset-mass-hills
- reference
- R package
mass
- R Dataset
hills
1029. Frequency Table from a Copenhagen Housing Conditions Survey¶
- name
rdataset-mass-housing
- reference
- R package
mass
- R Dataset
housing
1030. Yields from a Barley Field Trial¶
- name
rdataset-mass-immer
- reference
- R package
mass
- R Dataset
immer
1031. Numbers of Car Insurance claims¶
- name
rdataset-mass-insurance
- reference
- R package
mass
- R Dataset
insurance
1032. Survival Times and White Blood Counts for Leukaemia Patients¶
- name
rdataset-mass-leuk
- reference
- R package
mass
- R Dataset
leuk
1033. Brain and Body Weights for 62 Species of Land Mammals¶
- name
rdataset-mass-mammals
- reference
- R package
mass
- R Dataset
mammals
1034. Data from a Simulated Motorcycle Accident¶
- name
rdataset-mass-mcycle
- reference
- R package
mass
- R Dataset
mcycle
1035. Survival from Malignant Melanoma¶
- name
rdataset-mass-melanoma
- reference
- R package
mass
- R Dataset
melanoma
1036. Age of Menarche in Warsaw¶
- name
rdataset-mass-menarche
- reference
- R package
mass
- R Dataset
menarche
1037. Michelson’s Speed of Light Data¶
- name
rdataset-mass-michelson
- reference
- R package
mass
- R Dataset
michelson
1038. Minnesota High School Graduates of 1938¶
- name
rdataset-mass-minn38
- reference
- R package
mass
- R Dataset
minn38
1039. Accelerated Life Testing of Motorettes¶
- name
rdataset-mass-motors
- reference
- R package
mass
- R Dataset
motors
1040. Effect of Calcium Chloride on Muscle Contraction in Rat Hearts¶
- name
rdataset-mass-muscle
- reference
- R package
mass
- R Dataset
muscle
1041. Newcomb’s Measurements of the Passage Time of Light¶
- name
rdataset-mass-newcomb
- reference
- R package
mass
- R Dataset
newcomb
1042. Eighth-Grade Pupils in the Netherlands¶
- name
rdataset-mass-nlschools
- reference
- R package
mass
- R Dataset
nlschools
1043. Classical N, P, K Factorial Experiment¶
- name
rdataset-mass-npk
- reference
- R package
mass
- R Dataset
npk
1045. Data from an Oats Field Trial¶
- name
rdataset-mass-oats
- reference
- R package
mass
- R Dataset
oats
1046. Tests of Auditory Perception in Children with OME¶
- name
rdataset-mass-ome
- reference
- R package
mass
- R Dataset
ome
1047. The Painter’s Data of de Piles¶
- name
rdataset-mass-painters
- reference
- R package
mass
- R Dataset
painters
1048. N. L. Prater’s Petrol Refinery Data¶
- name
rdataset-mass-petrol
- reference
- R package
mass
- R Dataset
petrol
1049. Belgium Phone Calls 1950-1973¶
- name
rdataset-mass-phones
- reference
- R package
mass
- R Dataset
phones
1050. Diabetes in Pima Indian Women¶
- name
rdataset-mass-pima.te
- reference
- R package
mass
- R Dataset
pima.te
1051. Diabetes in Pima Indian Women¶
- name
rdataset-mass-pima.tr
- reference
- R package
mass
- R Dataset
pima.tr
1052. Diabetes in Pima Indian Women¶
- name
rdataset-mass-pima.tr2
- reference
- R package
mass
- R Dataset
pima.tr2
1053. Absenteeism from School in Rural New South Wales¶
- name
rdataset-mass-quine
- reference
- R package
mass
- R Dataset
quine
1054. Blood Pressure in Rabbits¶
- name
rdataset-mass-rabbit
- reference
- R package
mass
- R Dataset
rabbit
1055. Road Accident Deaths in US States¶
- name
rdataset-mass-road
- reference
- R package
mass
- R Dataset
road
1056. Numbers of Rotifers by Fluid Density¶
- name
rdataset-mass-rotifer
- reference
- R package
mass
- R Dataset
rotifer
1057. Accelerated Testing of Tyre Rubber¶
- name
rdataset-mass-rubber
- reference
- R package
mass
- R Dataset
rubber
1058. Ships Damage Data¶
- name
rdataset-mass-ships
- reference
- R package
mass
- R Dataset
ships
1059. Shoe wear data of Box, Hunter and Hunter¶
- name
rdataset-mass-shoes
- reference
- R package
mass
- R Dataset
shoes
1060. Percentage of Shrimp in Shrimp Cocktail¶
- name
rdataset-mass-shrimp
- reference
- R package
mass
- R Dataset
shrimp
1061. Space Shuttle Autolander Problem¶
- name
rdataset-mass-shuttle
- reference
- R package
mass
- R Dataset
shuttle
1062. Growth Curves for Sitka Spruce Trees in 1988¶
- name
rdataset-mass-sitka
- reference
- R package
mass
- R Dataset
sitka
1063. Growth Curves for Sitka Spruce Trees in 1989¶
- name
rdataset-mass-sitka89
- reference
- R package
mass
- R Dataset
sitka89
1064. AFM Compositions of Aphyric Skye Lavas¶
- name
rdataset-mass-skye
- reference
- R package
mass
- R Dataset
skye
1065. Snail Mortality Data¶
- name
rdataset-mass-snails
- reference
- R package
mass
- R Dataset
snails
1066. Returns of the Standard and Poors 500¶
- name
rdataset-mass-sp500
- reference
- R package
mass
- R Dataset
sp500
1067. The Saturated Steam Pressure Data¶
- name
rdataset-mass-steam
- reference
- R package
mass
- R Dataset
steam
1068. The Stormer Viscometer Data¶
- name
rdataset-mass-stormer
- reference
- R package
mass
- R Dataset
stormer
1069. Student Survey Data¶
- name
rdataset-mass-survey
- reference
- R package
mass
- R Dataset
survey
1070. Synthetic Classification Problem¶
- name
rdataset-mass-synth.te
- reference
- R package
mass
- R Dataset
synth.te
1071. Synthetic Classification Problem¶
- name
rdataset-mass-synth.tr
- reference
- R package
mass
- R Dataset
synth.tr
1072. Spatial Topographic Data¶
- name
rdataset-mass-topo
- reference
- R package
mass
- R Dataset
topo
1073. Effect of Swedish Speed Limits on Accidents¶
- name
rdataset-mass-traffic
- reference
- R package
mass
- R Dataset
traffic
1074. Nutritional and Marketing Information on US Cereals¶
- name
rdataset-mass-uscereal
- reference
- R package
mass
- R Dataset
uscereal
1075. The Effect of Punishment Regimes on Crime Rates¶
- name
rdataset-mass-uscrime
- reference
- R package
mass
- R Dataset
uscrime
1076. Veteran’s Administration Lung Cancer Trial¶
- name
rdataset-mass-va
- reference
- R package
mass
- R Dataset
va
1077. Counts of Waders at 15 Sites in South Africa¶
- name
rdataset-mass-waders
- reference
- R package
mass
- R Dataset
waders
1078. House Insulation: Whiteside’s Data¶
- name
rdataset-mass-whiteside
- reference
- R package
mass
- R Dataset
whiteside
1079. Weight Loss Data from an Obese Patient¶
- name
rdataset-mass-wtloss
- reference
- R package
mass
- R Dataset
wtloss
1080. Data from National Supported Work Demonstration and PSID, as analyzed by Dehejia and Wahba (1999).¶
- name
rdataset-matchit-lalonde
- reference
- R package
matchit
- R Dataset
lalonde
1081. Example Data for the Design Functions¶
- name
rdataset-mediation-boundsdata
- reference
- R package
mediation
- R Dataset
boundsdata
1082. Example Data for the Crossover Encouragement Design¶
- name
rdataset-mediation-ceddata
- reference
- R package
mediation
- R Dataset
ceddata
1083. Brader, Valentino and Suhay (2008) Framing Experiment Data¶
- name
rdataset-mediation-framing
- reference
- R package
mediation
- R Dataset
framing
1084. JOBS II data¶
- name
rdataset-mediation-jobs
- reference
- R package
mediation
- R Dataset
jobs
1085. School-level data¶
- name
rdataset-mediation-school
- reference
- R package
mediation
- R Dataset
school
1086. Hypothetical student-level data¶
- name
rdataset-mediation-student
- reference
- R package
mediation
- R Dataset
student
1087. Retrospective Cohort Study of the Effects of Blood Storage on Prostate Cancer¶
- name
rdataset-medicaldata-blood_storage
- reference
- R package
medicaldata
- R Dataset
blood_storage
1088. Deidentified Results of COVID-19 testing at the Children’s Hospital of Pennsylvania (CHOP) in 2020¶
- name
rdataset-medicaldata-covid_testing
- reference
- R package
medicaldata
- R Dataset
covid_testing
1089. Retrospective Cohort Study of the Effects of Donor KIR genotype on the reactivation of cytomegalovirus (CMV) after myeloablative allogeneic hematopoietic stem cell transplant.¶
- name
rdataset-medicaldata-cytomegalovirus
- reference
- R package
medicaldata
- R Dataset
cytomegalovirus
1090. esoph_ca: Esophageal Cancer dataset¶
- name
rdataset-medicaldata-esoph_ca
- reference
- R package
medicaldata
- R Dataset
esoph_ca
1091. RCT of Indomethacin for Prevention of Post-ERCP Pancreatitis¶
- name
rdataset-medicaldata-indo_rct
- reference
- R package
medicaldata
- R Dataset
indo_rct
1092. Cohort Study of the Pharmacokinetics of Intravenous Indomethacin¶
- name
rdataset-medicaldata-indometh
- reference
- R package
medicaldata
- R Dataset
indometh
1093. Randomized, Comparison Trial of Video vs. Standard Laryngoscope¶
- name
rdataset-medicaldata-laryngoscope
- reference
- R package
medicaldata
- R Dataset
laryngoscope
1094. Randomized, Controlled Trial of Licorice Gargle before Intubation for Elective Thoracic Surgery¶
- name
rdataset-medicaldata-licorice_gargle
- reference
- R package
medicaldata
- R Dataset
licorice_gargle
1095. Obstetrics and Periodontal Therapy Dataset¶
- name
rdataset-medicaldata-opt
- reference
- R package
medicaldata
- R Dataset
opt
1096. RCT of Sulindac for Polyp Prevention in Familial Adenomatous Polyposis¶
- name
rdataset-medicaldata-polyps
- reference
- R package
medicaldata
- R Dataset
polyps
1097. Randomized Trial of Six Therapies for Scurvy¶
- name
rdataset-medicaldata-scurvy
- reference
- R package
medicaldata
- R Dataset
scurvy
1098. Prospective Cohort Study of Intestinal Transit using a SmartPill to Compare Trauma Patients to Healthy Volunteers¶
- name
rdataset-medicaldata-smartpill
- reference
- R package
medicaldata
- R Dataset
smartpill
1099. RCT of Streptomycin Therapy for Tuberculosis¶
- name
rdataset-medicaldata-strep_tb
- reference
- R package
medicaldata
- R Dataset
strep_tb
1100. Study of Supraclavicular Anesthesia¶
- name
rdataset-medicaldata-supraclavicular
- reference
- R package
medicaldata
- R Dataset
supraclavicular
1101. Cohort Study of the Pharmacokinetics of Oral Theophylline¶
- name
rdataset-medicaldata-theoph
- reference
- R package
medicaldata
- R Dataset
theoph
1102. Subset of variables from the CHAIN project¶
- name
rdataset-mi-chain
- reference
- R package
mi
- R Dataset
chain
1103. National Longitudinal Survey of Youth Extract¶
- name
rdataset-mi-nlsyv
- reference
- R package
mi
- R Dataset
nlsyv
1104. Language Scores of 8-Graders in The Netherlands¶
- name
rdataset-mlmrev-bdf
- reference
- R package
mlmrev
- R Dataset
bdf
1105. Scores on A-level Chemistry in 1997¶
- name
rdataset-mlmrev-chem97
- reference
- R package
mlmrev
- R Dataset
chem97
1106. Contraceptive use in Bangladesh¶
- name
rdataset-mlmrev-contraception
- reference
- R package
mlmrev
- R Dataset
contraception
1107. Early childhood intervention study¶
- name
rdataset-mlmrev-early
- reference
- R package
mlmrev
- R Dataset
early
1108. US Sustaining Effects study¶
- name
rdataset-mlmrev-egsingle
- reference
- R package
mlmrev
- R Dataset
egsingle
1109. Exam scores from inner London¶
- name
rdataset-mlmrev-exam
- reference
- R package
mlmrev
- R Dataset
exam
1110. GCSE exam score¶
- name
rdataset-mlmrev-gcsemv
- reference
- R package
mlmrev
- R Dataset
gcsemv
1111. Immunization in Guatemala¶
- name
rdataset-mlmrev-guimmun
- reference
- R package
mlmrev
- R Dataset
guimmun
1112. Prenatal care in Guatemala¶
- name
rdataset-mlmrev-guprenat
- reference
- R package
mlmrev
- R Dataset
guprenat
1113. High School and Beyond - 1982¶
- name
rdataset-mlmrev-hsb82
- reference
- R package
mlmrev
- R Dataset
hsb82
1114. Malignant melanoma deaths in Europe¶
- name
rdataset-mlmrev-mmmec
- reference
- R package
mlmrev
- R Dataset
mmmec
1115. Heights of Boys in Oxford¶
- name
rdataset-mlmrev-oxboys
- reference
- R package
mlmrev
- R Dataset
oxboys
1116. Covariates in the Rodriguez and Goldman simulation¶
- name
rdataset-mlmrev-s3bbx
- reference
- R package
mlmrev
- R Dataset
s3bbx
1117. Responses simulated by Rodriguez and Goldman¶
- name
rdataset-mlmrev-s3bby
- reference
- R package
mlmrev
- R Dataset
s3bby
1118. Scottish secondary school scores¶
- name
rdataset-mlmrev-scotssec
- reference
- R package
mlmrev
- R Dataset
scotssec
1120. Student Teacher Achievement Ratio (STAR) project data¶
- name
rdataset-mlmrev-star
- reference
- R package
mlmrev
- R Dataset
star
1121. Alzheimer’s disease data¶
- name
rdataset-modeldata-ad_data
- reference
- R package
modeldata
- R Dataset
ad_data
1122. Ames Housing Data¶
- name
rdataset-modeldata-ames
- reference
- R package
modeldata
- R Dataset
ames
1123. Job attrition¶
- name
rdataset-modeldata-attrition
- reference
- R package
modeldata
- R Dataset
attrition
1124. Biomass data¶
- name
rdataset-modeldata-biomass
- reference
- R package
modeldata
- R Dataset
biomass
1125. Example bivariate classification data¶
- name
rdataset-modeldata-bivariate_test (bivariate)
- reference
- R package
modeldata
- R Dataset
bivariate_test (bivariate)
1126. Example bivariate classification data¶
- name
rdataset-modeldata-bivariate_train (bivariate)
- reference
- R package
modeldata
- R Dataset
bivariate_train (bivariate)
1127. Example bivariate classification data¶
- name
rdataset-modeldata-bivariate_val (bivariate)
- reference
- R package
modeldata
- R Dataset
bivariate_val (bivariate)
1128. Kelly Blue Book resale data for 2005 model year GM cars¶
- name
rdataset-modeldata-car_prices
- reference
- R package
modeldata
- R Dataset
car_prices
1129. Cell body segmentation¶
- name
rdataset-modeldata-cells
- reference
- R package
modeldata
- R Dataset
cells
1130. Execution time data¶
- name
rdataset-modeldata-check_times
- reference
- R package
modeldata
- R Dataset
check_times
1131. Chicago ridership data¶
- name
rdataset-modeldata-chicago
- reference
- R package
modeldata
- R Dataset
chicago
1132. Compressive strength of concrete mixtures¶
- name
rdataset-modeldata-concrete
- reference
- R package
modeldata
- R Dataset
concrete
1133. Raw cover type data¶
- name
rdataset-modeldata-covers
- reference
- R package
modeldata
- R Dataset
covers
1134. Credit data¶
- name
rdataset-modeldata-credit_data
- reference
- R package
modeldata
- R Dataset
credit_data
1135. Rates of Cricket Chirps¶
- name
rdataset-modeldata-crickets
- reference
- R package
modeldata
- R Dataset
crickets
1136. Sample time series data¶
- name
rdataset-modeldata-drinks
- reference
- R package
modeldata
- R Dataset
drinks
1137. Grant acceptance data¶
- name
rdataset-modeldata-grants_2008 (grants)
- reference
- R package
modeldata
- R Dataset
grants_2008 (grants)
1138. Grant acceptance data¶
- name
rdataset-modeldata-grants_other (grants)
- reference
- R package
modeldata
- R Dataset
grants_other (grants)
1139. Grant acceptance data¶
- name
rdataset-modeldata-grants_test (grants)
- reference
- R package
modeldata
- R Dataset
grants_test (grants)
1140. Class probability predictions¶
- name
rdataset-modeldata-hpc_cv
- reference
- R package
modeldata
- R Dataset
hpc_cv
1141. High-performance computing system data¶
- name
rdataset-modeldata-hpc_data
- reference
- R package
modeldata
- R Dataset
hpc_data
1142. Loan data¶
- name
rdataset-modeldata-lending_club
- reference
- R package
modeldata
- R Dataset
lending_club
1143. Fat, water and protein content of meat samples¶
- name
rdataset-modeldata-meats
- reference
- R package
modeldata
- R Dataset
meats
1144. Customer churn data¶
- name
rdataset-modeldata-mlc_churn
- reference
- R package
modeldata
- R Dataset
mlc_churn
1145. Fatty acid composition of commercial oils¶
- name
rdataset-modeldata-oils
- reference
- R package
modeldata
- R Dataset
oils
1146. Parabolic class boundary data¶
- name
rdataset-modeldata-parabolic
- reference
- R package
modeldata
- R Dataset
parabolic
1147. Liver pathology data¶
- name
rdataset-modeldata-pathology
- reference
- R package
modeldata
- R Dataset
pathology
1148. Parkinson’s disease speech classification data set¶
- name
rdataset-modeldata-pd_speech
- reference
- R package
modeldata
- R Dataset
pd_speech
1149. Palmer Station penguin data¶
- name
rdataset-modeldata-penguins
- reference
- R package
modeldata
- R Dataset
penguins
1150. Sacramento CA home prices¶
- name
rdataset-modeldata-sacramento
- reference
- R package
modeldata
- R Dataset
sacramento
1151. Morphometric data on scat¶
- name
rdataset-modeldata-scat
- reference
- R package
modeldata
- R Dataset
scat
1152. Smithsonian museums¶
- name
rdataset-modeldata-smithsonian
- reference
- R package
modeldata
- R Dataset
smithsonian
1153. Solubility predictions from MARS model¶
- name
rdataset-modeldata-solubility_test
- reference
- R package
modeldata
- R Dataset
solubility_test
1154. Annual Stack Overflow Developer Survey Data¶
- name
rdataset-modeldata-stackoverflow
- reference
- R package
modeldata
- R Dataset
stackoverflow
1155. Chicago ridership data¶
- name
rdataset-modeldata-stations (chicago)
- reference
- R package
modeldata
- R Dataset
stations (chicago)
1156. Tate Gallery modern artwork metadata¶
- name
rdataset-modeldata-tate_text
- reference
- R package
modeldata
- R Dataset
tate_text
1157. Fine foods example data¶
- name
rdataset-modeldata-testing_data (small_fine_foods)
- reference
rdataset-modeldata-testing_data (small_fine_foods)’s home link.
- R package
modeldata
- R Dataset
testing_data (small_fine_foods)
1158. Fine foods example data¶
- name
rdataset-modeldata-training_data (small_fine_foods)
- reference
rdataset-modeldata-training_data (small_fine_foods)’s home link.
- R package
modeldata
- R Dataset
training_data (small_fine_foods)
1159. Two class data¶
- name
rdataset-modeldata-two_class_dat
- reference
- R package
modeldata
- R Dataset
two_class_dat
1160. Two class predictions¶
- name
rdataset-modeldata-two_class_example
- reference
- R package
modeldata
- R Dataset
two_class_example
1161. Watson churn data¶
- name
rdataset-modeldata-wa_churn
- reference
- R package
modeldata
- R Dataset
wa_churn
1162. Alcohol Consumption per Capita¶
- name
rdataset-mosaicdata-alcohol
- reference
- R package
mosaicdata
- R Dataset
alcohol
1163. US Births in 1969 - 1988¶
- name
rdataset-mosaicdata-birthdays
- reference
- R package
mosaicdata
- R Dataset
birthdays
1164. US Births¶
- name
rdataset-mosaicdata-births
- reference
- R package
mosaicdata
- R Dataset
births
1165. US Births¶
- name
rdataset-mosaicdata-births2015
- reference
- R package
mosaicdata
- R Dataset
births2015
1166. US Births¶
- name
rdataset-mosaicdata-births78
- reference
- R package
mosaicdata
- R Dataset
births78
1167. US Births¶
- name
rdataset-mosaicdata-birthscdc
- reference
- R package
mosaicdata
- R Dataset
birthscdc
1168. US Births¶
- name
rdataset-mosaicdata-birthsssa
- reference
- R package
mosaicdata
- R Dataset
birthsssa
1169. Standard Deck of Cards¶
- name
rdataset-mosaicdata-cards
- reference
- R package
mosaicdata
- R Dataset
cards
1170. CoolingWater¶
- name
rdataset-mosaicdata-coolingwater
- reference
- R package
mosaicdata
- R Dataset
coolingwater
1171. Countries¶
- name
rdataset-mosaicdata-countries
- reference
- R package
mosaicdata
- R Dataset
countries
1172. Data from the 1985 Current Population Survey (CPS85)¶
- name
rdataset-mosaicdata-cps85
- reference
- R package
mosaicdata
- R Dataset
cps85
1173. Weight of dimes¶
- name
rdataset-mosaicdata-dimes
- reference
- R package
mosaicdata
- R Dataset
dimes
1174. Galton’s dataset of parent and child heights¶
- name
rdataset-mosaicdata-galton
- reference
- R package
mosaicdata
- R Dataset
galton
1175. Data from the Child Health and Development Studies¶
- name
rdataset-mosaicdata-gestation
- reference
- R package
mosaicdata
- R Dataset
gestation
1176. Goose Permit Study¶
- name
rdataset-mosaicdata-goosepermits
- reference
- R package
mosaicdata
- R Dataset
goosepermits
1177. Data from a heat exchanger laboratory¶
- name
rdataset-mosaicdata-heatx
- reference
- R package
mosaicdata
- R Dataset
heatx
1178. Health Evaluation and Linkage to Primary Care¶
- name
rdataset-mosaicdata-helpfull
- reference
- R package
mosaicdata
- R Dataset
helpfull
1179. Health Evaluation and Linkage to Primary Care¶
- name
rdataset-mosaicdata-helpmiss
- reference
- R package
mosaicdata
- R Dataset
helpmiss
1180. Health Evaluation and Linkage to Primary Care¶
- name
rdataset-mosaicdata-helprct
- reference
- R package
mosaicdata
- R Dataset
helprct
1181. Foot measurements in children¶
- name
rdataset-mosaicdata-kidsfeet
- reference
- R package
mosaicdata
- R Dataset
kidsfeet
1182. Marriage records¶
- name
rdataset-mosaicdata-marriage
- reference
- R package
mosaicdata
- R Dataset
marriage
1183. Mites and Wilt Disease¶
- name
rdataset-mosaicdata-mites
- reference
- R package
mosaicdata
- R Dataset
mites
1184. Volume of Users of a Rail Trail¶
- name
rdataset-mosaicdata-railtrail
- reference
- R package
mosaicdata
- R Dataset
railtrail
1185. Volume of Users of a Massachusetts Rail Trail¶
- name
rdataset-mosaicdata-riders
- reference
- R package
mosaicdata
- R Dataset
riders
1186. Houses in Saratoga County (2006)¶
- name
rdataset-mosaicdata-saratogahouses
- reference
- R package
mosaicdata
- R Dataset
saratogahouses
1187. State by State SAT data¶
- name
rdataset-mosaicdata-sat
- reference
- R package
mosaicdata
- R Dataset
sat
1188. Snowfall data for Grand Rapids, MI¶
- name
rdataset-mosaicdata-snowgr
- reference
- R package
mosaicdata
- R Dataset
snowgr
1189. 100 m Swimming World Records¶
- name
rdataset-mosaicdata-swimrecords
- reference
- R package
mosaicdata
- R Dataset
swimrecords
1190. Cherry Blossom Race¶
- name
rdataset-mosaicdata-tenmilerace
- reference
- R package
mosaicdata
- R Dataset
tenmilerace
1191. Utility bills¶
- name
rdataset-mosaicdata-utilities
- reference
- R package
mosaicdata
- R Dataset
utilities
1192. Utility bills¶
- name
rdataset-mosaicdata-utilities2
- reference
- R package
mosaicdata
- R Dataset
utilities2
1193. Weather¶
- name
rdataset-mosaicdata-weather
- reference
- R package
mosaicdata
- R Dataset
weather
1194. Data from the Whickham survey¶
- name
rdataset-mosaicdata-whickham
- reference
- R package
mosaicdata
- R Dataset
whickham
1195. Data from the Amsterdam Cohort Studies on HIV infection and AIDS¶
- name
rdataset-mstate-aidssi
- reference
- R package
mstate
- R Dataset
aidssi
1196. Data from the Amsterdam Cohort Studies on HIV infection and AIDS¶
- name
rdataset-mstate-aidssi2
- reference
- R package
mstate
- R Dataset
aidssi2
1197. BMT data from Klein and Moeschberger¶
- name
rdataset-mstate-bmt
- reference
- R package
mstate
- R Dataset
bmt
1198. Data from the European Society for Blood and Marrow Transplantation (EBMT)¶
- name
rdataset-mstate-ebmt1
- reference
- R package
mstate
- R Dataset
ebmt1
1199. Data from the European Society for Blood and Marrow Transplantation (EBMT)¶
- name
rdataset-mstate-ebmt2
- reference
- R package
mstate
- R Dataset
ebmt2
1200. Data from the European Society for Blood and Marrow Transplantation (EBMT)¶
- name
rdataset-mstate-ebmt3
- reference
- R package
mstate
- R Dataset
ebmt3
1201. Data from the European Society for Blood and Marrow Transplantation (EBMT)¶
- name
rdataset-mstate-ebmt4
- reference
- R package
mstate
- R Dataset
ebmt4
1202. Abnormal prothrombin levels in liver cirrhosis¶
- name
rdataset-mstate-prothr
- reference
- R package
mstate
- R Dataset
prothr
1203. Rheumatoid Arthritis Clinical Trial¶
- name
rdataset-multgee-arthritis
- reference
- R package
multgee
- R Dataset
arthritis
1204. Homeless Data¶
- name
rdataset-multgee-housing
- reference
- R package
multgee
- R Dataset
housing
1205. Split-Plot Experiment on Varieties of Alfalfa¶
- name
rdataset-nlme-alfalfa
- reference
- R package
nlme
- R Dataset
alfalfa
1206. Bioassay on Cell Culture Plate¶
- name
rdataset-nlme-assay
- reference
- R package
nlme
- R Dataset
assay
1207. Language scores¶
- name
rdataset-nlme-bdf
- reference
- R package
nlme
- R Dataset
bdf
1208. Rat weight over time for different diets¶
- name
rdataset-nlme-bodyweight
- reference
- R package
nlme
- R Dataset
bodyweight
1209. Pharmacokinetics of Cefamandole¶
- name
rdataset-nlme-cefamandole
- reference
- R package
nlme
- R Dataset
cefamandole
1210. High-Flux Hemodialyzer¶
- name
rdataset-nlme-dialyzer
- reference
- R package
nlme
- R Dataset
dialyzer
1211. Earthquake Intensity¶
- name
rdataset-nlme-earthquake
- reference
- R package
nlme
- R Dataset
earthquake
1212. Ergometrics experiment with stool types¶
- name
rdataset-nlme-ergostool
- reference
- R package
nlme
- R Dataset
ergostool
1213. Cracks caused by metal fatigue¶
- name
rdataset-nlme-fatigue
- reference
- R package
nlme
- R Dataset
fatigue
1214. Refinery yield of gasoline¶
- name
rdataset-nlme-gasoline
- reference
- R package
nlme
- R Dataset
gasoline
1215. Glucose levels over time¶
- name
rdataset-nlme-glucose
- reference
- R package
nlme
- R Dataset
glucose
1216. Glucose Levels Following Alcohol Ingestion¶
- name
rdataset-nlme-glucose2
- reference
- R package
nlme
- R Dataset
glucose2
1218. Radioimmunoassay of IGF-I Protein¶
- name
rdataset-nlme-igf
- reference
- R package
nlme
- R Dataset
igf
1219. Productivity Scores for Machines and Workers¶
- name
rdataset-nlme-machines
- reference
- R package
nlme
- R Dataset
machines
1220. Mathematics achievement scores¶
- name
rdataset-nlme-mathachieve
- reference
- R package
nlme
- R Dataset
mathachieve
1221. School demographic data for MathAchieve¶
- name
rdataset-nlme-mathachschool
- reference
- R package
nlme
- R Dataset
mathachschool
1222. Tenderness of meat¶
- name
rdataset-nlme-meat
- reference
- R package
nlme
- R Dataset
meat
1223. Protein content of cows’ milk¶
- name
rdataset-nlme-milk
- reference
- R package
nlme
- R Dataset
milk
1224. Contraction of heart muscle sections¶
- name
rdataset-nlme-muscle
- reference
- R package
nlme
- R Dataset
muscle
1225. Assay of nitrendipene¶
- name
rdataset-nlme-nitrendipene
- reference
- R package
nlme
- R Dataset
nitrendipene
1226. Split-plot Experiment on Varieties of Oats¶
- name
rdataset-nlme-oats
- reference
- R package
nlme
- R Dataset
oats
1227. Growth curve data on an orthdontic measurement¶
- name
rdataset-nlme-orthodont
- reference
- R package
nlme
- R Dataset
orthodont
1228. Counts of Ovarian Follicles¶
- name
rdataset-nlme-ovary
- reference
- R package
nlme
- R Dataset
ovary
1229. Heights of Boys in Oxford¶
- name
rdataset-nlme-oxboys
- reference
- R package
nlme
- R Dataset
oxboys
1230. Variability in Semiconductor Manufacturing¶
- name
rdataset-nlme-oxide
- reference
- R package
nlme
- R Dataset
oxide
1231. Effect of Phenylbiguanide on Blood Pressure¶
- name
rdataset-nlme-pbg
- reference
- R package
nlme
- R Dataset
pbg
1232. Phenobarbitol Kinetics¶
- name
rdataset-nlme-phenobarb
- reference
- R package
nlme
- R Dataset
phenobarb
1233. X-ray pixel intensities over time¶
- name
rdataset-nlme-pixel
- reference
- R package
nlme
- R Dataset
pixel
1234. Quinidine Kinetics¶
- name
rdataset-nlme-quinidine
- reference
- R package
nlme
- R Dataset
quinidine
1235. Evaluation of Stress in Railway Rails¶
- name
rdataset-nlme-rail
- reference
- R package
nlme
- R Dataset
rail
1236. The weight of rat pups¶
- name
rdataset-nlme-ratpupweight
- reference
- R package
nlme
- R Dataset
ratpupweight
1237. Assay for Relaxin¶
- name
rdataset-nlme-relaxin
- reference
- R package
nlme
- R Dataset
relaxin
1238. Pharmacokinetics of Remifentanil¶
- name
rdataset-nlme-remifentanil
- reference
- R package
nlme
- R Dataset
remifentanil
1239. Growth of soybean plants¶
- name
rdataset-nlme-soybean
- reference
- R package
nlme
- R Dataset
soybean
1240. Growth of Spruce Trees¶
- name
rdataset-nlme-spruce
- reference
- R package
nlme
- R Dataset
spruce
1241. Pharmacokinetics of tetracycline¶
- name
rdataset-nlme-tetracycline1
- reference
- R package
nlme
- R Dataset
tetracycline1
1242. Pharmacokinetics of tetracycline¶
- name
rdataset-nlme-tetracycline2
- reference
- R package
nlme
- R Dataset
tetracycline2
1243. Modeling of Analog MOS Circuits¶
- name
rdataset-nlme-wafer
- reference
- R package
nlme
- R Dataset
wafer
1244. Yields by growing conditions¶
- name
rdataset-nlme-wheat
- reference
- R package
nlme
- R Dataset
wheat
1245. Wheat Yield Trials¶
- name
rdataset-nlme-wheat2
- reference
- R package
nlme
- R Dataset
wheat2
1246. Airline names.¶
- name
rdataset-nycflights13-airlines
- reference
- R package
nycflights13
- R Dataset
airlines
1247. Airport metadata¶
- name
rdataset-nycflights13-airports
- reference
- R package
nycflights13
- R Dataset
airports
1248. Flights data¶
- name
rdataset-nycflights13-flights
- reference
- R package
nycflights13
- R Dataset
flights
1249. Plane metadata.¶
- name
rdataset-nycflights13-planes
- reference
- R package
nycflights13
- R Dataset
planes
1250. Hourly weather data¶
- name
rdataset-nycflights13-weather
- reference
- R package
nycflights13
- R Dataset
weather
1251. Absenteeism from school in New South Wales¶
- name
rdataset-openintro-absenteeism
- reference
- R package
openintro
- R Dataset
absenteeism
1252. American Community Survey, 2012¶
- name
rdataset-openintro-acs12
- reference
- R package
openintro
- R Dataset
acs12
1253. Age at first marriage of 5,534 US women.¶
- name
rdataset-openintro-age_at_mar
- reference
- R package
openintro
- R Dataset
age_at_mar
1254. Housing prices in Ames, Iowa¶
- name
rdataset-openintro-ames
- reference
- R package
openintro
- R Dataset
ames
1255. Acute Myocardial Infarction (Heart Attack) Events¶
- name
rdataset-openintro-ami_occurrences
- reference
- R package
openintro
- R Dataset
ami_occurrences
1256. Pre-existing conditions in 92 children¶
- name
rdataset-openintro-antibiotics
- reference
- R package
openintro
- R Dataset
antibiotics
1257. Male and female births in London¶
- name
rdataset-openintro-arbuthnot
- reference
- R package
openintro
- R Dataset
arbuthnot
1258. How important is it to ask pointed questions?¶
- name
rdataset-openintro-ask
- reference
- R package
openintro
- R Dataset
ask
1259. Simulated data for association plots¶
- name
rdataset-openintro-association
- reference
- R package
openintro
- R Dataset
association
1260. Eye color of couples¶
- name
rdataset-openintro-assortative_mating
- reference
- R package
openintro
- R Dataset
assortative_mating
1261. Eye color of couples¶
- name
rdataset-openintro-assortive_mating
- reference
- R package
openintro
- R Dataset
assortive_mating
1262. Cardiovascular problems for two types of Diabetes medicines¶
- name
rdataset-openintro-avandia
- reference
- R package
openintro
- R Dataset
avandia
1263. The Child Health and Development Studies¶
- name
rdataset-openintro-babies
- reference
- R package
openintro
- R Dataset
babies
1264. Crawling age¶
- name
rdataset-openintro-babies_crawl
- reference
- R package
openintro
- R Dataset
babies_crawl
1265. Beer and blood alcohol content¶
- name
rdataset-openintro-bac
- reference
- R package
openintro
- R Dataset
bac
1266. Lifespan of ball bearings¶
- name
rdataset-openintro-ball_bearing
- reference
- R package
openintro
- R Dataset
ball_bearing
1267. Body measurements of 507 physically active individuals.¶
- name
rdataset-openintro-bdims
- reference
- R package
openintro
- R Dataset
bdims
1268. Efficacy of Pfizer-BioNTech COVID-19 vaccine on adolescents¶
- name
rdataset-openintro-biontech_adolescents
- reference
- R package
openintro
- R Dataset
biontech_adolescents
1269. Aircraft-Wildlife Collisions¶
- name
rdataset-openintro-birds
- reference
- R package
openintro
- R Dataset
birds
1270. North Carolina births, 100 cases¶
- name
rdataset-openintro-births
- reference
- R package
openintro
- R Dataset
births
1271. US births¶
- name
rdataset-openintro-births14
- reference
- R package
openintro
- R Dataset
births14
1272. Blizzard Employee Voluntary Salary Info.¶
- name
rdataset-openintro-blizzard_salary
- reference
- R package
openintro
- R Dataset
blizzard_salary
1273. Sample of books on a shelf¶
- name
rdataset-openintro-books
- reference
- R package
openintro
- R Dataset
books
1274. Burger preferences¶
- name
rdataset-openintro-burger
- reference
- R package
openintro
- R Dataset
burger
1275. Cancer in dogs¶
- name
rdataset-openintro-cancer_in_dogs
- reference
- R package
openintro
- R Dataset
cancer_in_dogs
1276. Deck of cards¶
- name
rdataset-openintro-cards
- reference
- R package
openintro
- R Dataset
cards
1277. cars93¶
- name
rdataset-openintro-cars93
- reference
- R package
openintro
- R Dataset
cars93
1278. Community college housing (simulated data)¶
- name
rdataset-openintro-cchousing
- reference
- R package
openintro
- R Dataset
cchousing
1279. Random sample of 2000 U.S. Census Data¶
- name
rdataset-openintro-census
- reference
- R package
openintro
- R Dataset
census
1280. Summary information for 31 cherry trees¶
- name
rdataset-openintro-cherry
- reference
- R package
openintro
- R Dataset
cherry
1281. Child care hours¶
- name
rdataset-openintro-china
- reference
- R package
openintro
- R Dataset
china
1282. CIA Factbook Details on Countries¶
- name
rdataset-openintro-cia_factbook
- reference
- R package
openintro
- R Dataset
cia_factbook
1283. Simulated class data¶
- name
rdataset-openintro-classdata
- reference
- R package
openintro
- R Dataset
classdata
1284. Cleveland and Sacramento¶
- name
rdataset-openintro-cle_sac
- reference
- R package
openintro
- R Dataset
cle_sac
1285. Temperature Summary Data, Geography Limited¶
- name
rdataset-openintro-climate70
- reference
- R package
openintro
- R Dataset
climate70
1286. Climber Drugs Data.¶
- name
rdataset-openintro-climber_drugs
- reference
- R package
openintro
- R Dataset
climber_drugs
1287. Coast Starlight Amtrak train¶
- name
rdataset-openintro-coast_starlight
- reference
- R package
openintro
- R Dataset
coast_starlight
1288. OpenIntro Statistics colors¶
- name
rdataset-openintro-col
- reference
- R package
openintro
- R Dataset
col
1289. Sample data sets for correlation problems¶
- name
rdataset-openintro-corr_match
- reference
- R package
openintro
- R Dataset
corr_match
1290. Country ISO information¶
- name
rdataset-openintro-country_iso
- reference
- R package
openintro
- R Dataset
country_iso
1291. CPR data set¶
- name
rdataset-openintro-cpr
- reference
- R package
openintro
- R Dataset
cpr
1292. CPU’s Released between 2010 and 2020.¶
- name
rdataset-openintro-cpu
- reference
- R package
openintro
- R Dataset
cpu
1293. College credits.¶
- name
rdataset-openintro-credits
- reference
- R package
openintro
- R Dataset
credits
1294. Daycare fines¶
- name
rdataset-openintro-daycare_fines
- reference
- R package
openintro
- R Dataset
daycare_fines
1295. Type 2 Diabetes Clinical Trial for Patients 10-17 Years Old¶
- name
rdataset-openintro-diabetes2
- reference
- R package
openintro
- R Dataset
diabetes2
1296. Survey on views of the DREAM Act¶
- name
rdataset-openintro-dream
- reference
- R package
openintro
- R Dataset
dream
1297. Quadcopter Drone Blades¶
- name
rdataset-openintro-drone_blades
- reference
- R package
openintro
- R Dataset
drone_blades
1298. Drug use of students and parents¶
- name
rdataset-openintro-drug_use
- reference
- R package
openintro
- R Dataset
drug_use
1299. Sale prices of houses in Duke Forest, Durham, NC¶
- name
rdataset-openintro-duke_forest
- reference
- R package
openintro
- R Dataset
duke_forest
1300. Earthquakes¶
- name
rdataset-openintro-earthquakes
- reference
- R package
openintro
- R Dataset
earthquakes
1301. Survey on Ebola quarantine¶
- name
rdataset-openintro-ebola_survey
- reference
- R package
openintro
- R Dataset
ebola_survey
1302. Elmhurst College gift aid¶
- name
rdataset-openintro-elmhurst
- reference
- R package
openintro
- R Dataset
elmhurst
1303. Data frame representing information about a collection of emails¶
- name
rdataset-openintro-email
- reference
- R package
openintro
- R Dataset
email
1304. Data frame representing information about a collection of emails¶
- name
rdataset-openintro-email_test
- reference
- R package
openintro
- R Dataset
email_test
1305. Sample of 50 emails¶
- name
rdataset-openintro-email50
- reference
- R package
openintro
- R Dataset
email50
1306. American Adults on Regulation and Renewable Energy¶
- name
rdataset-openintro-env_regulation
- reference
- R package
openintro
- R Dataset
env_regulation
1307. Vehicle info from the EPA for 2012¶
- name
rdataset-openintro-epa2012
- reference
- R package
openintro
- R Dataset
epa2012
1308. Vehicle info from the EPA for 2021¶
- name
rdataset-openintro-epa2021
- reference
- R package
openintro
- R Dataset
epa2021
1309. Environmental Sustainability Index 2005¶
- name
rdataset-openintro-esi
- reference
- R package
openintro
- R Dataset
esi
1310. Ethanol Treatment for Tumors Experiment¶
- name
rdataset-openintro-ethanol
- reference
- R package
openintro
- R Dataset
ethanol
1311. Professor evaluations and beauty¶
- name
rdataset-openintro-evals
- reference
- R package
openintro
- R Dataset
evals
1312. Exam and course grades for statistics students¶
- name
rdataset-openintro-exam_grades
- reference
- R package
openintro
- R Dataset
exam_grades
1313. Exam scores¶
- name
rdataset-openintro-exams
- reference
- R package
openintro
- R Dataset
exams
1314. Number of Exclusive Relationships¶
- name
rdataset-openintro-exclusive_relationship
- reference
- R package
openintro
- R Dataset
exclusive_relationship
1315. Can Americans categorize facts and opinions?¶
- name
rdataset-openintro-fact_opinion
- reference
- R package
openintro
- R Dataset
fact_opinion
1316. Simulated sample of parent / teen college attendance¶
- name
rdataset-openintro-family_college
- reference
- R package
openintro
- R Dataset
family_college
1317. Nutrition in fast food¶
- name
rdataset-openintro-fastfood
- reference
- R package
openintro
- R Dataset
fastfood
1318. Summary of male heights from USDA Food Commodity Intake Database¶
- name
rdataset-openintro-fcid
- reference
- R package
openintro
- R Dataset
fcid
1319. Female college student heights, in inches¶
- name
rdataset-openintro-fheights
- reference
- R package
openintro
- R Dataset
fheights
1320. Findings on n-3 Fatty Acid Supplement Health Benefits¶
- name
rdataset-openintro-fish_oil_18
- reference
- R package
openintro
- R Dataset
fish_oil_18
1321. River flow data¶
- name
rdataset-openintro-flow_rates
- reference
- R package
openintro
- R Dataset
flow_rates
1322. Friday the 13th¶
- name
rdataset-openintro-friday
- reference
- R package
openintro
- R Dataset
friday
1323. Poll about use of full-body airport scanners¶
- name
rdataset-openintro-full_body_scan
- reference
- R package
openintro
- R Dataset
full_body_scan
1324. GDP Countries Data.¶
- name
rdataset-openintro-gdp_countries
- reference
- R package
openintro
- R Dataset
gdp_countries
1325. Fake data for a gear company example¶
- name
rdataset-openintro-gear_company
- reference
- R package
openintro
- R Dataset
gear_company
1326. Bank manager recommendations based on gender¶
- name
rdataset-openintro-gender_discrimination
- reference
- R package
openintro
- R Dataset
gender_discrimination
1327. Get it Dunn Run, Race Times¶
- name
rdataset-openintro-get_it_dunn_run
- reference
- R package
openintro
- R Dataset
get_it_dunn_run
1328. Analytical skills of young gifted children¶
- name
rdataset-openintro-gifted
- reference
- R package
openintro
- R Dataset
gifted
1329. Pew survey on global warming¶
- name
rdataset-openintro-global_warming_pew
- reference
- R package
openintro
- R Dataset
global_warming_pew
1330. Google stock data¶
- name
rdataset-openintro-goog
- reference
- R package
openintro
- R Dataset
goog
1331. Pew Research poll on government approval ratings¶
- name
rdataset-openintro-gov_poll
- reference
- R package
openintro
- R Dataset
gov_poll
1332. Survey of Duke students on GPA, studying, and more¶
- name
rdataset-openintro-gpa
- reference
- R package
openintro
- R Dataset
gpa
1333. Sample of students and their GPA and IQ¶
- name
rdataset-openintro-gpa_iq
- reference
- R package
openintro
- R Dataset
gpa_iq
1334. gpa_study_hours¶
- name
rdataset-openintro-gpa_study_hours
- reference
- R package
openintro
- R Dataset
gpa_study_hours
1335. Simulated data for analyzing the relationship between watching TV and grades¶
- name
rdataset-openintro-gradestv
- reference
- R package
openintro
- R Dataset
gradestv
1336. Simulated Google search experiment¶
- name
rdataset-openintro-gsearch
- reference
- R package
openintro
- R Dataset
gsearch
1338. Health Coverage and Health Status¶
- name
rdataset-openintro-health_coverage
- reference
- R package
openintro
- R Dataset
health_coverage
1339. Pew Research Center poll on health care, including question variants¶
- name
rdataset-openintro-healthcare_law_survey
- reference
- R package
openintro
- R Dataset
healthcare_law_survey
1340. Heart Transplant Data¶
- name
rdataset-openintro-heart_transplant
- reference
- R package
openintro
- R Dataset
heart_transplant
1341. Helium football¶
- name
rdataset-openintro-helium
- reference
- R package
openintro
- R Dataset
helium
1342. Socioeconomic status and reduced-fee school lunches¶
- name
rdataset-openintro-helmet
- reference
- R package
openintro
- R Dataset
helmet
1343. Human Freedom Index¶
- name
rdataset-openintro-hfi
- reference
- R package
openintro
- R Dataset
hfi
1344. United States House of Representatives historical make-up¶
- name
rdataset-openintro-house
- reference
- R package
openintro
- R Dataset
house
1345. Simulated data set on student housing¶
- name
rdataset-openintro-housing
- reference
- R package
openintro
- R Dataset
housing
1346. High School and Beyond survey¶
- name
rdataset-openintro-hsb2
- reference
- R package
openintro
- R Dataset
hsb2
1347. Great Britain: husband and wife pairs¶
- name
rdataset-openintro-husbands_wives
- reference
- R package
openintro
- R Dataset
husbands_wives
1348. Poll on illegal workers in the US¶
- name
rdataset-openintro-immigration
- reference
- R package
openintro
- R Dataset
immigration
1349. Introduction to Modern Statistics (IMS) Colors¶
- name
rdataset-openintro-imscol
- reference
- R package
openintro
- R Dataset
imscol
1350. Infant Mortality Rates, 2012¶
- name
rdataset-openintro-infmortrate
- reference
- R package
openintro
- R Dataset
infmortrate
1351. Length of songs on an iPod¶
- name
rdataset-openintro-ipod
- reference
- R package
openintro
- R Dataset
ipod
1352. Simulated juror data set¶
- name
rdataset-openintro-jury
- reference
- R package
openintro
- R Dataset
jury
1353. Kobe Bryant basketball performance¶
- name
rdataset-openintro-kobe_basket
- reference
- R package
openintro
- R Dataset
kobe_basket
1354. Are Emily and Greg More Employable Than Lakisha and Jamal?¶
- name
rdataset-openintro-labor_market_discrimination
- reference
- R package
openintro
- R Dataset
labor_market_discrimination
1355. Gender, Socioeconomic Class, and Interview Invites¶
- name
rdataset-openintro-law_resume
- reference
- R package
openintro
- R Dataset
law_resume
1356. Legalization of Marijuana Support in 2010 California Survey¶
- name
rdataset-openintro-leg_mari
- reference
- R package
openintro
- R Dataset
leg_mari
1357. Field data on lizards observed in their natural habitat¶
- name
rdataset-openintro-lizard_habitat
- reference
- R package
openintro
- R Dataset
lizard_habitat
1358. Lizard speeds¶
- name
rdataset-openintro-lizard_run
- reference
- R package
openintro
- R Dataset
lizard_run
1359. Loan data from Lending Club¶
- name
rdataset-openintro-loan50
- reference
- R package
openintro
- R Dataset
loan50
1360. Loan data from Lending Club¶
- name
rdataset-openintro-loans_full_schema
- reference
- R package
openintro
- R Dataset
loans_full_schema
1361. London Borough Boundaries¶
- name
rdataset-openintro-london_boroughs
- reference
- R package
openintro
- R Dataset
london_boroughs
1362. London Murders, 2006-2011¶
- name
rdataset-openintro-london_murders
- reference
- R package
openintro
- R Dataset
london_murders
1363. Influence of a Good Mood on Helpfulness¶
- name
rdataset-openintro-mail_me
- reference
- R package
openintro
- R Dataset
mail_me
1364. Survey of Duke students and the area of their major¶
- name
rdataset-openintro-major_survey
- reference
- R package
openintro
- R Dataset
major_survey
1365. Malaria Vaccine Trial¶
- name
rdataset-openintro-malaria
- reference
- R package
openintro
- R Dataset
malaria
1366. Sample of 100 male heights¶
- name
rdataset-openintro-male_heights
- reference
- R package
openintro
- R Dataset
male_heights
1367. Random sample of adult male heights¶
- name
rdataset-openintro-male_heights_fcid
- reference
- R package
openintro
- R Dataset
male_heights_fcid
1368. Sleep in Mammals¶
- name
rdataset-openintro-mammals
- reference
- R package
openintro
- R Dataset
mammals
1369. Experiment with Mammogram Randomized¶
- name
rdataset-openintro-mammogram
- reference
- R package
openintro
- R Dataset
mammogram
1370. New York City Marathon Times (outdated)¶
- name
rdataset-openintro-marathon
- reference
- R package
openintro
- R Dataset
marathon
1371. Wii Mario Kart auctions from Ebay¶
- name
rdataset-openintro-mariokart
- reference
- R package
openintro
- R Dataset
mariokart
1372. Marvel Cinematic Universe films¶
- name
rdataset-openintro-mcu_films
- reference
- R package
openintro
- R Dataset
mcu_films
1373. President’s party performance and unemployment rate¶
- name
rdataset-openintro-midterms_house
- reference
- R package
openintro
- R Dataset
midterms_house
1374. Migraines and acupuncture¶
- name
rdataset-openintro-migraine
- reference
- R package
openintro
- R Dataset
migraine
1375. US Military Demographics¶
- name
rdataset-openintro-military
- reference
- R package
openintro
- R Dataset
military
1376. Salary data for Major League Baseball (2010)¶
- name
rdataset-openintro-mlb
- reference
- R package
openintro
- R Dataset
mlb
1377. Batter Statistics for 2018 Major League Baseball (MLB) Season¶
- name
rdataset-openintro-mlb_players_18
- reference
- R package
openintro
- R Dataset
mlb_players_18
1378. Major League Baseball Teams Data.¶
- name
rdataset-openintro-mlb_teams
- reference
- R package
openintro
- R Dataset
mlb_teams
1379. Major League Baseball Player Hitting Statistics for 2010¶
- name
rdataset-openintro-mlbbat10
- reference
- R package
openintro
- R Dataset
mlbbat10
1380. Minneapolis police use of force data.¶
- name
rdataset-openintro-mn_police_use_of_force
- reference
- R package
openintro
- R Dataset
mn_police_use_of_force
1381. Medial temporal lobe (MTL) and other data for 26 participants¶
- name
rdataset-openintro-mtl
- reference
- R package
openintro
- R Dataset
mtl
1382. Data for 20 metropolitan areas¶
- name
rdataset-openintro-murders
- reference
- R package
openintro
- R Dataset
murders
1383. NBA Player heights from 2008-9¶
- name
rdataset-openintro-nba_heights
- reference
- R package
openintro
- R Dataset
nba_heights
1384. NBA Players for the 2018-2019 season¶
- name
rdataset-openintro-nba_players_19
- reference
- R package
openintro
- R Dataset
nba_players_19
1385. North Carolina births, 1000 cases¶
- name
rdataset-openintro-ncbirths
- reference
- R package
openintro
- R Dataset
ncbirths
1386. Nuclear Arms Reduction Survey¶
- name
rdataset-openintro-nuclear_survey
- reference
- R package
openintro
- R Dataset
nuclear_survey
1387. New York City Marathon Times¶
- name
rdataset-openintro-nyc_marathon
- reference
- R package
openintro
- R Dataset
nyc_marathon
1388. Flights data¶
- name
rdataset-openintro-nycflights
- reference
- R package
openintro
- R Dataset
nycflights
1389. California poll on drilling off the California coast¶
- name
rdataset-openintro-offshore_drilling
- reference
- R package
openintro
- R Dataset
offshore_drilling
1390. OpenIntro colors¶
- name
rdataset-openintro-openintro_colors
- reference
- R package
openintro
- R Dataset
openintro_colors
1391. Opportunity cost of purchases¶
- name
rdataset-openintro-opportunity_cost
- reference
- R package
openintro
- R Dataset
opportunity_cost
1392. 1986 Challenger disaster and O-rings¶
- name
rdataset-openintro-orings
- reference
- R package
openintro
- R Dataset
orings
1393. Oscar winners, 1929 to 2018¶
- name
rdataset-openintro-oscars
- reference
- R package
openintro
- R Dataset
oscars
1394. Simulated data sets for different types of outliers¶
- name
rdataset-openintro-outliers
- reference
- R package
openintro
- R Dataset
outliers
1395. Guesses at the weight of Penelope (a cow)¶
- name
rdataset-openintro-penelope
- reference
- R package
openintro
- R Dataset
penelope
1396. What’s the best way to loosen a rusty bolt?¶
- name
rdataset-openintro-penetrating_oil
- reference
- R package
openintro
- R Dataset
penetrating_oil
1397. Penny Ages¶
- name
rdataset-openintro-penny_ages
- reference
- R package
openintro
- R Dataset
penny_ages
1398. Pew Survey on Energy Sources in 2018¶
- name
rdataset-openintro-pew_energy_2018
- reference
- R package
openintro
- R Dataset
pew_energy_2018
1399. Photo classifications: fashion or not¶
- name
rdataset-openintro-photo_classify
- reference
- R package
openintro
- R Dataset
photo_classify
1400. Piracy and PIPA/SOPA¶
- name
rdataset-openintro-piracy
- reference
- R package
openintro
- R Dataset
piracy
1401. Table of Playing Cards in 52-Card Deck¶
- name
rdataset-openintro-playing_cards
- reference
- R package
openintro
- R Dataset
playing_cards
1402. Air quality for Durham, NC¶
- name
rdataset-openintro-pm25_2011_durham
- reference
- R package
openintro
- R Dataset
pm25_2011_durham
1403. Poker winnings during 50 sessions¶
- name
rdataset-openintro-poker
- reference
- R package
openintro
- R Dataset
poker
1404. Possums in Australia and New Guinea¶
- name
rdataset-openintro-possum
- reference
- R package
openintro
- R Dataset
possum
1405. US Poll on who it is better to raise taxes on¶
- name
rdataset-openintro-ppp_201503
- reference
- R package
openintro
- R Dataset
ppp_201503
1406. Birth counts¶
- name
rdataset-openintro-present
- reference
- R package
openintro
- R Dataset
present
1407. United States Presidental History¶
- name
rdataset-openintro-president
- reference
- R package
openintro
- R Dataset
president
1408. Prison isolation experiment¶
- name
rdataset-openintro-prison
- reference
- R package
openintro
- R Dataset
prison
1409. User reported fuel efficiency for 2017 Toyota Prius Prime¶
- name
rdataset-openintro-prius_mpg
- reference
- R package
openintro
- R Dataset
prius_mpg
1410. Yahoo! News Race and Justice poll results¶
- name
rdataset-openintro-race_justice
- reference
- R package
openintro
- R Dataset
race_justice
1411. Reddit Survey on Financial Independence.¶
- name
rdataset-openintro-reddit_finance
- reference
- R package
openintro
- R Dataset
reddit_finance
1412. Simulated data for regression¶
- name
rdataset-openintro-res_demo_1
- reference
- R package
openintro
- R Dataset
res_demo_1
1413. Simulated data for regression¶
- name
rdataset-openintro-res_demo_2
- reference
- R package
openintro
- R Dataset
res_demo_2
1414. Which resume attributes drive job callbacks?¶
- name
rdataset-openintro-resume
- reference
- R package
openintro
- R Dataset
resume
1415. Sample Responses to Two Public Health Questions¶
- name
rdataset-openintro-rosling_responses
- reference
- R package
openintro
- R Dataset
rosling_responses
1416. Russians’ Opinions on US Election Influence in 2016¶
- name
rdataset-openintro-russian_influence_on_us_election_2016
- reference
rdataset-openintro-russian_influence_on_us_election_2016’s home link.
- R package
openintro
- R Dataset
russian_influence_on_us_election_2016
1417. Sustainability and Economic Indicators for South Africa.¶
- name
rdataset-openintro-sa_gdp_elec
- reference
- R package
openintro
- R Dataset
sa_gdp_elec
1418. Salinity in Bimini Lagoon, Bahamas¶
- name
rdataset-openintro-salinity
- reference
- R package
openintro
- R Dataset
salinity
1419. Simulated data for SAT score improvement¶
- name
rdataset-openintro-sat_improve
- reference
- R package
openintro
- R Dataset
sat_improve
1420. SAT and GPA data¶
- name
rdataset-openintro-satgpa
- reference
- R package
openintro
- R Dataset
satgpa
1421. Public Opinion with SCOTUS ruling on American Healthcare Act¶
- name
rdataset-openintro-scotus_healthcare
- reference
- R package
openintro
- R Dataset
scotus_healthcare
1422. Names of pets in Seattle¶
- name
rdataset-openintro-seattlepets
- reference
- R package
openintro
- R Dataset
seattlepets
1423. Bank manager recommendations based on sex¶
- name
rdataset-openintro-sex_discrimination
- reference
- R package
openintro
- R Dataset
sex_discrimination
1424. Simpson’s Paradox: Covid¶
- name
rdataset-openintro-simpsons_paradox_covid
- reference
- R package
openintro
- R Dataset
simpsons_paradox_covid
1425. Simulated data sets, drawn from a normal distribution.¶
- name
rdataset-openintro-simulated_normal
- reference
- R package
openintro
- R Dataset
simulated_normal
1426. Simulated data for sample scatterplots¶
- name
rdataset-openintro-simulated_scatter
- reference
- R package
openintro
- R Dataset
simulated_scatter
1427. Sinusitis and antibiotic experiment¶
- name
rdataset-openintro-sinusitis
- reference
- R package
openintro
- R Dataset
sinusitis
1428. Survey on sleep deprivation and transportation workers¶
- name
rdataset-openintro-sleep_deprivation
- reference
- R package
openintro
- R Dataset
sleep_deprivation
1429. Smallpox vaccine results¶
- name
rdataset-openintro-smallpox
- reference
- R package
openintro
- R Dataset
smallpox
1430. UK Smoking Data¶
- name
rdataset-openintro-smoking
- reference
- R package
openintro
- R Dataset
smoking
1431. Snowfall at Paradise, Mt. Rainier National Park¶
- name
rdataset-openintro-snowfall
- reference
- R package
openintro
- R Dataset
snowfall
1433. Energy Output From Two Solar Arrays in San Francisco¶
- name
rdataset-openintro-solar
- reference
- R package
openintro
- R Dataset
solar
1434. SOWC Child Mortality Data.¶
- name
rdataset-openintro-sowc_child_mortality
- reference
- R package
openintro
- R Dataset
sowc_child_mortality
1435. SOWC Demographics Data.¶
- name
rdataset-openintro-sowc_demographics
- reference
- R package
openintro
- R Dataset
sowc_demographics
1436. SOWC Maternal and Newborn Health Data.¶
- name
rdataset-openintro-sowc_maternal_newborn
- reference
- R package
openintro
- R Dataset
sowc_maternal_newborn
1437. Financial information for 50 S&P 500 companies¶
- name
rdataset-openintro-sp500
- reference
- R package
openintro
- R Dataset
sp500
1438. Daily observations for the S&P 500¶
- name
rdataset-openintro-sp500_1950_2018
- reference
- R package
openintro
- R Dataset
sp500_1950_2018
1439. S&P 500 stock data¶
- name
rdataset-openintro-sp500_seq
- reference
- R package
openintro
- R Dataset
sp500_seq
1440. Speed, gender, and height of 1325 students¶
- name
rdataset-openintro-speed_gender_height
- reference
- R package
openintro
- R Dataset
speed_gender_height
1441. SSD read and write speeds¶
- name
rdataset-openintro-ssd_speed
- reference
- R package
openintro
- R Dataset
ssd_speed
1442. Starbucks nutrition¶
- name
rdataset-openintro-starbucks
- reference
- R package
openintro
- R Dataset
starbucks
1443. Final exam scores for twenty students¶
- name
rdataset-openintro-stats_scores
- reference
- R package
openintro
- R Dataset
stats_scores
1444. Embryonic stem cells to treat heart attack (in sheep)¶
- name
rdataset-openintro-stem_cell
- reference
- R package
openintro
- R Dataset
stem_cell
1445. Stents for the treatment of stroke¶
- name
rdataset-openintro-stent30
- reference
- R package
openintro
- R Dataset
stent30
1446. Stents for the treatment of stroke¶
- name
rdataset-openintro-stent365
- reference
- R package
openintro
- R Dataset
stent365
1447. Monthly Returns for a few stocks¶
- name
rdataset-openintro-stocks_18
- reference
- R package
openintro
- R Dataset
stocks_18
1448. Community college housing (simulated data, 2015)¶
- name
rdataset-openintro-student_housing
- reference
- R package
openintro
- R Dataset
student_housing
1449. Sleep for 110 students (simulated)¶
- name
rdataset-openintro-student_sleep
- reference
- R package
openintro
- R Dataset
student_sleep
1450. Treating heart attacks¶
- name
rdataset-openintro-sulphinpyrazone
- reference
- R package
openintro
- R Dataset
sulphinpyrazone
1451. Supreme Court approval rating¶
- name
rdataset-openintro-supreme_court
- reference
- R package
openintro
- R Dataset
supreme_court
1452. Teacher Salaries in St. Louis, Michigan¶
- name
rdataset-openintro-teacher
- reference
- R package
openintro
- R Dataset
teacher
1453. Textbook data for UCLA Bookstore and Amazon¶
- name
rdataset-openintro-textbooks
- reference
- R package
openintro
- R Dataset
textbooks
1454. Thanksgiving spending, simulated based on Gallup poll.¶
- name
rdataset-openintro-thanksgiving_spend
- reference
- R package
openintro
- R Dataset
thanksgiving_spend
1455. Tip data¶
- name
rdataset-openintro-tips
- reference
- R package
openintro
- R Dataset
tips
1456. Simulated polling data set¶
- name
rdataset-openintro-toohey
- reference
- R package
openintro
- R Dataset
toohey
1457. Turkey tourism¶
- name
rdataset-openintro-tourism
- reference
- R package
openintro
- R Dataset
tourism
1458. Simulated data set for ANOVA¶
- name
rdataset-openintro-toy_anova
- reference
- R package
openintro
- R Dataset
toy_anova
1459. Transplant consultant success rate (fake data)¶
- name
rdataset-openintro-transplant
- reference
- R package
openintro
- R Dataset
transplant
1460. UCLA courses in Fall 2018¶
- name
rdataset-openintro-ucla_f18
- reference
- R package
openintro
- R Dataset
ucla_f18
1461. Sample of UCLA course textbooks for Fall 2018¶
- name
rdataset-openintro-ucla_textbooks_f18
- reference
- R package
openintro
- R Dataset
ucla_textbooks_f18
1462. United Kingdom Demographic Data¶
- name
rdataset-openintro-ukdemo
- reference
- R package
openintro
- R Dataset
ukdemo
1463. Annual unemployment since 1890¶
- name
rdataset-openintro-unempl
- reference
- R package
openintro
- R Dataset
unempl
1464. President’s party performance and unemployment rate¶
- name
rdataset-openintro-unemploy_pres
- reference
- R package
openintro
- R Dataset
unemploy_pres
1465. Time Between Gondola Cars at Sterling Winery¶
- name
rdataset-openintro-winery_cars
- reference
- R package
openintro
- R Dataset
winery_cars
1466. World Population Data.¶
- name
rdataset-openintro-world_pop
- reference
- R package
openintro
- R Dataset
world_pop
1467. Exxon Mobile stock data¶
- name
rdataset-openintro-xom
- reference
- R package
openintro
- R Dataset
xom
1468. Contagiousness of yawning¶
- name
rdataset-openintro-yawn
- reference
- R package
openintro
- R Dataset
yawn
1469. Youth Risk Behavior Surveillance System (YRBSS)¶
- name
rdataset-openintro-yrbss
- reference
- R package
openintro
- R Dataset
yrbss
1470. Sample of Youth Risk Behavior Surveillance System (YRBSS)¶
- name
rdataset-openintro-yrbss_samp
- reference
- R package
openintro
- R Dataset
yrbss_samp
1471. Income distribution (percentages) in the Northeast US¶
- name
rdataset-ordinal-income
- reference
- R package
ordinal
- R Dataset
income
1472. Discrimination study of packet soup¶
- name
rdataset-ordinal-soup
- reference
- R package
ordinal
- R Dataset
soup
1473. Bitterness of wine¶
- name
rdataset-ordinal-wine
- reference
- R package
ordinal
- R Dataset
wine
1474. Size measurements for adult foraging penguins near Palmer Station, Antarctica¶
- name
rdataset-palmerpenguins-penguins
- reference
- R package
palmerpenguins
- R Dataset
penguins
1475. Penguin size, clutch, and blood isotope data for foraging adults near Palmer Station, Antarctica¶
- name
rdataset-palmerpenguins-penguins_raw (penguins)
- reference
rdataset-palmerpenguins-penguins_raw (penguins)’s home link.
- R package
palmerpenguins
- R Dataset
penguins_raw (penguins)
1476. Cigarette Consumption¶
- name
rdataset-plm-cigar
- reference
- R package
plm
- R Dataset
cigar
1477. Crime in North Carolina¶
- name
rdataset-plm-crime
- reference
- R package
plm
- R Dataset
crime
1478. Employment and Wages in the United Kingdom¶
- name
rdataset-plm-empluk
- reference
- R package
plm
- R Dataset
empluk
1479. Gasoline Consumption¶
- name
rdataset-plm-gasoline
- reference
- R package
plm
- R Dataset
gasoline
1480. Grunfeld’s Investment Data¶
- name
rdataset-plm-grunfeld
- reference
- R package
plm
- R Dataset
grunfeld
1481. Hedonic Prices of Census Tracts in the Boston Area¶
- name
rdataset-plm-hedonic
- reference
- R package
plm
- R Dataset
hedonic
1482. Wages and Hours Worked¶
- name
rdataset-plm-laborsupply
- reference
- R package
plm
- R Dataset
laborsupply
1483. Wages and Education of Young Males¶
- name
rdataset-plm-males
- reference
- R package
plm
- R Dataset
males
1484. Purchasing Power Parity and other parity relationships¶
- name
rdataset-plm-parity
- reference
- R package
plm
- R Dataset
parity
1485. US States Production¶
- name
rdataset-plm-produc
- reference
- R package
plm
- R Dataset
produc
1486. Production of Rice in Indonesia¶
- name
rdataset-plm-ricefarms
- reference
- R package
plm
- R Dataset
ricefarms
1487. Employment and Wages in Spain¶
- name
rdataset-plm-snmesp
- reference
- R package
plm
- R Dataset
snmesp
1488. The Penn World Table, v. 5¶
- name
rdataset-plm-sumhes
- reference
- R package
plm
- R Dataset
sumhes
1489. Panel Data of Individual Wages¶
- name
rdataset-plm-wages
- reference
- R package
plm
- R Dataset
wages
1490. Yearly batting records for all major league baseball players¶
- name
rdataset-plyr-baseball
- reference
- R package
plyr
- R Dataset
baseball
1491. Monthly ozone measurements over Central America.¶
- name
rdataset-plyr-ozone
- reference
- R package
plyr
- R Dataset
ozone
1492. Absentee and Machine Ballots in Pennsylvania State Senate Races¶
- name
rdataset-pscl-absentee
- reference
- R package
pscl
- R Dataset
absentee
1493. Applications to a Political Science PhD Program¶
- name
rdataset-pscl-admit
- reference
- R package
pscl
- R Dataset
admit
1494. Political opinion polls in Australia, 2004-07¶
- name
rdataset-pscl-australianelectionpolling
- reference
- R package
pscl
- R Dataset
australianelectionpolling
1495. elections to Australian House of Representatives, 1949-2016¶
- name
rdataset-pscl-australianelections
- reference
- R package
pscl
- R Dataset
australianelections
1496. article production by graduate students in biochemistry Ph.D. programs¶
- name
rdataset-pscl-biochemists
- reference
- R package
pscl
- R Dataset
biochemists
1497. California Congressional Districts in 2006¶
- name
rdataset-pscl-ca2006
- reference
- R package
pscl
- R Dataset
ca2006
1498. Batting Averages for 18 major league baseball players, 1970¶
- name
rdataset-pscl-efronmorris
- reference
- R package
pscl
- R Dataset
efronmorris
1499. U.S. Senate vote on the use of force against Iraq, 2002.¶
- name
rdataset-pscl-iraqvote
- reference
- R package
pscl
- R Dataset
iraqvote
1500. political parties appearing in the U.S. Congress¶
- name
rdataset-pscl-partycodes
- reference
- R package
pscl
- R Dataset
partycodes
1501. Interviewer ratings of respondent levels of political information¶
- name
rdataset-pscl-politicalinformation
- reference
- R package
pscl
- R Dataset
politicalinformation
1502. elections for U.S. President, 1932-2016, by state¶
- name
rdataset-pscl-presidentialelections
- reference
- R package
pscl
- R Dataset
presidentialelections
1503. Prussian army horse kick data¶
- name
rdataset-pscl-prussian
- reference
- R package
pscl
- R Dataset
prussian
1504. Voter turnout experiment, using Rock The Vote ads¶
- name
rdataset-pscl-rockthevote
- reference
- R package
pscl
- R Dataset
rockthevote
1505. information about the American states needed for U.S. Congress¶
- name
rdataset-pscl-state.info
- reference
- R package
pscl
- R Dataset
state.info
1506. 1992 United Kingdom electoral returns¶
- name
rdataset-pscl-ukhouseofcommons
- reference
- R package
pscl
- R Dataset
ukhouseofcommons
1507. cross national rates of trade union density¶
- name
rdataset-pscl-uniondensity
- reference
- R package
pscl
- R Dataset
uniondensity
1508. Reports of voting in the 1992 U.S. Presidential election.¶
- name
rdataset-pscl-vote92
- reference
- R package
pscl
- R Dataset
vote92
1509. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-bechtoldt
- reference
- R package
psych
- R Dataset
bechtoldt
1510. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-bechtoldt.1
- reference
- R package
psych
- R Dataset
bechtoldt.1
1511. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-bechtoldt.2
- reference
- R package
psych
- R Dataset
bechtoldt.2
1512. 25 Personality items representing 5 factors¶
- name
rdataset-psych-bfi
- reference
- R package
psych
- R Dataset
bfi
1513. 25 Personality items representing 5 factors¶
- name
rdataset-psych-bfi.keys (bfi)
- reference
- R package
psych
- R Dataset
bfi.keys (bfi)
1514. Bock and Liberman (1970) data set of 1000 observations of the LSAT¶
- name
rdataset-psych-bock.table (bock)
- reference
- R package
psych
- R Dataset
bock.table (bock)
1515. 12 cognitive variables from Cattell (1963)¶
- name
rdataset-psych-cattell
- reference
- R package
psych
- R Dataset
cattell
1516. 12 variables created by Schmid and Leiman to show the Schmid-Leiman Transformation¶
- name
rdataset-psych-chen (schmid)
- reference
- R package
psych
- R Dataset
chen (schmid)
1517. 8 cognitive variables used by Dwyer for an example.¶
- name
rdataset-psych-dwyer
- reference
- R package
psych
- R Dataset
dwyer
1518. Data from the sexism (protest) study of Garcia, Schmitt, Branscome, and Ellemers (2010)¶
- name
rdataset-psych-garcia (gsbe)
- reference
- R package
psych
- R Dataset
garcia (gsbe)
1519. Example data from Gleser, Cronbach and Rajaratnam (1965) to show basic principles of generalizability theory.¶
- name
rdataset-psych-gleser
- reference
- R package
psych
- R Dataset
gleser
1520. Example data set from Gorsuch (1997) for an example factor extension.¶
- name
rdataset-psych-gorsuch
- reference
- R package
psych
- R Dataset
gorsuch
1521. Five data sets from Harman (1967). 9 cognitive variables from Holzinger and 8 emotional variables from Burt¶
- name
rdataset-psych-harman.5
- reference
- R package
psych
- R Dataset
harman.5
1522. Five data sets from Harman (1967). 9 cognitive variables from Holzinger and 8 emotional variables from Burt¶
- name
rdataset-psych-harman.8
- reference
- R package
psych
- R Dataset
harman.8
1523. Five data sets from Harman (1967). 9 cognitive variables from Holzinger and 8 emotional variables from Burt¶
- name
rdataset-psych-harman.burt (harman)
- reference
- R package
psych
- R Dataset
harman.burt (harman)
1524. Five data sets from Harman (1967). 9 cognitive variables from Holzinger and 8 emotional variables from Burt¶
- name
rdataset-psych-harman.holzinger (harman)
- reference
- R package
psych
- R Dataset
harman.holzinger (harman)
1525. Five data sets from Harman (1967). 9 cognitive variables from Holzinger and 8 emotional variables from Burt¶
- name
rdataset-psych-harman.political
- reference
- R package
psych
- R Dataset
harman.political
1526. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-holzinger
- reference
- R package
psych
- R Dataset
holzinger
1527. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-holzinger.9
- reference
- R package
psych
- R Dataset
holzinger.9
1528. Bock and Liberman (1970) data set of 1000 observations of the LSAT¶
- name
rdataset-psych-lsat6 (bock)
- reference
- R package
psych
- R Dataset
lsat6 (bock)
1529. Bock and Liberman (1970) data set of 1000 observations of the LSAT¶
- name
rdataset-psych-lsat7 (bock)
- reference
- R package
psych
- R Dataset
lsat7 (bock)
1530. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-reise
- reference
- R package
psych
- R Dataset
reise
1531. 3 Measures of ability: SATV, SATQ, ACT¶
- name
rdataset-psych-sat.act
- reference
- R package
psych
- R Dataset
sat.act
1532. 12 variables created by Schmid and Leiman to show the Schmid-Leiman Transformation¶
- name
rdataset-psych-schmid
- reference
- R package
psych
- R Dataset
schmid
1533. 12 variables created by Schmid and Leiman to show the Schmid-Leiman Transformation¶
- name
rdataset-psych-schmid.leiman (schmid)
- reference
- R package
psych
- R Dataset
schmid.leiman (schmid)
1534. Data set testing causal direction in presumed media influence¶
- name
rdataset-psych-tal_or (tal_or)
- reference
- R package
psych
- R Dataset
tal_or (tal_or)
1535. Data set testing causal direction in presumed media influence¶
- name
rdataset-psych-tal.or
- reference
- R package
psych
- R Dataset
tal.or
1536. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-thurstone
- reference
- R package
psych
- R Dataset
thurstone
1537. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-thurstone.33
- reference
- R package
psych
- R Dataset
thurstone.33
1538. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-thurstone.33g
- reference
- R package
psych
- R Dataset
thurstone.33g
1539. Seven data sets showing a bifactor solution.¶
- name
rdataset-psych-thurstone.9
- reference
- R package
psych
- R Dataset
thurstone.9
1540. 9 Cognitive variables discussed by Tucker and Lewis (1973)¶
- name
rdataset-psych-tucker
- reference
- R package
psych
- R Dataset
tucker
1541. 12 variables created by Schmid and Leiman to show the Schmid-Leiman Transformation¶
- name
rdataset-psych-west (schmid)
- reference
- R package
psych
- R Dataset
west (schmid)
1542. An example of the distinction between within group and between group correlations¶
- name
rdataset-psych-withinbetween
- reference
- R package
psych
- R Dataset
withinbetween
1543. Barro Data¶
- name
rdataset-quantreg-barro
- reference
- R package
quantreg
- R Dataset
barro
1544. Boscovich Data¶
- name
rdataset-quantreg-bosco
- reference
- R package
quantreg
- R Dataset
bosco
1545. Cobar Ore data¶
- name
rdataset-quantreg-cobarore
- reference
- R package
quantreg
- R Dataset
cobarore
1546. Engel Data¶
- name
rdataset-quantreg-engel
- reference
- R package
quantreg
- R Dataset
engel
1547. Time Series of US Gasoline Prices¶
- name
rdataset-quantreg-gasprice
- reference
- R package
quantreg
- R Dataset
gasprice
1548. Garland(1983) Data on Running Speed of Mammals¶
- name
rdataset-quantreg-mammals
- reference
- R package
quantreg
- R Dataset
mammals
1549. Daily maximum temperatures in Melbourne, Australia¶
- name
rdataset-quantreg-meltemp
- reference
- R package
quantreg
- R Dataset
meltemp
1550. UIS Drug Treatment study data¶
- name
rdataset-quantreg-uis
- reference
- R package
quantreg
- R Dataset
uis
1551. Complete survey data.¶
- name
rdataset-ratdat-complete
- reference
- R package
ratdat
- R Dataset
complete
1552. Complete survey data from 1977 to 1989.¶
- name
rdataset-ratdat-complete_old
- reference
- R package
ratdat
- R Dataset
complete_old
1553. Plots data.¶
- name
rdataset-ratdat-plots
- reference
- R package
ratdat
- R Dataset
plots
1554. Species data.¶
- name
rdataset-ratdat-species
- reference
- R package
ratdat
- R Dataset
species
1555. Survey data.¶
- name
rdataset-ratdat-surveys
- reference
- R package
ratdat
- R Dataset
surveys
1556. Sensory data from a french fries experiment.¶
- name
rdataset-reshape2-french_fries
- reference
- R package
reshape2
- R Dataset
french_fries
1557. Demo data describing the Smiths.¶
- name
rdataset-reshape2-smiths
- reference
- R package
reshape2
- R Dataset
smiths
1558. Tipping data¶
- name
rdataset-reshape2-tips
- reference
- R package
reshape2
- R Dataset
tips
1559. Aircraft Data¶
- name
rdataset-robustbase-aircraft
- reference
- R package
robustbase
- R Dataset
aircraft
1560. Air Quality Data¶
- name
rdataset-robustbase-airmay
- reference
- R package
robustbase
- R Dataset
airmay
1561. Alcohol Solubility in Water Data¶
- name
rdataset-robustbase-alcohol
- reference
- R package
robustbase
- R Dataset
alcohol
1562. Daily Means of NOx (mono-nitrogen oxides) in air¶
- name
rdataset-robustbase-ambientnoxch
- reference
- R package
robustbase
- R Dataset
ambientnoxch
1563. Brain and Body Weights for 65 Species of Land Animals¶
- name
rdataset-robustbase-animals2
- reference
- R package
robustbase
- R Dataset
animals2
1564. Biomass Tillage Data¶
- name
rdataset-robustbase-biomasstill
- reference
- R package
robustbase
- R Dataset
biomasstill
1565. Campbell Bushfire Data¶
- name
rdataset-robustbase-bushfire
- reference
- R package
robustbase
- R Dataset
bushfire
1566. Insect Damages on Carrots¶
- name
rdataset-robustbase-carrots
- reference
- R package
robustbase
- R Dataset
carrots
1567. Cloud point of a Liquid¶
- name
rdataset-robustbase-cloud
- reference
- R package
robustbase
- R Dataset
cloud
1568. Coleman Data Set¶
- name
rdataset-robustbase-coleman
- reference
- R package
robustbase
- R Dataset
coleman
1569. Condroz Data¶
- name
rdataset-robustbase-condroz
- reference
- R package
robustbase
- R Dataset
condroz
1570. Crohn’s Disease Adverse Events Data¶
- name
rdataset-robustbase-crohnd
- reference
- R package
robustbase
- R Dataset
crohnd
1571. Cushny and Peebles Prolongation of Sleep Data¶
- name
rdataset-robustbase-cushny
- reference
- R package
robustbase
- R Dataset
cushny
1572. Delivery Time Data¶
- name
rdataset-robustbase-delivery
- reference
- R package
robustbase
- R Dataset
delivery
1573. Education Expenditure Data¶
- name
rdataset-robustbase-education
- reference
- R package
robustbase
- R Dataset
education
1574. Epilepsy Attacks Data Set¶
- name
rdataset-robustbase-epilepsy
- reference
- R package
robustbase
- R Dataset
epilepsy
1575. Example Data of Antille and May - for Simple Regression¶
- name
rdataset-robustbase-exam
- reference
- R package
robustbase
- R Dataset
exam
1576. Food Stamp Program Participation¶
- name
rdataset-robustbase-foodstamp
- reference
- R package
robustbase
- R Dataset
foodstamp
1577. Hawkins, Bradu, Kass’s Artificial Data¶
- name
rdataset-robustbase-hbk
- reference
- R package
robustbase
- R Dataset
hbk
1578. Heart Catherization Data¶
- name
rdataset-robustbase-heart
- reference
- R package
robustbase
- R Dataset
heart
1579. Waterflow Measurements of Kootenay River in Libby and Newgate¶
- name
rdataset-robustbase-kootenay
- reference
- R package
robustbase
- R Dataset
kootenay
1580. Lactic Acid Concentration Measurement Data¶
- name
rdataset-robustbase-lactic
- reference
- R package
robustbase
- R Dataset
lactic
1581. Length of Stay Data¶
- name
rdataset-robustbase-los
- reference
- R package
robustbase
- R Dataset
los
1582. Daudin’s Milk Composition Data¶
- name
rdataset-robustbase-milk
- reference
- R package
robustbase
- R Dataset
milk
1583. NOx Air Pollution Data¶
- name
rdataset-robustbase-noxemissions
- reference
- R package
robustbase
- R Dataset
noxemissions
1584. Pension Funds Data¶
- name
rdataset-robustbase-pension
- reference
- R package
robustbase
- R Dataset
pension
1585. Phosphorus Content Data¶
- name
rdataset-robustbase-phosphor
- reference
- R package
robustbase
- R Dataset
phosphor
1586. Pilot-Plant Data¶
- name
rdataset-robustbase-pilot
- reference
- R package
robustbase
- R Dataset
pilot
1587. Possum Diversity Data¶
- name
rdataset-robustbase-possum.mat (possumdiv)
- reference
- R package
robustbase
- R Dataset
possum.mat (possumdiv)
1588. Possum Diversity Data¶
- name
rdataset-robustbase-possumdiv
- reference
- R package
robustbase
- R Dataset
possumdiv
1589. Pulp Fiber and Paper Data¶
- name
rdataset-robustbase-pulpfiber
- reference
- R package
robustbase
- R Dataset
pulpfiber
1590. Satellite Radar Image Data from near Munich¶
- name
rdataset-robustbase-radarimage
- reference
- R package
robustbase
- R Dataset
radarimage
1591. Salinity Data¶
- name
rdataset-robustbase-salinity
- reference
- R package
robustbase
- R Dataset
salinity
1592. Siegel’s Exact Fit Example Data¶
- name
rdataset-robustbase-siegelsex
- reference
- R package
robustbase
- R Dataset
siegelsex
1593. Hertzsprung-Russell Diagram Data of Star Cluster CYG OB1¶
- name
rdataset-robustbase-starscyg
- reference
- R package
robustbase
- R Dataset
starscyg
1594. Steam Usage Data (Excerpt)¶
- name
rdataset-robustbase-steamuse
- reference
- R package
robustbase
- R Dataset
steamuse
1595. Number of International Calls from Belgium¶
- name
rdataset-robustbase-telef
- reference
- R package
robustbase
- R Dataset
telef
1596. Toxicity of Carboxylic Acids Data¶
- name
rdataset-robustbase-toxicity
- reference
- R package
robustbase
- R Dataset
toxicity
1597. Vaso Constriction Skin Data Set¶
- name
rdataset-robustbase-vaso
- reference
- R package
robustbase
- R Dataset
vaso
1598. Wagner’s Hannover Employment Growth Data¶
- name
rdataset-robustbase-wagnergrowth
- reference
- R package
robustbase
- R Dataset
wagnergrowth
1599. Modified Data on Wood Specific Gravity¶
- name
rdataset-robustbase-wood
- reference
- R package
robustbase
- R Dataset
wood
1600. Extreme Data examples¶
- name
rdataset-robustbase-x30o50
- reference
- R package
robustbase
- R Dataset
x30o50
1601. Automobile Data from ‘Consumer Reports’ 1990¶
- name
rdataset-rpart-car.test.frame
- reference
- R package
rpart
- R Dataset
car.test.frame
1602. Automobile Data from ‘Consumer Reports’ 1990¶
- name
rdataset-rpart-car90
- reference
- R package
rpart
- R Dataset
car90
1603. Automobile Data from ‘Consumer Reports’ 1990¶
- name
rdataset-rpart-cu.summary
- reference
- R package
rpart
- R Dataset
cu.summary
1604. Data on Children who have had Corrective Spinal Surgery¶
- name
rdataset-rpart-kyphosis
- reference
- R package
rpart
- R Dataset
kyphosis
1605. Soldering of Components on Printed-Circuit Boards¶
- name
rdataset-rpart-solder
- reference
- R package
rpart
- R Dataset
solder
1606. Soldering of Components on Printed-Circuit Boards¶
- name
rdataset-rpart-solder.balance (solder)
- reference
- R package
rpart
- R Dataset
solder.balance (solder)
1607. Stage C Prostate Cancer¶
- name
rdataset-rpart-stagec
- reference
- R package
rpart
- R Dataset
stagec
1608. U.S. Women’s Labor Force Participation¶
- name
rdataset-sampleselection-mroz87
- reference
- R package
sampleselection
- R Dataset
mroz87
1609. National Longitudinal Survey of Young Working Women¶
- name
rdataset-sampleselection-nlswork
- reference
- R package
sampleselection
- R Dataset
nlswork
1610. RAND Health Insurance Experiment¶
- name
rdataset-sampleselection-randhie
- reference
- R package
sampleselection
- R Dataset
randhie
1611. Survey Responses on Smoking Behaviour¶
- name
rdataset-sampleselection-smoke
- reference
- R package
sampleselection
- R Dataset
smoke
1612. Innovation and Institutional Ownership¶
- name
rdataset-sandwich-instinnovation
- reference
- R package
sandwich
- R Dataset
instinnovation
1613. US Investment Data¶
- name
rdataset-sandwich-investment
- reference
- R package
sandwich
- R Dataset
investment
1614. Petersen’s Simulated Data for Assessing Clustered Standard Errors¶
- name
rdataset-sandwich-petersencl
- reference
- R package
sandwich
- R Dataset
petersencl
1615. US Expenditures for Public Schools¶
- name
rdataset-sandwich-publicschools
- reference
- R package
sandwich
- R Dataset
publicschools
1616. Bollen’s Data on Industrialization and Political Democracy¶
- name
rdataset-sem-bollen
- reference
- R package
sem
- R Dataset
bollen
1617. Variables from the 1997 Canadian National Election Study¶
- name
rdataset-sem-cnes
- reference
- R package
sem
- R Dataset
cnes
1618. Holizinger and Swineford’s Data¶
- name
rdataset-sem-hs.data
- reference
- R package
sem
- R Dataset
hs.data
1619. Klein’s Data on the U. S. Economy¶
- name
rdataset-sem-klein
- reference
- R package
sem
- R Dataset
klein
1620. Partly Artificial Data on the U. S. Economy¶
- name
rdataset-sem-kmenta
- reference
- R package
sem
- R Dataset
kmenta
1621. Six Mental Tests¶
- name
rdataset-sem-tests
- reference
- R package
sem
- R Dataset
tests
1622. Prices of Used Honda Accords (in 2017)¶
- name
rdataset-stat2data-accordprice
- reference
- R package
stat2data
- R Dataset
accordprice
1623. Congressional Votes on American Health Care Act (in 2017)¶
- name
rdataset-stat2data-ahcavote2017
- reference
- R package
stat2data
- R Dataset
ahcavote2017
1624. Ontime Records for Two Airlines at Two Airports¶
- name
rdataset-stat2data-airlines
- reference
- R package
stat2data
- R Dataset
airlines
1625. Alfalfa Growth¶
- name
rdataset-stat2data-alfalfa
- reference
- R package
stat2data
- R Dataset
alfalfa
1626. US Senate Votes on Samuel Alito for the Supreme Court¶
- name
rdataset-stat2data-alitoconfirmation
- reference
- R package
stat2data
- R Dataset
alitoconfirmation
1627. Amyloid-beta and Cognitive Impairment¶
- name
rdataset-stat2data-amyloid
- reference
- R package
stat2data
- R Dataset
amyloid
1628. Daily Price and Volume of Apple Stock¶
- name
rdataset-stat2data-applestock
- reference
- R package
stat2data
- R Dataset
applestock
1629. Scores in an Archery Class¶
- name
rdataset-stat2data-archerydata
- reference
- R package
stat2data
- R Dataset
archerydata
1630. Athletic Participation, Race, and Graduation¶
- name
rdataset-stat2data-athletegrad
- reference
- R package
stat2data
- R Dataset
athletegrad
1631. Reaction Times to Audio and Visual Stimuli¶
- name
rdataset-stat2data-audiovisual
- reference
- R package
stat2data
- R Dataset
audiovisual
1632. Noise Levels of Filters to Reduce Automobile Pollution¶
- name
rdataset-stat2data-autopollution
- reference
- R package
stat2data
- R Dataset
autopollution
1633. Weights of College Student Backpacks¶
- name
rdataset-stat2data-backpack
- reference
- R package
stat2data
- R Dataset
backpack
1634. Baseball Game Times of One Day in 2008¶
- name
rdataset-stat2data-baseballtimes
- reference
- R package
stat2data
- R Dataset
baseballtimes
1635. Baseball Game Times of One Day in 2017¶
- name
rdataset-stat2data-baseballtimes2017
- reference
- R package
stat2data
- R Dataset
baseballtimes2017
1636. Do Bee Stings Depend on Previous Stings?¶
- name
rdataset-stat2data-beestings
- reference
- R package
stat2data
- R Dataset
beestings
1637. Effect of a Hormone on Bird Calcium Levels¶
- name
rdataset-stat2data-birdcalcium
- reference
- R package
stat2data
- R Dataset
birdcalcium
1638. Nest Characteristics for Different Bird Species¶
- name
rdataset-stat2data-birdnest
- reference
- R package
stat2data
- R Dataset
birdnest
1639. Blood Pressure, Weight, and Smoking Status¶
- name
rdataset-stat2data-blood1
- reference
- R package
stat2data
- R Dataset
blood1
1640. Blue Jay Measurements¶
- name
rdataset-stat2data-bluejays
- reference
- R package
stat2data
- R Dataset
bluejays
1641. Brain pH Measurements¶
- name
rdataset-stat2data-brainph
- reference
- R package
stat2data
- R Dataset
brainph
1642. Drew Brees Passing Statistics (2016)¶
- name
rdataset-stat2data-breespass
- reference
- R package
stat2data
- R Dataset
breespass
1643. Attitudes Towards British Trade Unions¶
- name
rdataset-stat2data-britishunions
- reference
- R package
stat2data
- R Dataset
britishunions
1644. Butterfly (Boloria chariclea) Measurements¶
- name
rdataset-stat2data-butterfliesbc
- reference
- R package
stat2data
- R Dataset
butterfliesbc
1645. US Senate Votes on Corporate Average Fuel Economy Bill¶
- name
rdataset-stat2data-cafe
- reference
- R package
stat2data
- R Dataset
cafe
1646. Do Calcium Supplements Lower Blood Pressure?¶
- name
rdataset-stat2data-calciumbp
- reference
- R package
stat2data
- R Dataset
calciumbp
1647. Canadian Drugs Senate Vote¶
- name
rdataset-stat2data-canadiandrugs
- reference
- R package
stat2data
- R Dataset
canadiandrugs
1648. Survival Times for Different Cancers¶
- name
rdataset-stat2data-cancersurvival
- reference
- R package
stat2data
- R Dataset
cancersurvival
1649. Measurements of Manduca Sexta Caterpillars¶
- name
rdataset-stat2data-caterpillars
- reference
- R package
stat2data
- R Dataset
caterpillars
1650. Cleveland Cavalier’s Shooting (2016-2017)¶
- name
rdataset-stat2data-cavsshooting
- reference
- R package
stat2data
- R Dataset
cavsshooting
1651. Nutrition Content of Breakfast Cereals¶
- name
rdataset-stat2data-cereal
- reference
- R package
stat2data
- R Dataset
cereal
1652. THC for Antinausea Treatment in Chemotherapy¶
- name
rdataset-stat2data-chemothc
- reference
- R package
stat2data
- R Dataset
chemothc
1653. Age at First Speaking¶
- name
rdataset-stat2data-childspeaks
- reference
- R package
stat2data
- R Dataset
childspeaks
1654. Clinton/Sanders Primary Results (2016)¶
- name
rdataset-stat2data-clintonsanders
- reference
- R package
stat2data
- R Dataset
clintonsanders
1655. Sales for a Clothing Retailer¶
- name
rdataset-stat2data-clothing
- reference
- R package
stat2data
- R Dataset
clothing
1656. Cloud Seeding Experiment (Winter Only)¶
- name
rdataset-stat2data-cloudseeding
- reference
- R package
stat2data
- R Dataset
cloudseeding
1657. Cloud Seeding Experiment (Four Seasons)¶
- name
rdataset-stat2data-cloudseeding2
- reference
- R package
stat2data
- R Dataset
cloudseeding2
1658. Daily CO2 Measurements in Germany¶
- name
rdataset-stat2data-co2
- reference
- R package
stat2data
- R Dataset
co2
1659. Daily CO2 Measurements in Germany¶
- name
rdataset-stat2data-co2germany
- reference
- R package
stat2data
- R Dataset
co2germany
1660. CO2 Readings in Hawaii¶
- name
rdataset-stat2data-co2hawaii
- reference
- R package
stat2data
- R Dataset
co2hawaii
1661. CO2 Readings at the South Pole¶
- name
rdataset-stat2data-co2southpole
- reference
- R package
stat2data
- R Dataset
co2southpole
1662. Drug Interaction with Contraceptives¶
- name
rdataset-stat2data-contraceptives
- reference
- R package
stat2data
- R Dataset
contraceptives
1663. County Health Resources¶
- name
rdataset-stat2data-countyhealth
- reference
- R package
stat2data
- R Dataset
countyhealth
1664. Crab Oxygen Intake¶
- name
rdataset-stat2data-crabship
- reference
- R package
stat2data
- R Dataset
crabship
1665. Effects of Cracker Fiber on Digested Calories¶
- name
rdataset-stat2data-crackerfiber
- reference
- R package
stat2data
- R Dataset
crackerfiber
1666. Overdrawn Checking Account?¶
- name
rdataset-stat2data-creditrisk
- reference
- R package
stat2data
- R Dataset
creditrisk
1667. Measurements of Cuckoo Eggs¶
- name
rdataset-stat2data-cuckoo
- reference
- R package
stat2data
- R Dataset
cuckoo
1668. First Day Survey of Statistics Students¶
- name
rdataset-stat2data-day1survey
- reference
- R package
stat2data
- R Dataset
day1survey
1669. Lactic Acid Turnover in Dogs¶
- name
rdataset-stat2data-diabeticdogs
- reference
- R package
stat2data
- R Dataset
diabeticdogs
1670. Characteristics of a Sample of Diamonds¶
- name
rdataset-stat2data-diamonds
- reference
- R package
stat2data
- R Dataset
diamonds
1671. Characteristics of a Subset of the Diamond Sample¶
- name
rdataset-stat2data-diamonds2
- reference
- R package
stat2data
- R Dataset
diamonds2
1672. Iridium Levels in Rock Layers to Investigate Dinosaur Extinction¶
- name
rdataset-stat2data-dinosaurs
- reference
- R package
stat2data
- R Dataset
dinosaurs
1673. 2008 U.S. Presidential Election¶
- name
rdataset-stat2data-election08
- reference
- R package
stat2data
- R Dataset
election08
1674. 2016 U.S. Presidential Election¶
- name
rdataset-stat2data-election16
- reference
- R package
stat2data
- R Dataset
election16
1675. Measurements of Male African Elephants¶
- name
rdataset-stat2data-elephantsfb
- reference
- R package
stat2data
- R Dataset
elephantsfb
1676. Measurements of African Elephants¶
- name
rdataset-stat2data-elephantsmf
- reference
- R package
stat2data
- R Dataset
elephantsmf
1677. Effects of Oxygen on Sugar Metabolism¶
- name
rdataset-stat2data-ethanol
- reference
- R package
stat2data
- R Dataset
ethanol
1678. Pupil Dilation and Sexual Orientation¶
- name
rdataset-stat2data-eyes
- reference
- R package
stat2data
- R Dataset
eyes
1679. Facial Attractiveness of Men¶
- name
rdataset-stat2data-faces
- reference
- R package
stat2data
- R Dataset
faces
1680. Faithfulness from a Photo?¶
- name
rdataset-stat2data-faithfulfaces
- reference
- R package
stat2data
- R Dataset
faithfulfaces
1681. Selection Times in a Fantasy Baseball Draft¶
- name
rdataset-stat2data-fantasybaseball
- reference
- R package
stat2data
- R Dataset
fantasybaseball
1682. Diet and Weight of Rats¶
- name
rdataset-stat2data-fatrats
- reference
- R package
stat2data
- R Dataset
fatrats
1683. Fertility Data for Women Having Trouble Getting Pregnant¶
- name
rdataset-stat2data-fertility
- reference
- R package
stat2data
- R Dataset
fertility
1684. Results of NFL Field Goal Attempts¶
- name
rdataset-stat2data-fgbydistance
- reference
- R package
stat2data
- R Dataset
fgbydistance
1685. Film Data from Leonard Maltin’s Guide¶
- name
rdataset-stat2data-film
- reference
- R package
stat2data
- R Dataset
film
1686. NCAA Final Four by Seed and Tom Izzo (through 2010)¶
- name
rdataset-stat2data-finalfourizzo
- reference
- R package
stat2data
- R Dataset
finalfourizzo
1687. NCAA Final Four by Seed and Tom Izzo (through 2017)¶
- name
rdataset-stat2data-finalfourizzo17
- reference
- R package
stat2data
- R Dataset
finalfourizzo17
1688. NCAA Final Four by Seed (Long Version through 2010)¶
- name
rdataset-stat2data-finalfourlong
- reference
- R package
stat2data
- R Dataset
finalfourlong
1689. NCAA Final Four by Seed (Long Version through 2017)¶
- name
rdataset-stat2data-finalfourlong17
- reference
- R package
stat2data
- R Dataset
finalfourlong17
1690. CAA Final Four by Seed (Short Version through 2010)¶
- name
rdataset-stat2data-finalfourshort
- reference
- R package
stat2data
- R Dataset
finalfourshort
1691. NCAA Final Four by Seed (Short Version through 2017)¶
- name
rdataset-stat2data-finalfourshort17
- reference
- R package
stat2data
- R Dataset
finalfourshort17
1692. Finger Tap Rates¶
- name
rdataset-stat2data-fingers
- reference
- R package
stat2data
- R Dataset
fingers
1693. First Year GPA for College Students¶
- name
rdataset-stat2data-firstyeargpa
- reference
- R package
stat2data
- R Dataset
firstyeargpa
1694. Fertility of Fish Eggs¶
- name
rdataset-stat2data-fisheggs
- reference
- R package
stat2data
- R Dataset
fisheggs
1695. Body Measurements of Mammal Species¶
- name
rdataset-stat2data-fitch
- reference
- R package
stat2data
- R Dataset
fitch
1696. Response of Migratory Geese to Helicopter Overflights¶
- name
rdataset-stat2data-flightresponse
- reference
- R package
stat2data
- R Dataset
flightresponse
1697. Florida Death Penalty Cases¶
- name
rdataset-stat2data-floridadp
- reference
- R package
stat2data
- R Dataset
floridadp
1698. Measuring Calcium Binding to Proteins¶
- name
rdataset-stat2data-fluorescence
- reference
- R package
stat2data
- R Dataset
fluorescence
1699. Finger Tap Rates¶
- name
rdataset-stat2data-franticfingers
- reference
- R package
stat2data
- R Dataset
franticfingers
1700. Fruit Fly Sexual Activity and Longevity¶
- name
rdataset-stat2data-fruitflies
- reference
- R package
stat2data
- R Dataset
fruitflies
1701. Fruit Fly Sexual Activity and Male Competition¶
- name
rdataset-stat2data-fruitflies2
- reference
- R package
stat2data
- R Dataset
fruitflies2
1702. Funnel Drop Times¶
- name
rdataset-stat2data-funneldrop
- reference
- R package
stat2data
- R Dataset
funneldrop
1703. Female Glow-worms¶
- name
rdataset-stat2data-glowworms
- reference
- R package
stat2data
- R Dataset
glowworms
1704. Goldenrod Galls¶
- name
rdataset-stat2data-goldenrod
- reference
- R package
stat2data
- R Dataset
goldenrod
1705. House Sales in Grinnell, Iowa¶
- name
rdataset-stat2data-grinnellhouses
- reference
- R package
stat2data
- R Dataset
grinnellhouses
1706. Grocery Sales and Discounts¶
- name
rdataset-stat2data-grocery
- reference
- R package
stat2data
- R Dataset
grocery
1707. Are Gunnels Present at Shoreline?¶
- name
rdataset-stat2data-gunnels
- reference
- R package
stat2data
- R Dataset
gunnels
1709. Measurements on Three Hawk Species¶
- name
rdataset-stat2data-hawks
- reference
- R package
stat2data
- R Dataset
hawks
1710. Tail Lengths of Hawks¶
- name
rdataset-stat2data-hawktail
- reference
- R package
stat2data
- R Dataset
hawktail
1711. Tail Lengths of Hawks (Unstacked)¶
- name
rdataset-stat2data-hawktail2
- reference
- R package
stat2data
- R Dataset
hawktail2
1712. Correctly Identified Words in a Hearing Test¶
- name
rdataset-stat2data-hearingtest
- reference
- R package
stat2data
- R Dataset
hearingtest
1713. Heating Oil Consumption¶
- name
rdataset-stat2data-heatingoil
- reference
- R package
stat2data
- R Dataset
heatingoil
1714. Characteristics of Adirondack Hiking Trails¶
- name
rdataset-stat2data-highpeaks
- reference
- R package
stat2data
- R Dataset
highpeaks
1715. Grinnell College Basketball Games¶
- name
rdataset-stat2data-hoops
- reference
- R package
stat2data
- R Dataset
hoops
1716. Prices of Horses¶
- name
rdataset-stat2data-horseprices
- reference
- R package
stat2data
- R Dataset
horseprices
1717. House Prices, Sizes, and Lot Areas¶
- name
rdataset-stat2data-houses
- reference
- R package
stat2data
- R Dataset
houses
1718. House Prices in Rural NY¶
- name
rdataset-stat2data-housesny
- reference
- R package
stat2data
- R Dataset
housesny
1719. Intensive Care Unit Patients¶
- name
rdataset-stat2data-icu
- reference
- R package
stat2data
- R Dataset
icu
1720. Infant Mortality Rates¶
- name
rdataset-stat2data-infantmortality2010
- reference
- R package
stat2data
- R Dataset
infantmortality2010
1721. Monthly Consumer Price Index (2009-2016)¶
- name
rdataset-stat2data-inflation
- reference
- R package
stat2data
- R Dataset
inflation
1722. Congressional Votes on a Health Insurance Bill¶
- name
rdataset-stat2data-insurancevote
- reference
- R package
stat2data
- R Dataset
insurancevote
1723. Guess IQ from a Photo?¶
- name
rdataset-stat2data-iqguessing
- reference
- R package
stat2data
- R Dataset
iqguessing
1724. Reporting Rates for Jurors¶
- name
rdataset-stat2data-jurors
- reference
- R package
stat2data
- R Dataset
jurors
1725. Kershaw Pitch Data¶
- name
rdataset-stat2data-kershaw
- reference
- R package
stat2data
- R Dataset
kershaw
1726. Key West Water Temperatures¶
- name
rdataset-stat2data-keywestwater
- reference
- R package
stat2data
- R Dataset
keywestwater
1727. Body Measurements of Children¶
- name
rdataset-stat2data-kids198
- reference
- R package
stat2data
- R Dataset
kids198
1728. Leafhopper Diet and Longevity¶
- name
rdataset-stat2data-leafhoppers
- reference
- R package
stat2data
- R Dataset
leafhoppers
1729. Leaf Measurements¶
- name
rdataset-stat2data-leafwidth
- reference
- R package
stat2data
- R Dataset
leafwidth
1730. Responses to Treatment for Leukemia¶
- name
rdataset-stat2data-leukemia
- reference
- R package
stat2data
- R Dataset
leukemia
1731. Levee Failures along the Mississippi River¶
- name
rdataset-stat2data-leveefailures
- reference
- R package
stat2data
- R Dataset
leveefailures
1732. Lewy Bodies and Dimentia¶
- name
rdataset-stat2data-lewybody2groups
- reference
- R package
stat2data
- R Dataset
lewybody2groups
1733. Lewy Bodies and Dimentia with Alzheimer’s¶
- name
rdataset-stat2data-lewydlbad
- reference
- R package
stat2data
- R Dataset
lewydlbad
1734. Olympic Men’s Long Jump Gold Medal Distance (1900 - 2008)¶
- name
rdataset-stat2data-longjumpolympics
- reference
- R package
stat2data
- R Dataset
longjumpolympics
1735. Olympic Men’s Long Jump Gold Medal Distance (1900 - 2016)¶
- name
rdataset-stat2data-longjumpolympics2016
- reference
- R package
stat2data
- R Dataset
longjumpolympics2016
1736. Sleep Hours for Teenagers¶
- name
rdataset-stat2data-losingsleep
- reference
- R package
stat2data
- R Dataset
losingsleep
1737. Return Rates for “Lost” Letters¶
- name
rdataset-stat2data-lostletter
- reference
- R package
stat2data
- R Dataset
lostletter
1738. Daily Training for a Marathon Runner¶
- name
rdataset-stat2data-marathon
- reference
- R package
stat2data
- R Dataset
marathon
1739. Daily Change in Dow Jones and Nikkei Stock Market Indices¶
- name
rdataset-stat2data-markets
- reference
- R package
stat2data
- R Dataset
markets
1740. Enrollments in Math Courses¶
- name
rdataset-stat2data-mathenrollment
- reference
- R package
stat2data
- R Dataset
mathenrollment
1741. Math Placement Exam Results¶
- name
rdataset-stat2data-mathplacement
- reference
- R package
stat2data
- R Dataset
mathplacement
1742. GPA and Medical School Admission¶
- name
rdataset-stat2data-medgpa
- reference
- R package
stat2data
- R Dataset
medgpa
1743. Meniscus Repair Methods¶
- name
rdataset-stat2data-meniscus
- reference
- R package
stat2data
- R Dataset
meniscus
1744. Mental Health Admissions¶
- name
rdataset-stat2data-mentalhealth
- reference
- R package
stat2data
- R Dataset
mentalhealth
1745. Metabolic Rate of Caterpillars¶
- name
rdataset-stat2data-metabolicrate
- reference
- R package
stat2data
- R Dataset
metabolicrate
1746. Commute Times¶
- name
rdataset-stat2data-metrocommutes
- reference
- R package
stat2data
- R Dataset
metrocommutes
1747. Health Services in Metropolitan Areas¶
- name
rdataset-stat2data-metrohealth83
- reference
- R package
stat2data
- R Dataset
metrohealth83
1748. Migraines and TMS¶
- name
rdataset-stat2data-migraines
- reference
- R package
stat2data
- R Dataset
migraines
1749. Ethics and a Milgram Experiment¶
- name
rdataset-stat2data-milgram
- reference
- R package
stat2data
- R Dataset
milgram
1750. Standings and Team Statistics from the 2007 Baseball Season¶
- name
rdataset-stat2data-mlb2007standings
- reference
- R package
stat2data
- R Dataset
mlb2007standings
1751. MLB Standings in 2016¶
- name
rdataset-stat2data-mlbstandings2016
- reference
- R package
stat2data
- R Dataset
mlbstandings2016
1752. Moth Eggs¶
- name
rdataset-stat2data-motheggs
- reference
- R package
stat2data
- R Dataset
motheggs
1753. Effects of Serotonin in Mice¶
- name
rdataset-stat2data-mousebrain
- reference
- R package
stat2data
- R Dataset
mousebrain
1754. Estimating Time with Different Music Playing¶
- name
rdataset-stat2data-musictime
- reference
- R package
stat2data
- R Dataset
musictime
1755. North Carolina Birth Records¶
- name
rdataset-stat2data-ncbirths
- reference
- R package
stat2data
- R Dataset
ncbirths
1756. NFL Standings for 2007 Regular Season¶
- name
rdataset-stat2data-nfl2007standings
- reference
- R package
stat2data
- R Dataset
nfl2007standings
1757. NFL Standings for 2016 Regular Season¶
- name
rdataset-stat2data-nflstandings2016
- reference
- R package
stat2data
- R Dataset
nflstandings2016
1758. Nursing Homes¶
- name
rdataset-stat2data-nursing
- reference
- R package
stat2data
- R Dataset
nursing
1759. Effect of Ultrasound on Oil Deapsorbtion¶
- name
rdataset-stat2data-oildeapsorbtion
- reference
- R package
stat2data
- R Dataset
oildeapsorbtion
1760. Fenthion in Olive Oil¶
- name
rdataset-stat2data-olives
- reference
- R package
stat2data
- R Dataset
olives
1761. Space Shuttle O-Rings¶
- name
rdataset-stat2data-orings
- reference
- R package
stat2data
- R Dataset
orings
1762. Overdrawn Checking Account?¶
- name
rdataset-stat2data-overdrawn
- reference
- R package
stat2data
- R Dataset
overdrawn
1763. Size of Oysters¶
- name
rdataset-stat2data-oysters
- reference
- R package
stat2data
- R Dataset
oysters
1764. Palm Beach Butterfly Ballot¶
- name
rdataset-stat2data-palmbeach
- reference
- R package
stat2data
- R Dataset
palmbeach
1765. Monthly Peace Bridge Traffic ( 2003-2015)¶
- name
rdataset-stat2data-peacebridge2003
- reference
- R package
stat2data
- R Dataset
peacebridge2003
1766. Monthly Peace Bridge Traffic ( 2012-2015)¶
- name
rdataset-stat2data-peacebridge2012
- reference
- R package
stat2data
- R Dataset
peacebridge2012
1767. Pedometer Walking Data¶
- name
rdataset-stat2data-pedometer
- reference
- R package
stat2data
- R Dataset
pedometer
1768. Perch Sizes¶
- name
rdataset-stat2data-perch
- reference
- R package
stat2data
- R Dataset
perch
1769. Additives in Pig Feed¶
- name
rdataset-stat2data-pigfeed
- reference
- R package
stat2data
- R Dataset
pigfeed
1770. Measurements of Pine Tree Seedlings¶
- name
rdataset-stat2data-pines
- reference
- R package
stat2data
- R Dataset
pines
1771. Dopamine levels with PKU in diets¶
- name
rdataset-stat2data-pku
- reference
- R package
stat2data
- R Dataset
pku
1772. Political Behavior of College Students¶
- name
rdataset-stat2data-political
- reference
- R package
stat2data
- R Dataset
political
1773. 2008 U.S. Presidential Election Polls¶
- name
rdataset-stat2data-pollster08
- reference
- R package
stat2data
- R Dataset
pollster08
1774. Popcorn Popping Success¶
- name
rdataset-stat2data-popcorn
- reference
- R package
stat2data
- R Dataset
popcorn
1775. Porsche and Jaguar Prices¶
- name
rdataset-stat2data-porschejaguar
- reference
- R package
stat2data
- R Dataset
porschejaguar
1776. Porsche Prices¶
- name
rdataset-stat2data-porscheprice
- reference
- R package
stat2data
- R Dataset
porscheprice
1777. Pulse Rates and Exercise¶
- name
rdataset-stat2data-pulse
- reference
- R package
stat2data
- R Dataset
pulse
1778. Putting Success by Length (Long Form)¶
- name
rdataset-stat2data-putts1
- reference
- R package
stat2data
- R Dataset
putts1
1779. Putting Success by Length (Short Form)¶
- name
rdataset-stat2data-putts2
- reference
- R package
stat2data
- R Dataset
putts2
1780. Hypothetical Putting Data (Short Form)¶
- name
rdataset-stat2data-putts3
- reference
- R package
stat2data
- R Dataset
putts3
1781. Racial Animus and City Demgraphics¶
- name
rdataset-stat2data-racialanimus
- reference
- R package
stat2data
- R Dataset
racialanimus
1782. Comparing Twins Ability to Clear Radioactive Particles¶
- name
rdataset-stat2data-radioactivetwins
- reference
- R package
stat2data
- R Dataset
radioactivetwins
1783. Homes in Northampton MA Near Rail Trails¶
- name
rdataset-stat2data-railstrails
- reference
- R package
stat2data
- R Dataset
railstrails
1784. Measurements of Rectangles¶
- name
rdataset-stat2data-rectangles
- reference
- R package
stat2data
- R Dataset
rectangles
1785. Religion and GDP for Countries¶
- name
rdataset-stat2data-religiongdp
- reference
- R package
stat2data
- R Dataset
religiongdp
1786. Pulse Rates at Various Times of Day¶
- name
rdataset-stat2data-repeatedpulse
- reference
- R package
stat2data
- R Dataset
repeatedpulse
1787. US Residual Oil Production (Quarterly 1983-2016)¶
- name
rdataset-stat2data-residualoil
- reference
- R package
stat2data
- R Dataset
residualoil
1788. Yearly Contributions to a Supplemental Retirement Account¶
- name
rdataset-stat2data-retirement
- reference
- R package
stat2data
- R Dataset
retirement
1789. Firefighter Promotion Exam Scores¶
- name
rdataset-stat2data-ricci
- reference
- R package
stat2data
- R Dataset
ricci
1790. Elements in River Water Samples¶
- name
rdataset-stat2data-riverelements
- reference
- R package
stat2data
- R Dataset
riverelements
1791. Iron in River Water Samples¶
- name
rdataset-stat2data-riveriron
- reference
- R package
stat2data
- R Dataset
riveriron
1792. Field Goal Attempts in the NFL¶
- name
rdataset-stat2data-samplefg
- reference
- R package
stat2data
- R Dataset
samplefg
1793. Ants on Sandwiches¶
- name
rdataset-stat2data-sandwichants
- reference
- R package
stat2data
- R Dataset
sandwichants
1794. SAT Scores and GPA¶
- name
rdataset-stat2data-satgpa
- reference
- R package
stat2data
- R Dataset
satgpa
1795. Arctic Sea Ice (1979-2015)¶
- name
rdataset-stat2data-seaice
- reference
- R package
stat2data
- R Dataset
seaice
1796. Sea Slug Larvae¶
- name
rdataset-stat2data-seaslugs
- reference
- R package
stat2data
- R Dataset
seaslugs
1797. Shrew Heart Rates at Stages of Sleep¶
- name
rdataset-stat2data-sleepingshrews
- reference
- R package
stat2data
- R Dataset
sleepingshrews
1798. Sparrow Measurements¶
- name
rdataset-stat2data-sparrows
- reference
- R package
stat2data
- R Dataset
sparrows
1799. Land Area and Mammal Species¶
- name
rdataset-stat2data-speciesarea
- reference
- R package
stat2data
- R Dataset
speciesarea
1800. Highway Fatality Rates (Yearly)¶
- name
rdataset-stat2data-speed
- reference
- R package
stat2data
- R Dataset
speed
1801. Effects of Oxygen on Sugar Metabolism¶
- name
rdataset-stat2data-sugarethanol
- reference
- R package
stat2data
- R Dataset
sugarethanol
1802. Suicide Attempts in Shandong, China¶
- name
rdataset-stat2data-suicidechina
- reference
- R package
stat2data
- R Dataset
suicidechina
1803. Attitudes Towards Swahili in Kenyan Schools¶
- name
rdataset-stat2data-swahili
- reference
- R package
stat2data
- R Dataset
swahili
1804. Effects of a Fungus on Tadpoles¶
- name
rdataset-stat2data-tadpoles
- reference
- R package
stat2data
- R Dataset
tadpoles
1805. Daily Prices of Three Tech Stocks¶
- name
rdataset-stat2data-techstocks
- reference
- R package
stat2data
- R Dataset
techstocks
1806. State Teen Pregnancy Rates¶
- name
rdataset-stat2data-teenpregnancy
- reference
- R package
stat2data
- R Dataset
teenpregnancy
1807. Textbook Prices¶
- name
rdataset-stat2data-textprices
- reference
- R package
stat2data
- R Dataset
textprices
1808. US Senate Votes on Clarence Thomas Confirmation¶
- name
rdataset-stat2data-thomasconfirmation
- reference
- R package
stat2data
- R Dataset
thomasconfirmation
1809. Prices of Three Used Car Models (2007)¶
- name
rdataset-stat2data-threecars
- reference
- R package
stat2data
- R Dataset
threecars
1810. Price, Age, and Mileage of Three Used Car Models¶
- name
rdataset-stat2data-threecars2017
- reference
- R package
stat2data
- R Dataset
threecars2017
1811. Improve Chances of Getting a Tip?¶
- name
rdataset-stat2data-tipjoke
- reference
- R package
stat2data
- R Dataset
tipjoke
1812. Passengers on the Titanic¶
- name
rdataset-stat2data-titanic
- reference
- R package
stat2data
- R Dataset
titanic
1813. Migraines and TMS¶
- name
rdataset-stat2data-tms
- reference
- R package
stat2data
- R Dataset
tms
1814. LaDainian Tomlinson Rushing Yards¶
- name
rdataset-stat2data-tomlinsonrush
- reference
- R package
stat2data
- R Dataset
tomlinsonrush
1815. Comparing Twins Ability to Clear Radioactive Particles¶
- name
rdataset-stat2data-twinslungs
- reference
- R package
stat2data
- R Dataset
twinslungs
1816. Defense of Undoing OCD Symptoms in Psychotherapy¶
- name
rdataset-stat2data-undoing
- reference
- R package
stat2data
- R Dataset
undoing
1817. Price of US Stamps¶
- name
rdataset-stat2data-usstamps
- reference
- R package
stat2data
- R Dataset
usstamps
1818. Visual versus Verbal Performance¶
- name
rdataset-stat2data-visualverbal
- reference
- R package
stat2data
- R Dataset
visualverbal
1819. Voltage Drop for a Discharging Capacitor¶
- name
rdataset-stat2data-volts
- reference
- R package
stat2data
- R Dataset
volts
1820. Effects of Exercise on First Walking¶
- name
rdataset-stat2data-walkingbabies
- reference
- R package
stat2data
- R Dataset
walkingbabies
1822. Do Financial Incentives Improve Weight Loss?¶
- name
rdataset-stat2data-weightlossincentive
- reference
- R package
stat2data
- R Dataset
weightlossincentive
1823. Do Financial Incentives Improve Weight Loss? (4 Months)¶
- name
rdataset-stat2data-weightlossincentive4
- reference
- R package
stat2data
- R Dataset
weightlossincentive4
1824. Do Financial Incentives Improve Weight Loss? (7 Months)¶
- name
rdataset-stat2data-weightlossincentive7
- reference
- R package
stat2data
- R Dataset
weightlossincentive7
1825. Whickham Health Study¶
- name
rdataset-stat2data-whickham2
- reference
- R package
stat2data
- R Dataset
whickham2
1826. Experiment on Word Memory¶
- name
rdataset-stat2data-wordmemory
- reference
- R package
stat2data
- R Dataset
wordmemory
1827. Words with Friends Scores¶
- name
rdataset-stat2data-wordswithfriends
- reference
- R package
stat2data
- R Dataset
wordswithfriends
1828. Moving Wet Objects with Wrinkled Fingers¶
- name
rdataset-stat2data-wrinkle
- reference
- R package
stat2data
- R Dataset
wrinkle
1829. Annual survey of health-risk youth behaviors¶
- name
rdataset-stat2data-youthrisk
- reference
- R package
stat2data
- R Dataset
youthrisk
1830. Riding with a Driver Who Has Been Drinking¶
- name
rdataset-stat2data-youthrisk2007
- reference
- R package
stat2data
- R Dataset
youthrisk2007
1831. Youth Risk Survey¶
- name
rdataset-stat2data-youthrisk2009
- reference
- R package
stat2data
- R Dataset
youthrisk2009
1832. Stand Your Ground Simpson’s Paradox¶
- name
rdataset-stat2data-zimmerman
- reference
- R package
stat2data
- R Dataset
zimmerman
1833. Statewide Crime Data (1993)¶
- name
rdataset-stevedata-af_crime93
- reference
- R package
stevedata
- R Dataset
af_crime93
1835. Major Party (Democrat, Republican) Thermometer Index Data (1978-2012)¶
- name
rdataset-stevedata-anes_partytherms
- reference
- R package
stevedata
- R Dataset
anes_partytherms
1836. Abortion Attitudes (ANES, 2012)¶
- name
rdataset-stevedata-anes_prochoice
- reference
- R package
stevedata
- R Dataset
anes_prochoice
1837. Simple Data for a Simple Model of Individual Voter Turnout (ANES, 1984)¶
- name
rdataset-stevedata-anes_vote84
- reference
- R package
stevedata
- R Dataset
anes_vote84
1838. NYSE Arca Steel Index data, 2017–present¶
- name
rdataset-stevedata-arca
- reference
- R package
stevedata
- R Dataset
arca
1839. Arctic Sea Ice Extent Data, 1901-2015¶
- name
rdataset-stevedata-arcticseaice
- reference
- R package
stevedata
- R Dataset
arcticseaice
1840. Simple Mean Tariff Rate for Argentina¶
- name
rdataset-stevedata-arg_tariff
- reference
- R package
stevedata
- R Dataset
arg_tariff
1841. Aviation Safety Network Statistics, 1942-2019¶
- name
rdataset-stevedata-asn_stats
- reference
- R package
stevedata
- R Dataset
asn_stats
1842. Randomization Inference in the Regression Discontinuity Design: An Application to Party Advantages in the U.S. Senate¶
- name
rdataset-stevedata-cft15
- reference
- R package
stevedata
- R Dataset
cft15
1843. Daily Clemson Temperature Data¶
- name
rdataset-stevedata-clemson_temps
- reference
- R package
stevedata
- R Dataset
clemson_temps
1844. Carbon Dioxide Emissions Data¶
- name
rdataset-stevedata-co2emissions
- reference
- R package
stevedata
- R Dataset
co2emissions
1845. Coffee Imports for Select Importing Countries¶
- name
rdataset-stevedata-coffee_imports
- reference
- R package
stevedata
- R Dataset
coffee_imports
1846. The Primary Commodity Price for Coffee (Arabica, Robustas)¶
- name
rdataset-stevedata-coffee_price
- reference
- R package
stevedata
- R Dataset
coffee_price
1847. Select World Bank Commodity Price Data (Monthly)¶
- name
rdataset-stevedata-commodity_prices
- reference
- R package
stevedata
- R Dataset
commodity_prices
1848. Education Expenditure Data (Chatterjee and Price, 1977)¶
- name
rdataset-stevedata-cp77
- reference
- R package
stevedata
- R Dataset
cp77
1849. The Datasaurus Dozen¶
- name
rdataset-stevedata-datasaurus
- reference
- R package
stevedata
- R Dataset
datasaurus
1850. Are There Civics Returns to Education?¶
- name
rdataset-stevedata-dee04
- reference
- R package
stevedata
- R Dataset
dee04
1851. Dow Jones Industrial Average, 1885-Present¶
- name
rdataset-stevedata-djia
- reference
- R package
stevedata
- R Dataset
djia
1852. Casualties/Fatalities in the U.S. for Drunk-Driving, Suicide, and Terrorism¶
- name
rdataset-stevedata-dst
- reference
- R package
stevedata
- R Dataset
dst
1853. The Effect of Special Preparation on SAT-V Scores in Eight Randomized Experiments¶
- name
rdataset-stevedata-eight_schools
- reference
- R package
stevedata
- R Dataset
eight_schools
1854. State-Level Education and Voter Turnout in 2016¶
- name
rdataset-stevedata-election_turnout
- reference
- R package
stevedata
- R Dataset
election_turnout
1855. Export Quality Data for Passenger Cars, 1963-2014¶
- name
rdataset-stevedata-eq_passengercars
- reference
- R package
stevedata
- R Dataset
eq_passengercars
1856. Norwegian Attitudes toward European Integration (2021-2022)¶
- name
rdataset-stevedata-ess10no
- reference
- R package
stevedata
- R Dataset
ess10no
1857. British Attitudes Toward Immigration (2018-19)¶
- name
rdataset-stevedata-ess9gb
- reference
- R package
stevedata
- R Dataset
ess9gb
1859. EU Member States (Current as of 2019)¶
- name
rdataset-stevedata-eustates
- reference
- R package
stevedata
- R Dataset
eustates
1860. Hypothetical (Fake) Data on Academic Performance¶
- name
rdataset-stevedata-fakeapi
- reference
- R package
stevedata
- R Dataset
fakeapi
1861. Fake Data on Happiness¶
- name
rdataset-stevedata-fakehappiness
- reference
- R package
stevedata
- R Dataset
fakehappiness
1862. Fake Data for a Logistic Regression¶
- name
rdataset-stevedata-fakelogit
- reference
- R package
stevedata
- R Dataset
fakelogit
1863. Fake Data for a Time-Series Cross-Section¶
- name
rdataset-stevedata-faketscs
- reference
- R package
stevedata
- R Dataset
faketscs
1864. Fake Data for a Time-Series¶
- name
rdataset-stevedata-faketsd
- reference
- R package
stevedata
- R Dataset
faketsd
1865. Gun Homicide Rate per 100,000 People, by Country¶
- name
rdataset-stevedata-ghp100k
- reference
- R package
stevedata
- R Dataset
ghp100k
1869. School Expenditures and Test Scores for 50 States, 1994-95¶
- name
rdataset-stevedata-guber99
- reference
- R package
stevedata
- R Dataset
guber99
1870. Illiteracy in the Population 10 Years Old and Over, 1930¶
- name
rdataset-stevedata-illiteracy30
- reference
- R package
stevedata
- R Dataset
illiteracy30
1871. “How Solid is Mass Support for Democracy-And How Can We Measure It?”¶
- name
rdataset-stevedata-inglehart03
- reference
- R package
stevedata
- R Dataset
inglehart03
1872. Land-Ocean Temperature Index, 1880-2020¶
- name
rdataset-stevedata-loti
- reference
- R package
stevedata
- R Dataset
loti
1874. “Let Them Watch TV”¶
- name
rdataset-stevedata-ltwt
- reference
- R package
stevedata
- R Dataset
ltwt
1875. History of Federal Minimum Wage Rates Under the Fair Labor Standards Act, 1938-2009¶
- name
rdataset-stevedata-min_wage
- reference
- R package
stevedata
- R Dataset
min_wage
1876. Minimum Legal Drinking Age Fatalities Data¶
- name
rdataset-stevedata-mm_mlda
- reference
- R package
stevedata
- R Dataset
mm_mlda
1877. Data from the 2009 National Health Interview Survey (NHIS)¶
- name
rdataset-stevedata-mm_nhis
- reference
- R package
stevedata
- R Dataset
mm_nhis
1878. Motor Vehicle Production by Country, 1950-2019¶
- name
rdataset-stevedata-mvprod
- reference
- R package
stevedata
- R Dataset
mvprod
1879. The Usual Daily Drinking Habits of Americans (NESARC, 2001-2)¶
- name
rdataset-stevedata-nesarc_drinkspd
- reference
- R package
stevedata
- R Dataset
nesarc_drinkspd
1880. Medical-Care Expenditure: A Cross-National Survey (Newhouse, 1977)¶
- name
rdataset-stevedata-newhouse77
- reference
- R package
stevedata
- R Dataset
newhouse77
1881. Ozone Depleting Gas Index Data, 1992-2019¶
- name
rdataset-stevedata-odgi
- reference
- R package
stevedata
- R Dataset
odgi
1882. Partisan Politics in the Global Economy¶
- name
rdataset-stevedata-ppge
- reference
- R package
stevedata
- R Dataset
ppge
1883. U.S. Presidents and Their Terms in Office¶
- name
rdataset-stevedata-presidents
- reference
- R package
stevedata
- R Dataset
presidents
1884. Penn World Table (10.0) Macroeconomic Data for Select Countries, 1950-2019¶
- name
rdataset-stevedata-pwt_sample
- reference
- R package
stevedata
- R Dataset
pwt_sample
1885. Anscombe’s (1973) Quartets¶
- name
rdataset-stevedata-quartets
- reference
- R package
stevedata
- R Dataset
quartets
1886. United States Recessions, 1855-present¶
- name
rdataset-stevedata-recessions
- reference
- R package
stevedata
- R Dataset
recessions
1887. Systemic Banking Crises Database II¶
- name
rdataset-stevedata-sbcd
- reference
- R package
stevedata
- R Dataset
sbcd
1888. South Carolina County GOP/Democratic Primary Data, 2016¶
- name
rdataset-stevedata-scp16
- reference
- R package
stevedata
- R Dataset
scp16
1889. Global Average Absolute Sea Level Change, 1880–2015¶
- name
rdataset-stevedata-sealevels
- reference
- R package
stevedata
- R Dataset
sealevels
1890. Sulfur Dioxide Emissions, 1980-2020¶
- name
rdataset-stevedata-so2concentrations
- reference
- R package
stevedata
- R Dataset
so2concentrations
1891. Steve’s (Professional) Clothes, as of March 20, 2022¶
- name
rdataset-stevedata-steves_clothes
- reference
- R package
stevedata
- R Dataset
steves_clothes
1892. IMF Primary Commodity Price Data for Sugar¶
- name
rdataset-stevedata-sugar_price
- reference
- R package
stevedata
- R Dataset
sugar_price
1893. The Counties of Sweden¶
- name
rdataset-stevedata-sweden_counties
- reference
- R package
stevedata
- R Dataset
sweden_counties
1894. Margaret Thatcher Satisfaction Ratings, 1980-1990¶
- name
rdataset-stevedata-thatcher_approval
- reference
- R package
stevedata
- R Dataset
thatcher_approval
1895. Thermometer Ratings for Donald Trump and Barack Obama¶
- name
rdataset-stevedata-therms
- reference
- R package
stevedata
- R Dataset
therms
1896. Turnip prices in Animal Crossing (New Horizons)¶
- name
rdataset-stevedata-turnips
- reference
- R package
stevedata
- R Dataset
turnips
1897. The Individual Correlates of the Trump Vote in 2016¶
- name
rdataset-stevedata-tv16
- reference
- R package
stevedata
- R Dataset
tv16
1898. United Kingdom Effective Exchange Rate Index Data, 1990-2022¶
- name
rdataset-stevedata-ukg_eeri
- reference
- R package
stevedata
- R Dataset
ukg_eeri
1899. Cross-National Rates of Trade Union Density¶
- name
rdataset-stevedata-uniondensity
- reference
- R package
stevedata
- R Dataset
uniondensity
1900. United States-China GDP and GDP Forecasts, 1960-2050¶
- name
rdataset-stevedata-usa_chn_gdp_forecasts
- reference
- R package
stevedata
- R Dataset
usa_chn_gdp_forecasts
1901. Percentage of U.S. Households with Computer Access, by Year¶
- name
rdataset-stevedata-usa_computers
- reference
- R package
stevedata
- R Dataset
usa_computers
1902. U.S. Inbound/Outbound Migration Data, 1990-2017¶
- name
rdataset-stevedata-usa_migration
- reference
- R package
stevedata
- R Dataset
usa_migration
1903. State Abbreviations, Names, and Regions/Divisions¶
- name
rdataset-stevedata-usa_states
- reference
- R package
stevedata
- R Dataset
usa_states
1904. U.S. Trade and GDP, 1790-2018¶
- name
rdataset-stevedata-usa_tradegdp
- reference
- R package
stevedata
- R Dataset
usa_tradegdp
1905. Sample Turnout and Demographic Data from the 2000 Current Population Survey¶
- name
rdataset-stevedata-voteincome
- reference
- R package
stevedata
- R Dataset
voteincome
1906. Syncing Word Values Survey Country Codes with CoW Codes¶
- name
rdataset-stevedata-wvs_ccodes
- reference
- R package
stevedata
- R Dataset
wvs_ccodes
1907. Attitudes about Immigration in the World Values Survey¶
- name
rdataset-stevedata-wvs_immig
- reference
- R package
stevedata
- R Dataset
wvs_immig
1908. Attitudes about the Justifiability of Bribe-Taking in the World Values Survey¶
- name
rdataset-stevedata-wvs_justifbribe
- reference
- R package
stevedata
- R Dataset
wvs_justifbribe
1909. Attitudes on the Justifiability of Abortion in the United States (World Values Survey, 1982-2011)¶
- name
rdataset-stevedata-wvs_usa_abortion
- reference
- R package
stevedata
- R Dataset
wvs_usa_abortion
1910. Education Categories for the United States in the World Values Survey¶
- name
rdataset-stevedata-wvs_usa_educat
- reference
- R package
stevedata
- R Dataset
wvs_usa_educat
1911. Region Categories for the United States in the World Values Survey¶
- name
rdataset-stevedata-wvs_usa_regions
- reference
- R package
stevedata
- R Dataset
wvs_usa_regions
1912. Yugo Sales in the United States, 1985-1992¶
- name
rdataset-stevedata-yugo_sales
- reference
- R package
stevedata
- R Dataset
yugo_sales
1913. Acute Myelogenous Leukemia survival data¶
- name
rdataset-survival-aml (cancer)
- reference
- R package
survival
- R Dataset
aml (cancer)
1914. Bladder Cancer Recurrences¶
- name
rdataset-survival-bladder (cancer)
- reference
- R package
survival
- R Dataset
bladder (cancer)
1915. Bladder Cancer Recurrences¶
- name
rdataset-survival-bladder1 (cancer)
- reference
- R package
survival
- R Dataset
bladder1 (cancer)
1916. Bladder Cancer Recurrences¶
- name
rdataset-survival-bladder2 (cancer)
- reference
- R package
survival
- R Dataset
bladder2 (cancer)
1917. NCCTG Lung Cancer Data¶
- name
rdataset-survival-cancer
- reference
- R package
survival
- R Dataset
cancer
1918. Reliability data sets¶
- name
rdataset-survival-capacitor (reliability)
- reference
- R package
survival
- R Dataset
capacitor (reliability)
1919. Chronic Granulotamous Disease data¶
- name
rdataset-survival-cgd
- reference
- R package
survival
- R Dataset
cgd
1920. Chronic Granulotomous Disease data¶
- name
rdataset-survival-cgd0 (cgd)
- reference
- R package
survival
- R Dataset
cgd0 (cgd)
1921. Chemotherapy for Stage B/C colon cancer¶
- name
rdataset-survival-colon (cancer)
- reference
- R package
survival
- R Dataset
colon (cancer)
1922. Reliability data sets¶
- name
rdataset-survival-cracks (reliability)
- reference
- R package
survival
- R Dataset
cracks (reliability)
1923. Ddiabetic retinopathy¶
- name
rdataset-survival-diabetic
- reference
- R package
survival
- R Dataset
diabetic
1924. Assay of serum free light chain for 7874 subjects.¶
- name
rdataset-survival-flchain
- reference
- R package
survival
- R Dataset
flchain
1925. Breast cancer data sets used in Royston and Altman (2013)¶
- name
rdataset-survival-gbsg (cancer)
- reference
- R package
survival
- R Dataset
gbsg (cancer)
1926. Reliability data sets¶
- name
rdataset-survival-genfan (reliability)
- reference
- R package
survival
- R Dataset
genfan (reliability)
1927. Stanford Heart Transplant data¶
- name
rdataset-survival-heart
- reference
- R package
survival
- R Dataset
heart
1928. Reliability data sets¶
- name
rdataset-survival-ifluid (reliability)
- reference
- R package
survival
- R Dataset
ifluid (reliability)
1929. Reliability data sets¶
- name
rdataset-survival-imotor (reliability)
- reference
- R package
survival
- R Dataset
imotor (reliability)
1930. Stanford Heart Transplant data¶
- name
rdataset-survival-jasa (heart)
- reference
- R package
survival
- R Dataset
jasa (heart)
1931. Stanford Heart Transplant data¶
- name
rdataset-survival-jasa1 (heart)
- reference
- R package
survival
- R Dataset
jasa1 (heart)
1932. Kidney catheter data¶
- name
rdataset-survival-kidney (cancer)
- reference
- R package
survival
- R Dataset
kidney (cancer)
1933. Acute Myelogenous Leukemia survival data¶
- name
rdataset-survival-leukemia (cancer)
- reference
- R package
survival
- R Dataset
leukemia (cancer)
1934. Data from the 1972-78 GSS data used by Logan¶
- name
rdataset-survival-logan
- reference
- R package
survival
- R Dataset
logan
1935. NCCTG Lung Cancer Data¶
- name
rdataset-survival-lung (cancer)
- reference
- R package
survival
- R Dataset
lung (cancer)
1936. Monoclonal gammopathy data¶
- name
rdataset-survival-mgus (cancer)
- reference
- R package
survival
- R Dataset
mgus (cancer)
1937. Monoclonal gammopathy data¶
- name
rdataset-survival-mgus1 (cancer)
- reference
- R package
survival
- R Dataset
mgus1 (cancer)
1938. Monoclonal gammopathy data¶
- name
rdataset-survival-mgus2 (cancer)
- reference
- R package
survival
- R Dataset
mgus2 (cancer)
1939. Acute myeloid leukemia¶
- name
rdataset-survival-myeloid (cancer)
- reference
- R package
survival
- R Dataset
myeloid (cancer)
1940. Survival times of patients with multiple myeloma¶
- name
rdataset-survival-myeloma (cancer)
- reference
- R package
survival
- R Dataset
myeloma (cancer)
1941. Non-alcohol fatty liver disease¶
- name
rdataset-survival-nafld1 (nafld)
- reference
- R package
survival
- R Dataset
nafld1 (nafld)
1942. Non-alcohol fatty liver disease¶
- name
rdataset-survival-nafld2 (nafld)
- reference
- R package
survival
- R Dataset
nafld2 (nafld)
1943. Non-alcohol fatty liver disease¶
- name
rdataset-survival-nafld3 (nafld)
- reference
- R package
survival
- R Dataset
nafld3 (nafld)
1944. Data from the National Wilm’s Tumor Study¶
- name
rdataset-survival-nwtco
- reference
- R package
survival
- R Dataset
nwtco
1945. Ovarian Cancer Survival Data¶
- name
rdataset-survival-ovarian (cancer)
- reference
- R package
survival
- R Dataset
ovarian (cancer)
1946. Mayo Clinic Primary Biliary Cholangitis Data¶
- name
rdataset-survival-pbc
- reference
- R package
survival
- R Dataset
pbc
1947. Mayo Clinic Primary Biliary Cirrhosis, sequential data¶
- name
rdataset-survival-pbcseq (pbc)
- reference
- R package
survival
- R Dataset
pbcseq (pbc)
1948. Rat treatment data from Mantel et al¶
- name
rdataset-survival-rats (cancer)
- reference
- R package
survival
- R Dataset
rats (cancer)
1949. Rat data from Gail et al.¶
- name
rdataset-survival-rats2 (cancer)
- reference
- R package
survival
- R Dataset
rats2 (cancer)
1950. Diabetic Retinopathy¶
- name
rdataset-survival-retinopathy
- reference
- R package
survival
- R Dataset
retinopathy
1951. rhDNASE data set¶
- name
rdataset-survival-rhdnase
- reference
- R package
survival
- R Dataset
rhdnase
1952. Breast cancer data set used in Royston and Altman (2013)¶
- name
rdataset-survival-rotterdam (cancer)
- reference
- R package
survival
- R Dataset
rotterdam (cancer)
1953. Data from a soldering experiment¶
- name
rdataset-survival-solder
- reference
- R package
survival
- R Dataset
solder
1954. More Stanford Heart Transplant data¶
- name
rdataset-survival-stanford2 (heart)
- reference
- R package
survival
- R Dataset
stanford2 (heart)
1955. Tobin’s Tobit data¶
- name
rdataset-survival-tobin
- reference
- R package
survival
- R Dataset
tobin
1956. Liver transplant waiting list¶
- name
rdataset-survival-transplant
- reference
- R package
survival
- R Dataset
transplant
1957. Reliability data sets¶
- name
rdataset-survival-turbine (reliability)
- reference
- R package
survival
- R Dataset
turbine (reliability)
1958. Data from a trial of usrodeoxycholic acid¶
- name
rdataset-survival-udca
- reference
- R package
survival
- R Dataset
udca
1959. Data from a trial of usrodeoxycholic acid¶
- name
rdataset-survival-udca1 (udca)
- reference
- R package
survival
- R Dataset
udca1 (udca)
1960. Data from a trial of usrodeoxycholic acid¶
- name
rdataset-survival-udca2 (udca)
- reference
- R package
survival
- R Dataset
udca2 (udca)
1961. Projected US Population¶
- name
rdataset-survival-uspop2 (survexp)
- reference
- R package
survival
- R Dataset
uspop2 (survexp)
1962. Reliability data sets¶
- name
rdataset-survival-valveseat (reliability)
- reference
- R package
survival
- R Dataset
valveseat (reliability)
1963. Veterans’ Administration Lung Cancer study¶
- name
rdataset-survival-veteran (cancer)
- reference
- R package
survival
- R Dataset
veteran (cancer)
1965. Rain, wavesurge, portpirie and nidd datasets.¶
- name
rdataset-texmex-nidd
- reference
- R package
texmex
- R Dataset
nidd
1966. Rain, wavesurge, portpirie and nidd datasets.¶
- name
rdataset-texmex-portpirie
- reference
- R package
texmex
- R Dataset
portpirie
1967. Rain, wavesurge, portpirie and nidd datasets.¶
- name
rdataset-texmex-rain
- reference
- R package
texmex
- R Dataset
rain
1968. Air pollution data, separately for summer and winter months¶
- name
rdataset-texmex-summer
- reference
- R package
texmex
- R Dataset
summer
1969. Rain, wavesurge, portpirie and nidd datasets.¶
- name
rdataset-texmex-wavesurge
- reference
- R package
texmex
- R Dataset
wavesurge
1970. Air pollution data, separately for summer and winter months¶
- name
rdataset-texmex-winter
- reference
- R package
texmex
- R Dataset
winter
1971. Song rankings for Billboard top 100 in the year 2000¶
- name
rdataset-tidyr-billboard
- reference
- R package
tidyr
- R Dataset
billboard
1972. Data from the Centers for Medicare & Medicaid Services¶
- name
rdataset-tidyr-cms_patient_care
- reference
- R package
tidyr
- R Dataset
cms_patient_care
1973. Data from the Centers for Medicare & Medicaid Services¶
- name
rdataset-tidyr-cms_patient_experience
- reference
- R package
tidyr
- R Dataset
cms_patient_experience
1974. Completed construction in the US in 2018¶
- name
rdataset-tidyr-construction
- reference
- R package
tidyr
- R Dataset
construction
1975. Fish encounters¶
- name
rdataset-tidyr-fish_encounters
- reference
- R package
tidyr
- R Dataset
fish_encounters
1976. Household data¶
- name
rdataset-tidyr-household
- reference
- R package
tidyr
- R Dataset
household
1977. World Health Organization TB data¶
- name
rdataset-tidyr-population
- reference
- R package
tidyr
- R Dataset
population
1978. Pew religion and income survey¶
- name
rdataset-tidyr-relig_income
- reference
- R package
tidyr
- R Dataset
relig_income
1979. Some data about the Smith family¶
- name
rdataset-tidyr-smiths
- reference
- R package
tidyr
- R Dataset
smiths
1980. Example tabular representations¶
- name
rdataset-tidyr-table1
- reference
- R package
tidyr
- R Dataset
table1
1981. Example tabular representations¶
- name
rdataset-tidyr-table2
- reference
- R package
tidyr
- R Dataset
table2
1982. Example tabular representations¶
- name
rdataset-tidyr-table3
- reference
- R package
tidyr
- R Dataset
table3
1983. Example tabular representations¶
- name
rdataset-tidyr-table4a
- reference
- R package
tidyr
- R Dataset
table4a
1984. Example tabular representations¶
- name
rdataset-tidyr-table4b
- reference
- R package
tidyr
- R Dataset
table4b
1985. Example tabular representations¶
- name
rdataset-tidyr-table5
- reference
- R package
tidyr
- R Dataset
table5
1986. US rent and income data¶
- name
rdataset-tidyr-us_rent_income
- reference
- R package
tidyr
- R Dataset
us_rent_income
1987. World Health Organization TB data¶
- name
rdataset-tidyr-who
- reference
- R package
tidyr
- R Dataset
who
1988. World Health Organization TB data¶
- name
rdataset-tidyr-who2
- reference
- R package
tidyr
- R Dataset
who2
1989. Population data from the world bank¶
- name
rdataset-tidyr-world_bank_pop
- reference
- R package
tidyr
- R Dataset
world_bank_pop
1990. NACE classification code table¶
- name
rdataset-validate-nace_rev2
- reference
- R package
validate
- R Dataset
nace_rev2
1991. data on Dutch supermarkets¶
- name
rdataset-validate-retailers
- reference
- R package
validate
- R Dataset
retailers
1992. Economic data on Samplonia¶
- name
rdataset-validate-samplonomy
- reference
- R package
validate
- R Dataset
samplonomy
1993. data on Dutch supermarkets¶
- name
rdataset-validate-sbs2000
- reference
- R package
validate
- R Dataset
sbs2000
1994. Arthritis Treatment Data¶
- name
rdataset-vcd-arthritis
- reference
- R package
vcd
- R Dataset
arthritis
1995. Baseball Data¶
- name
rdataset-vcd-baseball
- reference
- R package
vcd
- R Dataset
baseball
1996. Broken Marriage Data¶
- name
rdataset-vcd-brokenmarriage
- reference
- R package
vcd
- R Dataset
brokenmarriage
1997. Ergebnisse der Fussball-Bundesliga¶
- name
rdataset-vcd-bundesliga
- reference
- R package
vcd
- R Dataset
bundesliga
1998. Votes in German Bundestag Election 2005¶
- name
rdataset-vcd-bundestag2005
- reference
- R package
vcd
- R Dataset
bundestag2005
1999. Butterfly Species in Malaya¶
- name
rdataset-vcd-butterfly
- reference
- R package
vcd
- R Dataset
butterfly
2000. Breathlessness and Wheeze in Coal Miners¶
- name
rdataset-vcd-coalminers
- reference
- R package
vcd
- R Dataset
coalminers
2001. Danish Welfare Study Data¶
- name
rdataset-vcd-danishwelfare
- reference
- R package
vcd
- R Dataset
danishwelfare
2002. Employment Status¶
- name
rdataset-vcd-employment
- reference
- R package
vcd
- R Dataset
employment
2003. ‘May’ in Federalist Papers¶
- name
rdataset-vcd-federalist
- reference
- R package
vcd
- R Dataset
federalist
2004. Hitters Data¶
- name
rdataset-vcd-hitters
- reference
- R package
vcd
- R Dataset
hitters
2005. Death by Horse Kicks¶
- name
rdataset-vcd-horsekicks
- reference
- R package
vcd
- R Dataset
horsekicks
2006. Hospital data¶
- name
rdataset-vcd-hospital
- reference
- R package
vcd
- R Dataset
hospital
2007. Job Satisfaction Data¶
- name
rdataset-vcd-jobsatisfaction
- reference
- R package
vcd
- R Dataset
jobsatisfaction
2008. Opinions About Joint Sports¶
- name
rdataset-vcd-jointsports
- reference
- R package
vcd
- R Dataset
jointsports
2009. Lifeboats on the Titanic¶
- name
rdataset-vcd-lifeboats
- reference
- R package
vcd
- R Dataset
lifeboats
2010. Diagnosis of Multiple Sclerosis¶
- name
rdataset-vcd-mspatients
- reference
- R package
vcd
- R Dataset
mspatients
2011. Non-Response Survey Data¶
- name
rdataset-vcd-nonresponse
- reference
- R package
vcd
- R Dataset
nonresponse
2012. Ovary Cancer Data¶
- name
rdataset-vcd-ovarycancer
- reference
- R package
vcd
- R Dataset
ovarycancer
2013. Pre-marital Sex and Divorce¶
- name
rdataset-vcd-presex
- reference
- R package
vcd
- R Dataset
presex
2014. Corporal Punishment Data¶
- name
rdataset-vcd-punishment
- reference
- R package
vcd
- R Dataset
punishment
2015. Repeat Victimization Data¶
- name
rdataset-vcd-repvict
- reference
- R package
vcd
- R Dataset
repvict
2016. Rochdale Data¶
- name
rdataset-vcd-rochdale
- reference
- R package
vcd
- R Dataset
rochdale
2017. Families in Saxony¶
- name
rdataset-vcd-saxony
- reference
- R package
vcd
- R Dataset
saxony
2018. Sex is Fun¶
- name
rdataset-vcd-sexualfun
- reference
- R package
vcd
- R Dataset
sexualfun
2019. Space Shuttle O-ring Failures¶
- name
rdataset-vcd-spaceshuttle
- reference
- R package
vcd
- R Dataset
spaceshuttle
2020. Suicide Rates in Germany¶
- name
rdataset-vcd-suicide
- reference
- R package
vcd
- R Dataset
suicide
2021. Truck Accidents Data¶
- name
rdataset-vcd-trucks
- reference
- R package
vcd
- R Dataset
trucks
2022. UK Soccer Scores¶
- name
rdataset-vcd-uksoccer
- reference
- R package
vcd
- R Dataset
uksoccer
2023. Visual Acuity in Left and Right Eyes¶
- name
rdataset-vcd-visualacuity
- reference
- R package
vcd
- R Dataset
visualacuity
2024. Von Bortkiewicz Horse Kicks Data¶
- name
rdataset-vcd-vonbort
- reference
- R package
vcd
- R Dataset
vonbort
2025. Weldon’s Dice Data¶
- name
rdataset-vcd-weldondice
- reference
- R package
vcd
- R Dataset
weldondice
2026. Women in Queues¶
- name
rdataset-vcd-womenqueue
- reference
- R package
vcd
- R Dataset
womenqueue
2027. admnrev¶
- name
rdataset-wooldridge-admnrev
- reference
- R package
wooldridge
- R Dataset
admnrev
2028. affairs¶
- name
rdataset-wooldridge-affairs
- reference
- R package
wooldridge
- R Dataset
affairs
2029. airfare¶
- name
rdataset-wooldridge-airfare
- reference
- R package
wooldridge
- R Dataset
airfare
2030. alcohol¶
- name
rdataset-wooldridge-alcohol
- reference
- R package
wooldridge
- R Dataset
alcohol
2031. apple¶
- name
rdataset-wooldridge-apple
- reference
- R package
wooldridge
- R Dataset
apple
2032. approval¶
- name
rdataset-wooldridge-approval
- reference
- R package
wooldridge
- R Dataset
approval
2033. athlet1¶
- name
rdataset-wooldridge-athlet1
- reference
- R package
wooldridge
- R Dataset
athlet1
2034. athlet2¶
- name
rdataset-wooldridge-athlet2
- reference
- R package
wooldridge
- R Dataset
athlet2
2035. attend¶
- name
rdataset-wooldridge-attend
- reference
- R package
wooldridge
- R Dataset
attend
2036. audit¶
- name
rdataset-wooldridge-audit
- reference
- R package
wooldridge
- R Dataset
audit
2037. barium¶
- name
rdataset-wooldridge-barium
- reference
- R package
wooldridge
- R Dataset
barium
2038. beauty¶
- name
rdataset-wooldridge-beauty
- reference
- R package
wooldridge
- R Dataset
beauty
2039. benefits¶
- name
rdataset-wooldridge-benefits
- reference
- R package
wooldridge
- R Dataset
benefits
2040. beveridge¶
- name
rdataset-wooldridge-beveridge
- reference
- R package
wooldridge
- R Dataset
beveridge
2041. big9salary¶
- name
rdataset-wooldridge-big9salary
- reference
- R package
wooldridge
- R Dataset
big9salary
2042. bwght¶
- name
rdataset-wooldridge-bwght
- reference
- R package
wooldridge
- R Dataset
bwght
2043. bwght2¶
- name
rdataset-wooldridge-bwght2
- reference
- R package
wooldridge
- R Dataset
bwght2
2044. campus¶
- name
rdataset-wooldridge-campus
- reference
- R package
wooldridge
- R Dataset
campus
2045. card¶
- name
rdataset-wooldridge-card
- reference
- R package
wooldridge
- R Dataset
card
2046. catholic¶
- name
rdataset-wooldridge-catholic
- reference
- R package
wooldridge
- R Dataset
catholic
2047. cement¶
- name
rdataset-wooldridge-cement
- reference
- R package
wooldridge
- R Dataset
cement
2048. census2000¶
- name
rdataset-wooldridge-census2000
- reference
- R package
wooldridge
- R Dataset
census2000
2049. ceosal1¶
- name
rdataset-wooldridge-ceosal1
- reference
- R package
wooldridge
- R Dataset
ceosal1
2050. ceosal2¶
- name
rdataset-wooldridge-ceosal2
- reference
- R package
wooldridge
- R Dataset
ceosal2
2051. charity¶
- name
rdataset-wooldridge-charity
- reference
- R package
wooldridge
- R Dataset
charity
2052. consump¶
- name
rdataset-wooldridge-consump
- reference
- R package
wooldridge
- R Dataset
consump
2053. corn¶
- name
rdataset-wooldridge-corn
- reference
- R package
wooldridge
- R Dataset
corn
2054. countymurders¶
- name
rdataset-wooldridge-countymurders
- reference
- R package
wooldridge
- R Dataset
countymurders
2055. cps78_85¶
- name
rdataset-wooldridge-cps78_85
- reference
- R package
wooldridge
- R Dataset
cps78_85
2056. cps91¶
- name
rdataset-wooldridge-cps91
- reference
- R package
wooldridge
- R Dataset
cps91
2057. crime1¶
- name
rdataset-wooldridge-crime1
- reference
- R package
wooldridge
- R Dataset
crime1
2058. crime2¶
- name
rdataset-wooldridge-crime2
- reference
- R package
wooldridge
- R Dataset
crime2
2059. crime3¶
- name
rdataset-wooldridge-crime3
- reference
- R package
wooldridge
- R Dataset
crime3
2060. crime4¶
- name
rdataset-wooldridge-crime4
- reference
- R package
wooldridge
- R Dataset
crime4
2061. discrim¶
- name
rdataset-wooldridge-discrim
- reference
- R package
wooldridge
- R Dataset
discrim
2062. driving¶
- name
rdataset-wooldridge-driving
- reference
- R package
wooldridge
- R Dataset
driving
2063. earns¶
- name
rdataset-wooldridge-earns
- reference
- R package
wooldridge
- R Dataset
earns
2064. econmath¶
- name
rdataset-wooldridge-econmath
- reference
- R package
wooldridge
- R Dataset
econmath
2065. elem94_95¶
- name
rdataset-wooldridge-elem94_95
- reference
- R package
wooldridge
- R Dataset
elem94_95
2066. engin¶
- name
rdataset-wooldridge-engin
- reference
- R package
wooldridge
- R Dataset
engin
2068. ezanders¶
- name
rdataset-wooldridge-ezanders
- reference
- R package
wooldridge
- R Dataset
ezanders
2069. ezunem¶
- name
rdataset-wooldridge-ezunem
- reference
- R package
wooldridge
- R Dataset
ezunem
2070. fair¶
- name
rdataset-wooldridge-fair
- reference
- R package
wooldridge
- R Dataset
fair
2071. fertil1¶
- name
rdataset-wooldridge-fertil1
- reference
- R package
wooldridge
- R Dataset
fertil1
2072. fertil2¶
- name
rdataset-wooldridge-fertil2
- reference
- R package
wooldridge
- R Dataset
fertil2
2073. fertil3¶
- name
rdataset-wooldridge-fertil3
- reference
- R package
wooldridge
- R Dataset
fertil3
2074. fish¶
- name
rdataset-wooldridge-fish
- reference
- R package
wooldridge
- R Dataset
fish
2075. fringe¶
- name
rdataset-wooldridge-fringe
- reference
- R package
wooldridge
- R Dataset
fringe
2076. gpa1¶
- name
rdataset-wooldridge-gpa1
- reference
- R package
wooldridge
- R Dataset
gpa1
2077. gpa2¶
- name
rdataset-wooldridge-gpa2
- reference
- R package
wooldridge
- R Dataset
gpa2
2078. gpa3¶
- name
rdataset-wooldridge-gpa3
- reference
- R package
wooldridge
- R Dataset
gpa3
2079. happiness¶
- name
rdataset-wooldridge-happiness
- reference
- R package
wooldridge
- R Dataset
happiness
2080. hprice1¶
- name
rdataset-wooldridge-hprice1
- reference
- R package
wooldridge
- R Dataset
hprice1
2081. hprice2¶
- name
rdataset-wooldridge-hprice2
- reference
- R package
wooldridge
- R Dataset
hprice2
2082. hprice3¶
- name
rdataset-wooldridge-hprice3
- reference
- R package
wooldridge
- R Dataset
hprice3
2083. hseinv¶
- name
rdataset-wooldridge-hseinv
- reference
- R package
wooldridge
- R Dataset
hseinv
2084. htv¶
- name
rdataset-wooldridge-htv
- reference
- R package
wooldridge
- R Dataset
htv
2085. infmrt¶
- name
rdataset-wooldridge-infmrt
- reference
- R package
wooldridge
- R Dataset
infmrt
2086. injury¶
- name
rdataset-wooldridge-injury
- reference
- R package
wooldridge
- R Dataset
injury
2087. intdef¶
- name
rdataset-wooldridge-intdef
- reference
- R package
wooldridge
- R Dataset
intdef
2088. intqrt¶
- name
rdataset-wooldridge-intqrt
- reference
- R package
wooldridge
- R Dataset
intqrt
2089. inven¶
- name
rdataset-wooldridge-inven
- reference
- R package
wooldridge
- R Dataset
inven
2090. jtrain¶
- name
rdataset-wooldridge-jtrain
- reference
- R package
wooldridge
- R Dataset
jtrain
2091. jtrain2¶
- name
rdataset-wooldridge-jtrain2
- reference
- R package
wooldridge
- R Dataset
jtrain2
2092. jtrain3¶
- name
rdataset-wooldridge-jtrain3
- reference
- R package
wooldridge
- R Dataset
jtrain3
2093. jtrain98¶
- name
rdataset-wooldridge-jtrain98
- reference
- R package
wooldridge
- R Dataset
jtrain98
2094. k401k¶
- name
rdataset-wooldridge-k401k
- reference
- R package
wooldridge
- R Dataset
k401k
2095. k401ksubs¶
- name
rdataset-wooldridge-k401ksubs
- reference
- R package
wooldridge
- R Dataset
k401ksubs
2096. kielmc¶
- name
rdataset-wooldridge-kielmc
- reference
- R package
wooldridge
- R Dataset
kielmc
2097. labsup¶
- name
rdataset-wooldridge-labsup
- reference
- R package
wooldridge
- R Dataset
labsup
2098. lawsch85¶
- name
rdataset-wooldridge-lawsch85
- reference
- R package
wooldridge
- R Dataset
lawsch85
2099. loanapp¶
- name
rdataset-wooldridge-loanapp
- reference
- R package
wooldridge
- R Dataset
loanapp
2100. lowbrth¶
- name
rdataset-wooldridge-lowbrth
- reference
- R package
wooldridge
- R Dataset
lowbrth
2101. mathpnl¶
- name
rdataset-wooldridge-mathpnl
- reference
- R package
wooldridge
- R Dataset
mathpnl
2102. meap00_01¶
- name
rdataset-wooldridge-meap00_01
- reference
- R package
wooldridge
- R Dataset
meap00_01
2103. meap01¶
- name
rdataset-wooldridge-meap01
- reference
- R package
wooldridge
- R Dataset
meap01
2104. meap93¶
- name
rdataset-wooldridge-meap93
- reference
- R package
wooldridge
- R Dataset
meap93
2105. meapsingle¶
- name
rdataset-wooldridge-meapsingle
- reference
- R package
wooldridge
- R Dataset
meapsingle
2106. minwage¶
- name
rdataset-wooldridge-minwage
- reference
- R package
wooldridge
- R Dataset
minwage
2107. mlb1¶
- name
rdataset-wooldridge-mlb1
- reference
- R package
wooldridge
- R Dataset
mlb1
2108. mroz¶
- name
rdataset-wooldridge-mroz
- reference
- R package
wooldridge
- R Dataset
mroz
2109. murder¶
- name
rdataset-wooldridge-murder
- reference
- R package
wooldridge
- R Dataset
murder
2110. nbasal¶
- name
rdataset-wooldridge-nbasal
- reference
- R package
wooldridge
- R Dataset
nbasal
2111. ncaa_rpi¶
- name
rdataset-wooldridge-ncaa_rpi
- reference
- R package
wooldridge
- R Dataset
ncaa_rpi
2112. nyse¶
- name
rdataset-wooldridge-nyse
- reference
- R package
wooldridge
- R Dataset
nyse
2113. okun¶
- name
rdataset-wooldridge-okun
- reference
- R package
wooldridge
- R Dataset
okun
2114. openness¶
- name
rdataset-wooldridge-openness
- reference
- R package
wooldridge
- R Dataset
openness
2115. pension¶
- name
rdataset-wooldridge-pension
- reference
- R package
wooldridge
- R Dataset
pension
2116. phillips¶
- name
rdataset-wooldridge-phillips
- reference
- R package
wooldridge
- R Dataset
phillips
2117. pntsprd¶
- name
rdataset-wooldridge-pntsprd
- reference
- R package
wooldridge
- R Dataset
pntsprd
2118. prison¶
- name
rdataset-wooldridge-prison
- reference
- R package
wooldridge
- R Dataset
prison
2119. prminwge¶
- name
rdataset-wooldridge-prminwge
- reference
- R package
wooldridge
- R Dataset
prminwge
2120. rdchem¶
- name
rdataset-wooldridge-rdchem
- reference
- R package
wooldridge
- R Dataset
rdchem
2121. rdtelec¶
- name
rdataset-wooldridge-rdtelec
- reference
- R package
wooldridge
- R Dataset
rdtelec
2122. recid¶
- name
rdataset-wooldridge-recid
- reference
- R package
wooldridge
- R Dataset
recid
2123. rental¶
- name
rdataset-wooldridge-rental
- reference
- R package
wooldridge
- R Dataset
rental
2124. return¶
- name
rdataset-wooldridge-return
- reference
- R package
wooldridge
- R Dataset
return
2125. saving¶
- name
rdataset-wooldridge-saving
- reference
- R package
wooldridge
- R Dataset
saving
2126. school93_98¶
- name
rdataset-wooldridge-school93_98
- reference
- R package
wooldridge
- R Dataset
school93_98
2127. sleep75¶
- name
rdataset-wooldridge-sleep75
- reference
- R package
wooldridge
- R Dataset
sleep75
2128. slp75_81¶
- name
rdataset-wooldridge-slp75_81
- reference
- R package
wooldridge
- R Dataset
slp75_81
2129. smoke¶
- name
rdataset-wooldridge-smoke
- reference
- R package
wooldridge
- R Dataset
smoke
2130. traffic1¶
- name
rdataset-wooldridge-traffic1
- reference
- R package
wooldridge
- R Dataset
traffic1
2131. traffic2¶
- name
rdataset-wooldridge-traffic2
- reference
- R package
wooldridge
- R Dataset
traffic2
2132. twoyear¶
- name
rdataset-wooldridge-twoyear
- reference
- R package
wooldridge
- R Dataset
twoyear
2133. volat¶
- name
rdataset-wooldridge-volat
- reference
- R package
wooldridge
- R Dataset
volat
2134. vote1¶
- name
rdataset-wooldridge-vote1
- reference
- R package
wooldridge
- R Dataset
vote1
2135. vote2¶
- name
rdataset-wooldridge-vote2
- reference
- R package
wooldridge
- R Dataset
vote2
2136. voucher¶
- name
rdataset-wooldridge-voucher
- reference
- R package
wooldridge
- R Dataset
voucher
2137. wage1¶
- name
rdataset-wooldridge-wage1
- reference
- R package
wooldridge
- R Dataset
wage1
2138. wage2¶
- name
rdataset-wooldridge-wage2
- reference
- R package
wooldridge
- R Dataset
wage2
2139. wagepan¶
- name
rdataset-wooldridge-wagepan
- reference
- R package
wooldridge
- R Dataset
wagepan
2140. wageprc¶
- name
rdataset-wooldridge-wageprc
- reference
- R package
wooldridge
- R Dataset
wageprc
2141. wine¶
- name
rdataset-wooldridge-wine
- reference
- R package
wooldridge
- R Dataset
wine
Using the Socrata API¶
This tutorial explains the usage of the Socrata API in Data Retriever. It includes both the CLI (Command Line Interface) commands as well as the Python interface for the same.
Note
Currently Data Retriever only supports tabular Socrata datasets (tabular Socrata datasets which are of type map are not supported).
Command Line Interface¶
Listing the Socrata Datasets¶
The retriever ls -s
command displays the Socrata datasets which contain the provided keywords in their title.
$ retriever ls -h
(gives listing options)
usage: retriever ls [-h] [-l L [L ...]] [-k K [K ...]] [-v V [V ...]]
[-s S [S ...]]
optional arguments:
-h, --help show this help message and exit
-l L [L ...] search datasets with specific license(s)
-k K [K ...] search datasets with keyword(s)
-v V [V ...] verbose list of specified dataset(s)
-s S [S ...] search socrata datasets with name(s)
Example
This example will list the names of the socrata datasets which contain the word fishing
.
$ retriever ls -s fishing
Autocomplete suggestions : Total 34 results
[?] Select the dataset name: Recommended Fishing Rivers And Streams
> Recommended Fishing Rivers And Streams
Recommended Fishing Rivers And Streams API
Iowa Fishing Report
Recommended Fishing Rivers, Streams, Lakes and Ponds Map
Public Fishing Rights Parking Areas Map
Fishing Atlas
Cook County - Fishing Lakes
[ARCHIVED] Fishing License Sellers
Public Fishing Rights Parking Areas
Recommended Fishing Lakes and Ponds Map
Recommended Fishing Lakes and Ponds
Delaware Fishing Licenses and Trout Stamps
Cook County - Fishing Lakes - KML
Here the user is prompted to select a dataset name. After selecting a dataset, the command returns some information related to the dataset selected.
Let’s select the Public Fishing Rights Parking Areas
dataset, after pressing Enter, the command returns
some information regarding the dataset selected.
Autocomplete suggestions : Total 34 results
[?] Select the dataset name: Public Fishing Rights Parking Areas
Iowa Fishing Report
Recommended Fishing Rivers, Streams, Lakes and Ponds Map
Fishing Atlas
Public Fishing Rights Parking Areas Map
[ARCHIVED] Fishing License Sellers
Cook County - Fishing Lakes
> Public Fishing Rights Parking Areas
Recommended Fishing Lakes and Ponds Map
Recommended Fishing Lakes and Ponds
Delaware Fishing Licenses and Trout Stamps
Cook County - Fishing Lakes - KML
General Fishing and Salmon Licence Sales
Hunting and Fishing License Sellers
Dataset Information of Public Fishing Rights Parking Areas: Total 1 results
1. Public Fishing Rights Parking Areas
ID : 9vef-6whi
Type : {'dataset': 'tabular'}
Description : The New York State Department of Environmental Con...
Domain : data.ny.gov
Link : https://data.ny.gov/Recreation/Public-Fishing-Rights-Parking-Areas/9vef-6whi
Downloading the Socrata Datasets¶
The retriever download socrata-<socrata id>
command downloads the Socrata dataset which matches the provided socrata id
.
Example
From the example in Listing the Socrata Datasets
section, we selected the Public Fishing Rights Parking Areas dataset.
Since the dataset is of type tabular
, we can download it. The information received in the previous example contains the socrata id
.
We use this socrata id
to download the dataset.
$ retriever download socrata-9vef-6whi
=> Installing socrata-9vef-6whi
Downloading 9vef-6whi.csv: 10.0B [00:03, 2.90B/s]
Done!
The downloaded raw data files are stored in the raw_data
directory in the ~/.retriever
directory.
Installing the Socrata Datasets¶
The retriever install <engine> socrata-<socrata id>
command downloads the raw data, creates the script for it and then installs
the Socrata dataset which matches the provided socrata id
into the provided engine
.
Example
From the example in Listing the Socrata Datasets
section, we selected the Public Fishing Rights Parking Areas dataset.
Since the dataset is of type tabular
, we can install it. The information received in that section contains the socrata id
.
We use this socrata id
to install the dataset.
$ retriever install postgres socrata-9vef-6whi
=> Installing socrata-9vef-6whi
Downloading 9vef-6whi.csv: 10.0B [00:03, 2.69B/s]
Processing... 9vef-6whi.csv
Successfully wrote scripts to /home/user/.retriever/socrata-scripts/9vef_6whi.csv.json
Updating script name to socrata-9vef-6whi.json
Updating the contents of script socrata-9vef-6whi
Successfully updated socrata_9vef_6whi.json
Creating database socrata_9vef_6whi...
Bulk insert on .. socrata_9vef_6whi.socrata_9vef_6whi
Done!
The script created for the Socrata dataset is stored in the socrata-scripts
directory in the ~/.retriever
directory.
Python Interface in Data Retriever¶
Searching Socrata Datasets¶
The function socrata_autocomplete_search
takes a list of strings as input and returns a list of strings which are the autocompleted names.
>>> import retriever as rt
>>> names = rt.socrata_autocomplete_search(['clinic', '2015', '2016'])
>>> for name in names:
... print(name)
...
2016 & 2015 Clinic Quality Comparisons for Clinics with Five or More Service Providers
2015 - 2016 Clinical Quality Comparison (>=5 Providers) by Geography
2016 & 2015 Clinic Quality Comparisons for Clinics with Fewer than Five Service Providers
Socrata Dataset Info by Dataset Name¶
The input argument for the function socrata_dataset_info
should be a string (valid dataset name returned by socrata_autocomplete_search
).
It returns a list of dicts, because there are multiple datasets on socrata with same name (e.g. Building Permits
).
>>> import retriever as rt
>>> resource = rt.socrata_dataset_info('2016 & 2015 Clinic Quality Comparisons for Clinics with Five or More Service Providers')
>>> from pprint import pprint
>>> pprint(resource)
[{'description': 'This data set includes comparative information for clinics '
'with five or more physicians for medical claims in 2015 - '
'2016. \r\n'
'\r\n'
'This data set was calculated by the Utah Department of '
'Health, Office of Healthcare Statistics (OHCS) using Utah’s '
'All Payer Claims Database (APCD).',
'domain': 'opendata.utah.gov',
'id': '35s3-nmpm',
'link': 'https://opendata.utah.gov/Health/2016-2015-Clinic-Quality-Comparisons-for-Clinics-w/35s3-nmpm',
'name': '2016 & 2015 Clinic Quality Comparisons for Clinics with Five or '
'More Service Providers',
'type': {'dataset': 'tabular'}}]
Finding Socrata Dataset by Socrata ID¶
The input argument of the function find_socrata_dataset_by_id
should be the four-by-four socrata dataset identifier (e.g. 35s3-nmpm
).
The function returns a dict which contains metadata about the dataset.
>>> import retriever as rt
>>> from pprint import pprint
>>> resource = rt.find_socrata_dataset_by_id('35s3-nmpm')
>>> pprint(resource)
{'datatype': 'tabular',
'description': 'This data set includes comparative information for clinics '
'with five or more physicians for medical claims in 2015 - '
'2016. \r\n'
'\r\n'
'This data set was calculated by the Utah Department of '
'Health, Office of Healthcare Statistics (OHCS) using Utah’s '
'All Payer Claims Database (APCD).',
'domain': 'opendata.utah.gov',
'homepage': 'https://opendata.utah.gov/Health/2016-2015-Clinic-Quality-Comparisons-for-Clinics-w/35s3-nmpm',
'id': '35s3-nmpm',
'keywords': ['socrata'],
'name': '2016 & 2015 Clinic Quality Comparisons for Clinics with Five or More '
'Service Providers'}
Downloading a Socrata Dataset¶
import retriever as rt
rt.download('socrata-35s3-nmpm')
Installing a Socrata Dataset¶
import retriever as rt
rt.install_postgres('socrata-35s3-nmpm')
Note
For downloading or installing the Socrata Datasets, the dataset should follow the syntax given.
The dataset name should be socrata-<socrata id>
. The socrata id
should be the four-by-four
socrata dataset identifier (e.g. 35s3-nmpm
).
- Example:
Correct:
socrata-35s3-nmpm
Incorrect:
socrata35s3-nmpm
,socrata35s3nmpm
Using the Rdatasets API¶
This tutorial explains the usage of the Rdatasets API in Data Retriever. It includes both the CLI (Command Line Interface) commands as well as the Python interface for the same.
Command Line Interface¶
Listing the Rdatasets¶
The retriever ls rdataset
command displays the Rdatasets.
$ retriever ls rdataset -h
(gives listing options)
usage: retriever ls rdataset [-h] [-p P [P ...]] all
positional arguments:
all display all the packages present in rdatasets
optional arguments:
-h, --help show this help message and exit
-p P [P ...] display a list of all rdatasets present in the package(s)
Examples
This example will display all the Rdatasets present with their package name, dataset name and script name
$ retriever ls rdataset
List of all available Rdatasets
Package: aer Dataset: affairs Script Name: rdataset-aer-affairs
Package: aer Dataset: argentinacpi Script Name: rdataset-aer-argentinacpi
Package: aer Dataset: bankwages Script Name: rdataset-aer-bankwages
...
Package: vcd Dataset: vonbort Script Name: rdataset-vcd-vonbort
Package: vcd Dataset: weldondice Script Name: rdataset-vcd-weldondice
Package: vcd Dataset: womenqueue Script Name: rdataset-vcd-womenqueue
This example will display all the Rdatasets present in the packages vcd
and aer
$ retriever ls rdataset -p vcd aer
List of all available Rdatasets in packages: ['vcd', 'aer']
Package: vcd Dataset: arthritis Script Name: rdataset-vcd-arthritis
Package: vcd Dataset: baseball Script Name: rdataset-vcd-baseball
Package: vcd Dataset: brokenmarriage Script Name: rdataset-vcd-brokenmarriage
...
Package: aer Dataset: affairs Script Name: rdataset-aer-affairs
Package: aer Dataset: argentinacpi Script Name: rdataset-aer-argentinacpi
Package: aer Dataset: bankwages Script Name: rdataset-aer-bankwages
...
This example will display all the Rdatasets present in the package vcd
$ retriever ls rdataset -p vcd
List of all available Rdatasets in packages: ['vcd', 'aer']
Package: vcd Dataset: arthritis Script Name: rdataset-vcd-arthritis
Package: vcd Dataset: baseball Script Name: rdataset-vcd-baseball
Package: vcd Dataset: brokenmarriage Script Name: rdataset-vcd-brokenmarriage
...
This example will display all the packages present in rdatasets
$ retriever ls rdataset all
List of all the packages present in Rdatasets
aer cluster dragracer fpp2 gt islr mass multgee plyr robustbase stevedata
asaur count drc gap histdata kmsurv mediation nycflights13 pscl rpart survival
boot daag ecdat geepack hlmdiag lattice mi openintro psych sandwich texmex
cardata datasets evir ggplot2 hsaur lme4 mosaicdata palmerpenguins quantreg sem tidyr
causaldata dplyr forecast ggplot2movies hwde lmec mstate plm reshape2 stat2data vcd
Downloading the Rdatasets¶
The retriever download rdataset-<package>-<dataset>
command downloads the Rdataset dataset
which exists in the package package
.
You can also copy the script name from the output of retriever ls rdataset
.
Example
This example downloads the rdataset-vcd-bundesliga
dataset.
$ retriever download rdataset-vcd-bundesliga
=> Installing rdataset-vcd-bundesliga
Downloading Bundesliga.csv: 60.0B [00:00, 117B/s]
Done!
The downloaded raw data files are stored in the raw_data
directory in the ~/.retriever
directory.
Installing the Rdatasets¶
The retriever install <engine> rdataset-<package>-<dataset>
command downloads the raw data, creates the script for it and then installs
the Rdataset dataset
present in the package package
into the provided engine
.
Example
This example install the rdataset-aer-usmoney
dataset into the postgres
engine.
$ retriever install postgres rdataset-aer-usmoney
=> Installing rdataset-aer-usmoney
Downloading USMoney.csv: 1.00B [00:00, 2.52B/s]
Processing... USMoney.csv
Successfully wrote scripts to /home/user/.retriever/rdataset-scripts/usmoney.csv.json
Updating script name to rdataset-aer-usmoney.json
Updating the contents of script rdataset-aer-usmoney
Successfully updated rdataset_aer_usmoney.json
Updated the script rdataset-aer-usmoney
Creating database rdataset_aer_usmoney...
Installing rdataset_aer_usmoney.usmoney
Progress: 100%|█████████████████████████████████████████████████████████████████████████████████████████████| 136/136 [00:00<00:00, 2225.09rows/s]
Done!
The script created for the Rdataset is stored in the rdataset-scripts
directory in the ~/.retriever
directory.
Python Interface in Data Retriever¶
Updating Rdatasets Catalog¶
The function update_rdataset_catalog
creates/updates the datasets_url.json
in the ~/.retriever/rdataset-scripts
directory,
which contains the information about all the Rdatasets.
>>> import retriever as rt
>>> rt.update_rdataset_catalog()
Note
The update_rdataset_catalog
function has a default argument test
which is set to False
.
If test
is set to True
, then the contents of the datasets_url.json
file would be returned as
a dict.
Listing Rdatasets¶
The function display_all_rdataset_names
prints the package, dataset name and the script name for the Rdatasets present in the package(s) requested.
If no package is specified, it prints all the rdatasets, and if all
is passed as the function argument then all the package names are displayed.
Note
The function argument package_name
takes a list as an input when you want to display rdatasets based on the packages.
If you want to display all packages names, set package_name
argument to all
(refer to the example below).
>>> import retriever as rt
>>>
>>> # Display all Rdatasets
>>> rt.display_all_rdataset_names()
List of all available Rdatasets
Package: aer Dataset: affairs Script Name: rdataset-aer-affairs
Package: aer Dataset: argentinacpi Script Name: rdataset-aer-argentinacpi
Package: aer Dataset: bankwages Script Name: rdataset-aer-bankwages
...
Package: vcd Dataset: vonbort Script Name: rdataset-vcd-vonbort
Package: vcd Dataset: weldondice Script Name: rdataset-vcd-weldondice
Package: vcd Dataset: womenqueue Script Name: rdataset-vcd-womenqueue
>>>
>>> # Display all the Rdatasets present in packages 'aer' and 'drc'
>>> rt.display_all_rdataset_names(['aer', 'drc'])
List of all available Rdatasets in packages: ['aer', 'drc']
Package: aer Dataset: affairs Script Name: rdataset-aer-affairs
Package: aer Dataset: argentinacpi Script Name: rdataset-aer-argentinacpi
Package: aer Dataset: bankwages Script Name: rdataset-aer-bankwages
...
Package: drc Dataset: spinach Script Name: rdataset-drc-spinach
Package: drc Dataset: terbuthylazin Script Name: rdataset-drc-terbuthylazin
Package: drc Dataset: vinclozolin Script Name: rdataset-drc-vinclozolin
>>>
>>> # Display all the packages in Rdatasets
>>> rt.display_all_rdataset_names('all')
List of all the packages present in Rdatasets
aer cluster dragracer fpp2 gt islr mass multgee plyr robustbase stevedata
asaur count drc gap histdata kmsurv mediation nycflights13 pscl rpart survival
boot daag ecdat geepack hlmdiag lattice mi openintro psych sandwich texmex
cardata datasets evir ggplot2 hsaur lme4 mosaicdata palmerpenguins quantreg sem tidyr
causaldata dplyr forecast ggplot2movies hwde lmec mstate plm reshape2 stat2data vcd
Downloading a Rdataset¶
>>> import retriever as rt
>>> rt.download('rdataset-drc-earthworms')
Installing a Rdataset¶
>>> import retriever as rt
>>> rt.install_postgres('rdataset-mass-galaxies')
Note
For downloading or installing the Rdatasets, the script name should follow the syntax given below.
The script name should be rdataset-<package name>-<dataset name>
. The package name
and dataset name
should be valid.
- Example:
Correct:
rdataset-drc-earthworms
Incorrect:
rdataset-drcearthworms
,rdatasetdrcearthworms
Developer’s guide¶
Quickstart by forking the main repository https://github.com/weecology/retriever
Clone your copy of the repository
Using https
git clone https://github.com/henrykironde/retriever.git
Using ssh
git clone git@github.com:henrykironde/retriever.git
Link or point your cloned copy to the main repository. (I always name it upstream)
git remote add upstream https://github.com/weecology/retriever.git
Check/confirm your settings using
git remote -v
origin git@github.com:henrykironde/retriever.git (fetch)
origin git@github.com:henrykironde/retriever.git (push)
upstream https://github.com/weecology/retriever.git (fetch)
upstream https://github.com/weecology/retriever.git (push)
6. Install the package from the main directory. use -U or –upgrade to upgrade or overwrite any previously installed versions.
pip install . -U
Check if the package was installed
retriever ls
retriever -v
Run sample test on CSV engine only, with the option -k
pip install pytest
pytest -k "CSV" -v
Required Modules¶
You will need Python 3.6.8+
Make sure the required modules are installed: Pip install -r requirements.txt
Developers need to install these extra packages.
pip install codecov
pip install pytest-cov
pip install pytest-xdist
pip install pytest
pip install yapf
pip install pylint
pip install flake8
Pip install pypyodbc # For only Windows(MS Access)
Setting up servers¶
You need to install all the database infrastructures to enable local testing.
PostgresSQL MySQL SQLite MSAccess (For only Windows, MS Access)
After installation, configure passwordless access to MySQL and PostgresSQL Servers
Passwordless configuration¶
To avoid supplying the passwords when using the tool, use the config files .pgpass`(`pgpass.conf for Microsoft Windows) for Postgres and .my.cnf for MySQL.
Create if not exists, and add/append the configuration details as below. PostgresSQL conf file ~/.pgpass file.
For more information regarding Passwordless configuration you can visit PostgreSQL Password File and MySQL Password File
localhost:*:*:postgres:Password12!
Postgress:
(Linux / Macos):- A .pgpass file in your HOME directory(~)
(WINDOWS 10-) - A pgpass.conf in your HOME directory(~)
(WINDOWS 10+):- Entering %APPDATA% will take you to C:/Users/username/AppData/Roaming.
In this directory create a new subdirectory named postgresql. Then create the pgpass.conf file inside it. On Microsoft Windows, it is assumed that the file is stored in a secure directory, hence no special permissions setting is needed.
Make sure you set the file permissions to 600
# Linux / Macos
chmod 600 ~/.pgpass
chmod 600 ~/.my.cnf
For most of the recent versions of Postgress server 10+, you need to find pg_hba.conf. This file is located in the installed Postgres directory.
One way to find the location of the file pg_hba.conf is using psql -t -P format=unaligned -c 'show hba_file';
To allow passwordless login to Postgres, change peer to trust in pg_hba.conf file.
# Database administrative login by Unix domain socket
local all postgres trust
Run commands in terminal to create user
PostgreSQL
----------
psql -c "CREATE USER postgres WITH PASSWORD 'Password12!'"
psql -c 'CREATE DATABASE testdb_retriever'
psql -c 'GRANT ALL PRIVILEGES ON DATABASE testdb_retriever to postgres'
Restart the server and test Postgress passwordless setup using retriever without providing the password
retriever install postgres iris
MySQL: Create if not exists .my.cnf in your HOME directory(~). Add the configuration info to the MySQL conf file ~.my.cnf file.
[client]
user="travis"
password="Password12!"
host="mysqldb"
port="3306"
Run commands in terminal to create user
MySQL
-----
mysql -e "CREATE USER 'travis'@'localhost';" -uroot
mysql -e "GRANT ALL PRIVILEGES ON *.* TO 'travis'@'localhost';" -uroot
mysql -e "GRANT FILE ON *.* TO 'travis'@'localhost';" -uroot
Restart the server and test MySQL passwordless setup using retriever without providing the password
retriever install mysql iris
Testing¶
Before running the tests make sure Postgis is set up Spatial database setup.
Follow these instructions to run a complete set of tests for any branch Clone the branch you want to test.
Two ways of installing the program using the setup tools.
we can either install from source as
pip install . --upgrade or python setup.py install
or install in development mode.
python setup.py develop
For more about installing refer to the python setuptools documentation.
you can also install from Git.
# Local repository
pip install git+file:///path/to/your/git/repo # test a PIP package located in a local git repository
pip install git+file:///path/to/your/git/repo@branch # checkout a specific branch by adding @branch_name at the end
# Remote GitHub repository
pip install git+git://github.com/myuser/myproject # package from a GitHub repository
pip install git+git://github.com/myuser/myproject@my_branch # github repository Specific branch
Running tests locally¶
Services Used¶
Read The Docs, codecov, AppVeyor
From the source top-level directory, Use Pytest as examples below
$ py.test -v # All tests
$ py.test -v -k"csv" # Specific test with expression csv
$ py.test ./test/test_retriever.py # Specific file
In case py.test
requests for Password (even after Passwordless configuration), change the owner and group
permissions for the config files ~/.pgpass, ~/.my.cnf
Style Guide for Python Code¶
Use yapf -d --recursive retriever/ --style=.style.yapf
to check style.
Use yapf -i --recursive retriever/ --style=.style.yapf
refactor style
Continuous Integration¶
The main GitHub repository runs the test on both the GitHub Actions (Linux) and AppVeyor (Windows) continuous-integration platforms.
Pull requests submitted to the repository will automatically be tested using
these systems and results reported in the checks
section of the pull request
page.
Create Release¶
Start¶
Run the tests. Seriously, do it now.
Update
CHANGES.md
with major updates since the last releaseRun
python version.py
(this will updateversion.txt
)Update the version number bumpversion release or provide a version as bumpversion –new-version 3.1.0
On Github draft a release with the version changes. Provide a version as tag and publish.
After the release, update the version to dev, run bumpversion patch
Release on Test PyPi and PyPi is handled by Github actions.
git push upstream main git push upstream --tags
Pypi¶
You will need to create an API key on PyPI and store it in ~/.pypirc to upload to PyPI.
sudo python setup.py sdist bdist_wheel
sudo python -m twine upload -r pypi dist/*
Cleanup¶
Bump the version numbers as needed. The version number is located in the
setup.py
,retriever_installer.iss
,version.txt
andretriever/_version.py
Mac OSX Build¶
Building the Retriever on OSX.
Python binaries¶
This build will allow you to successfully build the Mac App for distribution to other systems.
Install the Python 3 Installer (or Python 2 if you have a specific reason for doing so) from the Python download site.
Use pip to install any desired optional dependencies
pip install pymysql psycopg2-binary pyinstaller pytest
You will need all of these dependencies, for example pyinstaller, if you want to build the Mac App for distribution
Homebrew¶
Homebrew works great if you just want to install the Retriever from source on your machine, but at least based on this recipe it does not support the distribution of the Mac App to other versions of OS X (i.e., if you build the App on OS X 10.9 it will only run on 10.9)
Install Homebrew
ruby -e "$(curl -fsSL https://raw.github.com/mxcl/homebrew/go)"
Install Xcode
Install Python
brew install python
Install the Xcode command-line tools
xcode-select --install
Make brew’s Python the default
echo export PATH='usr/local/bin:$PATH' >> ~/.bash_profile
Install xlrd via pip
pip install xlrd
. Nosudo
is necessary since we’re using brew.Clone the Retriever
git clone git@github.com:weecology/retriever.git
Switch directories
cd retriever
Standard install
pip install . --upgrade
If you also want to install the dependencies for MySQL and PostgreSQL this can be done using a combination of homebrew and pip.
brew install mysql
Follow the instructions from
brew
for starting MySQLbrew install postgresql
Follow the instructions from
brew
for starting Postgressudo pip install pymysql MySQL-python psycopg2-binary
MySQL-python
should be installed in addition to pymysql
for
building the .app
file since pymysql is not currently working
properly in the .app
.
Conda¶
This hasn’t been tested yet
Creating or Updating a Conda Release¶
To create or update a Conda Release, first fork the conda-forge retriever-feedstock repository.
Once forked, open a pull request to the retriever-feedstock repository. Your package will be tested on Windows, Mac, and Linux.
When your pull request is merged, the package will be rebuilt and become automatically available on conda-forge.
All branches in the conda-forge/retriever-feedstock are created and uploaded immediately, so PRs should be based on branches in forks. Branches in the main repository shall be used to build distinct package versions only.
For producing a uniquely identifiable distribution:
If the version of a package is not being incremented, then the build/number can be added or increased.
If the version of a package is being incremented, then remember to change the build/number back to 0.
Documentation¶
We are using Sphinx and Read the Docs. for the documentation. Sphinx uses reStructuredText as its markup language. Source Code documentation is automatically included after committing to the main. Other documentation (not source code) files are added as new reStructuredText in the docs folder
In case you want to change the organization of the Documentation, please refer to Sphinx
Update Documentation
The documentation is automatically updated for changes within modules.
However, the documentation should be updated after the addition of new modules in the engines or lib directory.
Change to the docs directory and create a temporary directory, i.e. source
.
Run
cd docs
mkdir source
sphinx-apidoc -f -o ./source /Users/../retriever/
The source
is the destination folder for the source rst files. /Users/../retriever/
is the path to where
the retriever source code is located.
Copy the .rst
files that you want to update to the docs directory, overwriting the old files.
Make sure you check the changes and edit if necessary to ensure that only what is required is updated.
Commit and push the new changes.
Do not commit the temporary source directory.
Test Documentation locally
cd docs # go the docs directory
make html && python3 -m http.server --directory _build/html
# Makes the html files and hosts a HTTP server on localhost:8000 to view the documentation pages locally
Note
Do not commit the _build directory after making HTML.
Read The Docs configuration
Configure read the docs (advanced settings) so that the source is first installed then docs are built. This is already set up but could be changed if need be.
Docker Hub Image Update¶
The docker-publish Github actions workflow builds, and tests the `weecology\retriever`image and pushes to the `Docker Hub`_ registry.
To Build the image locally run the command below in the repo main directory.
docker build -t weecology/retriever:$(retriever -v) -f docker/Dockerfile .
Collaborative Workflows with GitHub¶
First fork the Data Retriever repository. Then Clone your forked version with either HTTPS or SSH
# Clone with HTTPS git clone https://github.com/[myusername]/retriever.git # Clone with SSH git clone git@github.com:[myusername]/retriever.git
This will update your .git/config to point to your repository copy of the Data Retriever as remote “origin”
[remote "origin"] url = git@github.com:[myusername]/retriever.git fetch = +refs/heads/*:refs/remotes/origin/*
Point to Weecology Data Retriever repository repo. This will enable you to update your main(origin) and you can then push to your origin main. In our case, we can call this upstream().
git remote add upstream https://github.com/weecology/retriever.git
This will update your .git/config to point to the Weecology Data Retriever repository.
[remote "upstream"]
url = https://github.com/weecology/retriever.git
fetch = +refs/heads/*:refs/remotes/upstream/*
# To fetch pull requests add
fetch = +refs/pull/*/head:refs/remotes/origin/pr/*
Fetch upstream main and create a branch to add the contributions to.
git fetch upstream
git checkout main
git reset --hard upstream main
git checkout -b [new-branch-to-fix-issue]
Submitting issues
Categorize the issues based on labels. For example (Bug, Dataset Bug, Important, Feature Request, etc..) Explain the issue explicitly with all details, giving examples and logs where applicable.
Commits
From your local branch of retriever, commit to your origin.
Once tests have passed you can then make a pull request to the retriever main (upstream)
For each commit, add the issue number at the end of the description with the tag fixes #[issue_number]
.
Example
Add version number to postgres.py to enable tracking
Skip a line and add more explanation if needed
fixes #3
Clean history
Make one commit for each issue. As you work on a particular issue, try adding all the commits into one general commit rather than several commits.
Use git commit --amend
to add new changes to a branch.
Use -f
flag to force pushing changes to the branch. git push -f origin [branch_name]
Spatial database setup¶
Supporting installation of spatial data into Postgres DBMS.
Install Postgres
For Mac the easiest way to get started with PostgreSQL is with Postgres.app.
For Debain and Ubuntu, install PostgresSQL and PostGis please ref to Postgres installation.
Otherwise you can try package installers for WINDOWS, MAC, Linux and MacOS from the main PostgreSQL download page
For simplicity, use .pgpass file(pgpass.conf file for Microsoft Windows) to avoid supplying the password every time as decribed in Passwordless configuration.
After installation, Make sure you have the paths to these tools added to your system’s PATHS.
Note: Older version of this raster2pgsql was a python script that you had to download and manually include in Postgres’s directory. Please consult an operating system expert for help on how to change or add the PATH variables.
For example, this could be a sample of paths exported on Mac:
#~/.bash_profile file, Postgres PATHS and tools .
export PATH="/Applications/Postgres.app/Contents/MacOS/bin:${PATH}"
export PATH="$PATH:/Applications/Postgres.app/Contents/Versions/10/bin"
Enable PostGIS extensions
If you have Postgres set up, enable PostGIS extensions. This is done by using either Postgres CLI or GUI(PgAdmin) and run the commands below.
For psql CLI
psql -d yourdatabase -c "CREATE EXTENSION postgis;"
psql -d yourdatabase -c "CREATE EXTENSION postgis_topology;"
For GUI(PgAdmin)
`CREATE EXTENSION postgis;`
`CREATE EXTENSION postgis_topology`
For more details refer to the Postgis docs.
Note
PostGIS excluded the raster types and functions from the main extension as of version 3.x; A separate CREATE EXTENSION postgis_raster; is then needed to get raster support.
Versions 2.x have full raster support as part of the main extension environment, so CREATE EXTENSION postgis; is all that you need`
Contributor Code of Conduct¶
Our Pledge¶
In the interest of fostering an open and welcoming environment, we as contributors and maintainers pledge to making participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation.
Our Standards¶
Examples of behavior that contributes to creating a positive environment include:
Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Examples of unacceptable behavior by participants include:
The use of sexualized language or imagery and unwelcome sexual attention or advances Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others’ private information, such as a physical or electronic address, without explicit permission Other conduct which could reasonably be considered inappropriate in a professional setting
Our Responsibilities¶
Project maintainers are responsible for clarifying the standards of acceptable behavior and are expected to take appropriate and fair corrective action in response to any instances of unacceptable behavior.
Project maintainers have the right and responsibility to remove, edit, or reject comments, commits, code, wiki edits, issues, and other contributions that are not aligned to this Code of Conduct, or to ban temporarily or permanently any contributor for other behaviors that they deem inappropriate, threatening, offensive, or harmful.
Scope¶
This Code of Conduct applies both within project spaces and in public spaces when an individual is representing the project or its community. Examples of representing a project or community include using an official project e-mail address, posting via an official social media account, or acting as an appointed representative at an online or offline event. Representation of a project may be further defined and clarified by project maintainers.
Enforcement¶
Instances of abusive, harassing, or otherwise unacceptable behavior may be reported by contacting the project team at ethan@weecology.org. All complaints will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. The project team is obligated to maintain confidentiality with regard to the reporter of an incident. Further details of specific enforcement policies may be posted separately.
Project maintainers who do not follow or enforce the Code of Conduct in good faith may face temporary or permanent repercussions as determined by other members of the project’s leadership.
Attribution¶
This Code of Conduct is adapted from the Contributor Covenant, version 1.4.
Retriever API¶
retriever package¶
Subpackages¶
retriever.engines package¶
Submodules¶
retriever.engines.csvengine module¶
- class retriever.engines.csvengine.engine¶
Bases:
Engine
Engine instance for writing data to a CSV file.
- abbreviation = 'csv'¶
- auto_column_number = 0¶
- create_db()¶
Override create_db since there is no database just a CSV file
- create_table()¶
Create the table by creating an empty csv file
- datatypes = {'auto': 'INTEGER', 'bigint': 'INTEGER', 'bool': 'INTEGER', 'char': 'TEXT', 'decimal': 'REAL', 'double': 'REAL', 'int': 'INTEGER'}¶
- disconnect()¶
Close the last file in the dataset
- disconnect_files()¶
Close each file after being written
- execute(statement, commit=True)¶
Write a line to the output file
- executemany(statement, values, commit=True)¶
Write a line to the output file
- format_insert_value(value, datatype)¶
Formats a value for an insert statement
- get_connection()¶
Gets the db connection.
- insert_limit = 1000¶
- insert_statement(values)¶
Returns a comma delimited row of values
- name = 'CSV'¶
- required_opts = [('table_name', 'Format of table name', '{db}_{table}.csv'), ('data_dir', 'Install directory', '.')]¶
- table_exists(dbname, tablename)¶
Check to see if the data file currently exists
- table_names = []¶
- to_csv(sort=True, path=None, select_columns=None)¶
Export sorted version of CSV file
retriever.engines.download_only module¶
- retriever.engines.download_only.dummy_method(self, *args, **kwargs)¶
Dummy method template to help with replacing Engine functions
- class retriever.engines.download_only.engine¶
Bases:
Engine
Engine instance for writing data to a CSV file.
- abbreviation = 'download'¶
- all_files = {}¶
- auto_create_table(table, url=None, filename=None, pk=None, make=True)¶
Download the file if it doesn’t exist
- create_db(*args, **kwargs)¶
Dummy method template to help with replacing Engine functions
- create_table(*args, **kwargs)¶
Dummy method template to help with replacing Engine functions
- final_cleanup()¶
Copies downloaded files to desired directory
- find_file(filename)¶
Checks for the given file and adds it to the list of all files
- get_connection()¶
Gets the db connection.
- insert_data_from_file(*args, **kwargs)¶
Dummy method template to help with replacing Engine functions
- insert_data_from_url(url)¶
Insert data from a web resource
- name = 'Download Only'¶
- register_files(filenames)¶
Identify a list of files to be moved by the download
When downloading archives with multiple files the engine needs to be informed of all of the file names so that it can move them.
- required_opts = [('path', 'File path to copy data files', './'), ('sub_dir', 'Install directory', '')]¶
- table_exists(dbname, tablename)¶
Checks if the file to be downloaded already exists
retriever.engines.jsonengine module¶
Engine for writing data to a JSON file
- class retriever.engines.jsonengine.engine¶
Bases:
Engine
Engine instance for writing data to a JSON file.
- abbreviation = 'json'¶
- auto_column_number = 0¶
- create_db()¶
Override create_db since there is no database just a JSON file
- create_table()¶
Create the table by creating an empty json file
- datatypes = {'auto': 'INTEGER', 'bigint': 'INTEGER', 'bool': 'INTEGER', 'char': 'TEXT', 'decimal': 'REAL', 'double': 'REAL', 'int': 'INTEGER'}¶
- disconnect()¶
Close out the JSON with a n]} and close the file.
Close all the file objects that have been created Re-write the files stripping off the last comma and then close with a n]}.
- execute(statement, commit=True)¶
Write a line to the output file
- executemany(statement, values, commit=True)¶
Write a line to the output file
- format_insert_value(value, datatype)¶
Formats a value for an insert statement
- get_connection()¶
Gets the db connection.
- insert_limit = 1000¶
- insert_statement(values)¶
Return SQL statement to insert a set of values.
- name = 'JSON'¶
- required_opts = [('table_name', 'Format of table name', '{db}_{table}.json'), ('data_dir', 'Install directory', '.')]¶
- table_exists(dbname, tablename)¶
Check to see if the data file currently exists
- table_names = []¶
- to_csv(sort=True, path=None, select_columns=None)¶
Export table from json engine to CSV file
retriever.engines.msaccess module¶
- class retriever.engines.msaccess.engine¶
Bases:
Engine
Engine instance for Microsoft Access.
- abbreviation = 'msaccess'¶
- convert_data_type(datatype)¶
MS Access can’t handle complex Decimal types
- create_db()¶
MS Access doesn’t create databases.
- datatypes = {'auto': 'AUTOINCREMENT', 'bigint': 'INTEGER', 'bool': 'BIT', 'char': 'VARCHAR', 'decimal': 'NUMERIC', 'double': 'NUMERIC', 'int': 'INTEGER'}¶
- drop_statement(object_type, object_name)¶
Returns a drop table or database SQL statement.
- get_connection()¶
Gets the db connection.
- insert_data_from_file(filename)¶
Perform a bulk insert.
- insert_limit = 1000¶
- instructions = 'Create a database in Microsoft Access, close Access.\nThen select your database file using this dialog.'¶
- name = 'Microsoft Access'¶
- placeholder = '?'¶
- required_opts = [('file', 'Enter the filename of your Access database', 'access.mdb', 'Access databases (*.mdb, *.accdb)|*.mdb;*.accdb'), ('table_name', 'Format of table name', '[{db} {table}]'), ('data_dir', 'Install directory', '.')]¶
retriever.engines.mysql module¶
- class retriever.engines.mysql.engine¶
Bases:
Engine
Engine instance for MySQL.
- abbreviation = 'mysql'¶
- create_db_statement()¶
Return SQL statement to create a database.
- datatypes = {'auto': 'INT(5) NOT NULL AUTO_INCREMENT', 'bigint': 'BIGINT', 'bool': 'BOOL', 'char': ('TEXT', 'VARCHAR'), 'decimal': 'DECIMAL', 'double': 'DOUBLE', 'int': 'INT'}¶
- get_connection()¶
Get db connection. PyMySQL has changed the default encoding from latin1 to utf8mb4. https://github.com/PyMySQL/PyMySQL/pull/692/files For PyMySQL to work well on CI infrastructure, connect with the preferred charset
- insert_data_from_file(filename)¶
Call MySQL “LOAD DATA LOCAL INFILE” statement to perform a bulk insert.
- insert_limit = 1000¶
- lookup_encoding()¶
Convert well known encoding to MySQL syntax MySQL has a unique way of representing the encoding. For example, latin-1 becomes latin1 in MySQL. Please update the encoding lookup table if the required encoding is not present.
- max_int = 4294967295¶
- name = 'MySQL'¶
- placeholder = '%s'¶
- required_opts = [('user', 'Enter your MySQL username', 'root'), ('password', 'Enter your password', ''), ('host', 'Enter your MySQL host', 'localhost'), ('port', 'Enter your MySQL port', 3306), ('database_name', 'Format of database name', '{db}'), ('table_name', 'Format of table name', '{db}.{table}')]¶
- set_engine_encoding()¶
Set MySQL database encoding to match data encoding
- table_exists(dbname, tablename)¶
Check to see if the given table exists.
retriever.engines.postgres module¶
- class retriever.engines.postgres.engine¶
Bases:
Engine
Engine instance for PostgreSQL.
- abbreviation = 'postgres'¶
- auto_create_table(table, url=None, filename=None, pk=None, make=True)¶
Create a table automatically.
Overwrites the main Engine class. Identifies the type of table to create. For a Raster or vector (Gis) dataset, create the table from the contents downloaded from the url or from the contents in the filename. Otherwise, use the Engine function for a tabular table.
- create_db()¶
Create Engine database.
- create_db_statement()¶
In PostgreSQL, the equivalent of a SQL database is a schema.
- create_table()¶
Create a table and commit.
PostgreSQL needs to commit operations individually. Enable PostGis extensions if a script has a non tabular table.
- datatypes = {'auto': 'serial', 'bigint': 'bigint', 'bool': 'boolean', 'char': 'varchar', 'decimal': 'decimal', 'double': 'double precision', 'int': 'integer'}¶
- db_encoding = 'Latin1'¶
- drop_statement(object_type, object_name)¶
In PostgreSQL, the equivalent of a SQL database is a schema.
- format_insert_value(value, datatype)¶
Format value for an insert statement.
- get_connection()¶
Gets the db connection.
Please update the encoding lookup table if the required encoding is not present.
- insert_data_from_file(filename)¶
Use PostgreSQL’s “COPY FROM” statement to perform a bulk insert.
Current postgres engine bulk only supports comma delimiter
- insert_limit = 1000¶
- insert_raster(path=None, srid=4326)¶
Import Raster into Postgis Table Uses raster2pgsql -Y -M -d -I -s <SRID> <PATH> <SCHEMA>.<DBTABLE> | psql -d <DATABASE> The sql processed by raster2pgsql is run as psql -U postgres -d <gisdb> -f <elev>.sql -Y uses COPY to insert data, -M VACUUM table, -d Drops the table, recreates insert raster data
- insert_statement(values)¶
Return SQL statement to insert a set of values.
- insert_vector(path=None, srid=4326)¶
Import Vector into Postgis Table
– Enable PostGIS (includes raster) CREATE EXTENSION postgis;
– Enable Topology CREATE EXTENSION postgis_topology;
– fuzzy matching needed for Tiger CREATE EXTENSION fuzzystrmatch;
– Enable US Tiger Geocoder CREATE EXTENSION postgis_tiger_geocoder; Uses shp2pgsql -I -s <SRID> <PATH/TO/SHAPEFILE> <SCHEMA>.<DBTABLE> | psql -U postgres -d <DBNAME>>
The sql processed by shp2pgsql is run as psql -U postgres -d <DBNAME>> shp2pgsql -c -D -s 4269 -i -I
- max_int = 2147483647¶
- name = 'PostgreSQL'¶
- placeholder = '%s'¶
- required_opts = [('user', 'Enter your PostgreSQL username', 'postgres'), ('password', 'Enter your password', ''), ('host', 'Enter your PostgreSQL host', 'localhost'), ('port', 'Enter your PostgreSQL port', 5432), ('database', 'Enter your PostgreSQL database name', 'postgres'), ('database_name', 'Format of schema name', '{db}'), ('table_name', 'Format of table name', '{db}.{table}')]¶
- spatial_support = True¶
- supported_raster(path, ext=None)¶
Return the supported Gis raster files from the path
Update the extensions after testing if a given raster type is supported by raster2pgsql.
retriever.engines.sqlite module¶
- class retriever.engines.sqlite.engine¶
Bases:
Engine
Engine instance for SQLite.
- abbreviation = 'sqlite'¶
- create_db()¶
Don’t create database for SQLite
SQLite doesn’t create databases. Each database is a file and needs a separate connection. This overloads`create_db` to do nothing in this case.
- datatypes = {'auto': ('INTEGER', 'AUTOINCREMENT'), 'bigint': 'INTEGER', 'bool': 'INTEGER', 'char': 'TEXT', 'decimal': 'REAL', 'double': 'REAL', 'int': 'INTEGER'}¶
- fetch_tables(dataset, table_names)¶
Return sqlite dataset as list of pandas dataframe.
- get_bulk_insert_statement()¶
Get insert statement for bulk inserts
This places ?’s instead of the actual values so that executemany() can operate as designed
- get_connection()¶
Get db connection.
- insert_data_from_file(filename)¶
Perform a high speed bulk insert
Checks to see if a given file can be bulk inserted, and if so loads it in chunks and inserts those chunks into the database using executemany.
- insert_limit = 1000¶
- name = 'SQLite'¶
- placeholder = '?'¶
- required_opts = [('file', 'Enter the filename of your SQLite database', 'sqlite.db'), ('table_name', 'Format of table name', '{db}_{table}'), ('data_dir', 'Install directory', '.')]¶
retriever.engines.xmlengine module¶
- class retriever.engines.xmlengine.engine¶
Bases:
Engine
Engine instance for writing data to a XML file.
- abbreviation = 'xml'¶
- auto_column_number = 0¶
- create_db()¶
Override create_db since there is no database just an XML file.
- create_table()¶
Create the table by creating an empty XML file.
- datatypes = {'auto': 'INTEGER', 'bigint': 'INTEGER', 'bool': 'INTEGER', 'char': 'TEXT', 'decimal': 'REAL', 'double': 'REAL', 'int': 'INTEGER'}¶
- disconnect()¶
Close out the xml files
Close all the file objects that have been created Re-write the files stripping off the last comma and then close with a closing tag)
- execute(statement, commit=True)¶
Write a line to the output file.
- executemany(statement, values, commit=True)¶
Write a line to the output file.
- format_insert_value(value, datatype)¶
Format value for an insert statement.
- get_connection()¶
Get db connection.
- insert_limit = 1000¶
- insert_statement(values)¶
Create the insert statement.
Wrap each data value with column values(key) using _format_single_row <key> value </key>.
- name = 'XML'¶
- required_opts = [('table_name', 'Format of table name', '{db}_{table}.xml'), ('data_dir', 'Install directory', '.')]¶
- table_names = []¶
- to_csv(sort=True, path=None, select_columns=None)¶
Export table from xml engine to CSV file.
- retriever.engines.xmlengine.format_single_row(keys, line_data)¶
Create an xml string from the keys and line_data values.
retriever.lib package¶
Submodules¶
retriever.lib.cleanup module¶
- class retriever.lib.cleanup.Cleanup(function=<function no_cleanup>, **kwargs)¶
Bases:
object
This class represents a custom cleanup function and a dictionary of arguments to be passed to that function.
- retriever.lib.cleanup.correct_invalid_value(value, args)¶
This cleanup function replaces missing value indicators with None.
- retriever.lib.cleanup.floatable(value)¶
Check if a value can be converted to a float
- retriever.lib.cleanup.no_cleanup(value, args)¶
Default cleanup function, returns the unchanged value.
retriever.lib.create_scripts module¶
Module to auto create scripts from source
- class retriever.lib.create_scripts.RasterPk(**kwargs)¶
Bases:
TabularPk
Raster package class
- create_raster_resources(file_path)¶
Get resource information from raster file
- get_resources(file_path, driver_name=None, skip_lines=None, encoding=None)¶
Get raster resources
- get_source(file_path, driver=None)¶
Read raster data source
- multi_formats = ['hdf']¶
- pk_formats = ['gif', 'img', 'bil', 'jpg', 'tif', 'tiff', 'hdf', 'l1b', '.gif', '.img', '.bil', '.jpg', '.tif', '.tiff', '.hdf', '.l1b']¶
- set_global(src_ds)¶
Set raster specific properties
- class retriever.lib.create_scripts.TabularPk(name='fill', title='fill', description='fill', citation='fill', licenses=[], keywords=[], archived='fill or remove this field if not archived', homepage='fill', version='1.0.0', resources=[], retriever='True', retriever_minimum_version='2.1.0', **kwargs)¶
Bases:
object
Main Tabular data package
- create_tabular_resources(file, skip_lines, encoding)¶
Create resources for tabular scripts
- get_resources(file_path, driver_name=None, skip_lines=None, encoding='utf-8')¶
Get resource values from tabular data source
- class retriever.lib.create_scripts.VectorPk(**kwargs)¶
Bases:
TabularPk
Vector package class
- create_vector_resources(path, driver_name)¶
Create vector data resources
- get_resources(file_path, driver_name=None, skip_lines=None, encoding=None)¶
Get resource values from tabular data source
- get_source(source, driver_name=None)¶
Open a data source
- pk_formats = ['.shp', 'shp']¶
- set_globals(da_layer)¶
Set vector values
- retriever.lib.create_scripts.clean_table_name(table_name)¶
Remove and replace chars . and ‘-’ with ‘_’
- retriever.lib.create_scripts.create_package(path, data_type, file_flag, out_path=None, skip_lines=None, encoding='utf-8')¶
Creates package for a path
path: string path to files to be processed data_type: string data type of the files to be processed file_flag: boolean for whether the files are processed as files or directories out_path: string path to write scripts out to skip_lines: int number of lines to skip as a list encoding: encoding of source
- retriever.lib.create_scripts.create_raster_datapackage(pk_type, path, file_flag, out_path)¶
Creates raster package for a path
- retriever.lib.create_scripts.create_script_dict(pk_type, path, file, skip_lines, encoding)¶
Create a script dict or skips file if resources cannot be made
- retriever.lib.create_scripts.create_tabular_datapackage(pk_type, path, file_flag, out_path, skip_lines, encoding)¶
Creates tabular package for a path
- retriever.lib.create_scripts.create_vector_datapackage(pk_type, path, file_flag, out_path)¶
Creates vector package for a path
- retriever.lib.create_scripts.get_directory(path)¶
Returns absolute directory path for a path.
- retriever.lib.create_scripts.process_dirs(pk_type, sub_dirs_path, out_path, skip_lines, encoding)¶
Creates a script for each directory.
- retriever.lib.create_scripts.process_singles(pk_type, single_files_path, out_path, skip_lines, encoding)¶
Creates a script for each file
If the filepath is a file, creates a single script for that file. If the filepath is a directory, creates a single script for each file in the directory.
- retriever.lib.create_scripts.process_source(pk_type, path, file_flag, out_path, skip_lines=None, encoding='utf-8')¶
Process source file or source directory
- retriever.lib.create_scripts.write_out_scripts(script_dict, path, out_path)¶
Writes scripts out to a given path
retriever.lib.datapackage module¶
- retriever.lib.datapackage.clean_input(prompt='', split_char='', ignore_empty=False, dtype=None)¶
Clean the user-input from the CLI before adding it.
- retriever.lib.datapackage.is_empty(val)¶
Check if a variable is an empty string or an empty list.
retriever.lib.datasets module¶
- retriever.lib.datasets.dataset_licenses()¶
Return set with all available licenses.
- retriever.lib.datasets.dataset_names()¶
Return list of all available dataset names.
- retriever.lib.datasets.dataset_verbose_list(script_names: list)¶
Returns the verbose list of the specified dataset(s)
- retriever.lib.datasets.datasets(keywords=None, licenses=None)¶
Search all datasets by keywords and licenses.
- retriever.lib.datasets.license(dataset)¶
Get the license for a dataset.
retriever.lib.defaults module¶
retriever.lib.download module¶
- retriever.lib.download.download(dataset, path='./', quiet=False, sub_dir='', debug=False, use_cache=True)¶
Download scripts for retriever.
retriever.lib.dummy module¶
Dummy connection classes for connectionless engine instances
This module contains dummy classes required for non-db based children of the Engine class.
- class retriever.lib.dummy.DummyConnection¶
Bases:
object
Dummy connection class
- close()¶
Dummy close connection
- commit()¶
Dummy commit
- cursor()¶
Dummy cursor function
- rollback()¶
Dummy rollback
- class retriever.lib.dummy.DummyCursor¶
Bases:
DummyConnection
Dummy connection cursor
retriever.lib.engine module¶
- class retriever.lib.engine.Engine¶
Bases:
object
A generic database system. Specific database platforms will inherit from this class.
- add_to_table(data_source)¶
Adds data to a table from one or more lines specified in engine.table.source.
- auto_create_table(table, url=None, filename=None, pk=None, make=True)¶
Create table automatically by analyzing a data source and predicting column names, data types, delimiter, etc.
- auto_get_datatypes(pk, source, columns)¶
Determine data types for each column.
For string columns adds an additional 100 characters to the maximum observed value to provide extra space for cases where special characters are counted differently by different engines.
- auto_get_delimiter(header)¶
Determine the delimiter.
Find out which of a set of common delimiters occurs most in the header line and use this as the delimiter.
- check_bulk_insert()¶
Check if a bulk insert could be performed on the data
- connect(force_reconnect=False)¶
Create a connection.
- property connection¶
Create a connection.
- convert_data_type(datatype)¶
Convert Retriever generic data types to database platform specific data types.
- create_db()¶
Create a new database based on settings supplied in Database object engine.db.
- create_db_statement()¶
Return SQL statement to create a database.
- create_raw_data_dir(path=None)¶
Check to see if the archive directory exists and creates it if necessary.
- create_table()¶
Create new database table based on settings supplied in Table object engine.table.
- create_table_statement()¶
Return SQL statement to create a table.
- property cursor¶
Get db cursor.
- data_path = None¶
- database_name(name=None)¶
Return name of the database.
- datatypes = []¶
- db = None¶
- debug = False¶
- disconnect()¶
Disconnect a connection.
- disconnect_files()¶
Files systems should override this method.
Enables commit per file object.
- download_file(url, filename)¶
Download file to the raw data directory.
- download_files_from_archive(url, file_names=None, archive_type='zip', keep_in_dir=False, archive_name=None)¶
Download files from an archive into the raw data directory.
- download_from_kaggle(data_source, dataset_name, archive_dir, archive_full_path)¶
Download files from Kaggle into the raw data directory
- download_from_socrata(url, path, progbar)¶
Download files from Socrata to the raw data directory
- download_response(url, path, progbar)¶
Returns True|None according to the download GET response
- drop_statement(object_type, object_name)¶
Return drop table or database SQL statement.
- encoding = None¶
- excel_to_csv(src_path, path_to_csv, excel_info=None, encoding='utf-8')¶
Convert excel files to csv files.
- execute(statement, commit=True)¶
Execute given statement.
- executemany(statement, values, commit=True)¶
Execute given statement with multiple values.
- extract_fixed_width(line)¶
Split line based on the fixed width, returns list of the values.
- extract_gz(archive_path, archivedir_write_path, file_name=None, open_archive_file=None, archive=None)¶
Extract gz files.
Extracts a given file name or all the files in the gz.
- extract_tar(archive_path, archivedir_write_path, archive_type, file_name=None)¶
Extract tar or tar.gz files.
Extracts a given file name or the file in the tar or tar.gz. # gzip archives can only contain a single file
- extract_zip(archive_path, archivedir_write_path, file_name=None)¶
Extract zip files.
Extracts a given file name or the entire files in the archive.
- fetch_tables(dataset, table_names)¶
This can be overridden to return the tables of sqlite db as pandas data frame. Return False by default.
- final_cleanup()¶
Close the database connection.
- find_file(filename)¶
Check for an existing datafile.
- format_data_dir()¶
Return correctly formatted raw data directory location.
- format_filename(filename)¶
Return full path of a file in the archive directory.
- format_insert_value(value, datatype)¶
Format a value for an insert statement based on data type.
Different data types need to be formated differently to be properly stored in database management systems. The correct formats are obtained by:
Removing extra enclosing quotes
Harmonizing null indicators
Cleaning up badly formatted integers
Obtaining consistent float representations of decimals
- get_connection()¶
This method should be overridden by specific implementations of Engine.
- get_ct_data(lines)¶
Create cross tab data.
- get_ct_line_length(lines)¶
Returns the number of real lines for cross-tab data
- get_cursor()¶
Get db cursor.
- get_input()¶
Manually get user input for connection information when script is run from terminal.
- insert_data_from_archive(url, filenames)¶
Insert data from files located in an online archive. This function extracts the file, inserts the data, and deletes the file if raw data archiving is not set.
- insert_data_from_file(filename)¶
The default function to insert data from a file. This function simply inserts the data row by row. Database platforms with support for inserting bulk data from files can override this function.
- insert_data_from_url(url)¶
Insert data from a web resource, such as a text file.
- insert_raster(path=None, srid=None)¶
Base function for installing raster data from path
- insert_statement(values)¶
Return SQL statement to insert a set of values.
- insert_vector(path=None, srid=None)¶
Base function for installing vector data from path
- instructions = 'Enter your database connection information:'¶
- load_data(filename)¶
Generator returning lists of values from lines in a data file.
1. Works on both delimited (csv module) and fixed width data (extract_fixed_width) 2. Identifies the delimiter if not known 3. Removes extra line ending
- name = ''¶
- pkformat = '%s PRIMARY KEY %s '¶
- placeholder = None¶
- process_geojson2csv(src_path, path_to_csv, encoding='utf-8')¶
- process_hdf52csv(src_path, path_to_csv, data_name, data_type, encoding='utf-8')¶
- process_json2csv(src_path, path_to_csv, headers, encoding='utf-8')¶
- process_sqlite2csv(src_path, path_to_csv, table_name=None, encoding='utf-8')¶
Process sqlite database to csv files.
- process_xml2csv(src_path, path_to_csv, header_values=None, empty_rows=1, encoding='utf-8')¶
- register_tables()¶
Register table names of scripts
- required_opts = []¶
- script = None¶
- script_table_registry = {}¶
- set_engine_encoding()¶
Set up the encoding to be used.
- set_table_delimiter(file_path)¶
Get the delimiter from the data file and set it.
- spatial_support = False¶
- supported_raster(path, ext=None)¶
“Spatial data is not currently supported for this database type or file format. PostgreSQL is currently the only supported output for spatial data.
- table = None¶
- table_name(name=None, dbname=None)¶
Return full table name.
- to_csv(sort=True, path=None, select_columns=None, select_table=None)¶
Create a CSV file from the a data store.
sort flag to create a sorted file, path to write the flag else write to the PWD, select_columns flag is used by large files to select columns data and has SELECT LIMIT 3.
- use_cache = True¶
- warning(warning)¶
Create a warning message using the current script and table.
- warnings = []¶
- write_fileobject(archivedir_write_path, file_name, file_obj=None, archive=None, open_object=False)¶
Write a file object from a archive object to a given path
open_object flag helps up with zip files, open the zip and the file
- retriever.lib.engine.file_exists(path)¶
Return true if a file exists and its size is greater than 0.
- retriever.lib.engine.filename_from_url(url)¶
Extract and returns the filename from the url.
- retriever.lib.engine.gen_from_source(source)¶
Return generator from a source tuple.
Source tuples are of the form (callable, args) where callable(star args) returns either a generator or another source tuple. This allows indefinite regeneration of data sources.
- retriever.lib.engine.reporthook(tqdm_inst, filename=None)¶
tqdm wrapper to generate progress bar for urlretriever
- retriever.lib.engine.set_csv_field_size()¶
Set the CSV size limit based on the available resources
- retriever.lib.engine.skip_rows(rows, source)¶
Skip over the header lines by reading them before processing.
retriever.lib.engine_tools module¶
Data Retriever Tools
This module contains miscellaneous classes and functions used in Retriever scripts.
- retriever.lib.engine_tools.create_file(data, output='output_file')¶
Write lines to file from a list.
- retriever.lib.engine_tools.create_home_dir()¶
Create Directory for retriever.
- retriever.lib.engine_tools.file_2list(input_file)¶
Read in a csv file and return lines a list.
- retriever.lib.engine_tools.geojson2csv(input_file, output_file, encoding)¶
Convert Geojson file to csv.
Function is used for testing only.
- retriever.lib.engine_tools.getmd5(data, data_type='lines', encoding='utf-8')¶
Get MD5 of a data source.
- retriever.lib.engine_tools.hdf2csv(file, output_file, data_name, data_type, encoding='utf-8')¶
- retriever.lib.engine_tools.json2csv(input_file, output_file=None, header_values=None, encoding='utf-8', row_key=None)¶
Convert Json file to CSV.
- retriever.lib.engine_tools.reset_retriever(scope='all', ask_permission=True)¶
Remove stored information on scripts and data.
- retriever.lib.engine_tools.set_proxy()¶
Check for proxies and makes them available to urllib.
- retriever.lib.engine_tools.sort_csv(filename, encoding='utf-8')¶
Sort CSV rows minus the header and return the file.
Function is used for only testing and can handle the file of the size.
- retriever.lib.engine_tools.sort_file(file_path, encoding='utf-8')¶
Sort file by line and return the file.
Function is used for only testing and can handle the file of the size.
- retriever.lib.engine_tools.sqlite2csv(input_file, output_file, table_name=None, encoding='utf-8')¶
Convert sqlite database file to CSV.
- retriever.lib.engine_tools.walker(raw_data, row_key=None, header_values=None, rows=[], normalize=False)¶
Extract rows of data from json datasets
- retriever.lib.engine_tools.xml2csv(input_file, output_file, header_values=None, empty_rows=1, encoding='utf-8')¶
Convert xml to csv.
- retriever.lib.engine_tools.xml2csv_test(input_file, outputfile=None, header_values=None, row_tag='row')¶
Convert xml to csv.
Function is used for only testing and can handle the file of the size.
- retriever.lib.engine_tools.xml2dict(data, node, level)¶
Convert xml to dict type.
retriever.lib.excel module¶
Data Retriever Excel Functions
This module contains optional functions for importing data from Excel.
retriever.lib.fetch module¶
- retriever.lib.fetch.fetch(dataset, file='sqlite.db', table_name='{db}_{table}', data_dir='.')¶
Import a dataset into pandas data frames
retriever.lib.get_opts module¶
retriever.lib.install module¶
- retriever.lib.install.install_csv(dataset, table_name='{db}_{table}.csv', data_dir='.', debug=False, use_cache=True, force=False, hash_value=None)¶
Install datasets into csv.
- retriever.lib.install.install_hdf5(dataset, file='hdf5.h5', table_name='{db}_{table}', data_dir='.', debug=False, use_cache=True, hash_value=None)¶
Install datasets into hdf5.
- retriever.lib.install.install_json(dataset, table_name='{db}_{table}.json', data_dir='.', debug=False, use_cache=True, pretty=False, force=False, hash_value=None)¶
Install datasets into json.
- retriever.lib.install.install_msaccess(dataset, file='access.mdb', table_name='[{db} {table}]', data_dir='.', debug=False, use_cache=True, force=False, hash_value=None)¶
Install datasets into msaccess.
- retriever.lib.install.install_mysql(dataset, user='root', password='', host='localhost', port=3306, database_name='{db}', table_name='{db}.{table}', debug=False, use_cache=True, force=False, hash_value=None)¶
Install datasets into mysql.
- retriever.lib.install.install_postgres(dataset, user='postgres', password='', host='localhost', port=5432, database='postgres', database_name='{db}', table_name='{db}.{table}', bbox=[], debug=False, use_cache=True, force=False, hash_value=None)¶
Install datasets into postgres.
- retriever.lib.install.install_sqlite(dataset, file='sqlite.db', table_name='{db}_{table}', data_dir='.', debug=False, use_cache=True, force=False, hash_value=None)¶
Install datasets into sqlite.
- retriever.lib.install.install_xml(dataset, table_name='{db}_{table}.xml', data_dir='.', debug=False, use_cache=True, force=False, hash_value=None)¶
Install datasets into xml.
retriever.lib.load_json module¶
- retriever.lib.load_json.read_json(json_file)¶
Read Json dataset package files
Load each json and get the appropriate encoding for the dataset Reload the json using the encoding to ensure correct character sets
retriever.lib.models module¶
Data Retriever Data Model
This module contains basic class definitions for the Retriever platform.
retriever.lib.provenance module¶
- retriever.lib.provenance.commit(dataset, commit_message='', path=None, quiet=False)¶
Commit dataset to a zipped file.
- retriever.lib.provenance.commit_info_for_commit(dataset, commit_message, encoding='utf-8')¶
Generate info for a particular commit.
- retriever.lib.provenance.commit_info_for_installation(metadata_info)¶
Returns a dictionary with commit info and changes in old and current environment
- retriever.lib.provenance.commit_log(dataset)¶
Shows logs for a committed dataset which is in provenance directory
- retriever.lib.provenance.commit_writer(dataset, commit_message, path, quiet)¶
Creates the committed zipped file
- retriever.lib.provenance.install_committed(path_to_archive, engine, force=False, quiet=False)¶
Installs the committed dataset
- retriever.lib.provenance.installation_details(metadata_info, quiet)¶
Outputs details of the commit for eg. commit message, time, changes in environment
- retriever.lib.provenance.package_details()¶
Returns a dictionary with details of installed packages in the current environment
retriever.lib.provenance_tools module¶
- retriever.lib.provenance_tools.get_metadata(path_to_archive)¶
Returns a dictionary after reading metadata.json file of a committed dataset
- retriever.lib.provenance_tools.get_script_provenance(path_to_archive)¶
Reads script from archive.
retriever.lib.rdatasets module¶
- retriever.lib.rdatasets.create_rdataset(engine, package, dataset_name, script_path=None)¶
Download files for RDatasets to the raw data directory
- retriever.lib.rdatasets.display_all_rdataset_names(package_name=None)¶
displays the list of rdataset names present in the package(s) provided
- retriever.lib.rdatasets.get_rdataset_names()¶
returns a list of all the available RDataset names present
- retriever.lib.rdatasets.update_rdataset_catalog(test=False)¶
Updates the datasets_url.json from the github repo
- retriever.lib.rdatasets.update_rdataset_contents(data_obj, package, dataset_name, json_file)¶
Update the contents of json script
- retriever.lib.rdatasets.update_rdataset_script(data_obj, dataset_name, package, script_path)¶
Renames and updates the RDataset script
retriever.lib.repository module¶
Checks the repository for updates.
- retriever.lib.repository.check_for_updates(repo='https://raw.githubusercontent.com/weecology/retriever-recipes/main/')¶
Check for updates to datasets.
This updates the HOME_DIR scripts directory with the latest script versions
retriever.lib.scripts module¶
- retriever.lib.scripts.SCRIPT_LIST()¶
Return Loaded scripts.
Ensure that only one instance of SCRIPTS is created.
- class retriever.lib.scripts.StoredScripts¶
Bases:
object
Stored scripts class
- get_scripts()¶
Return shared scripts
- set_scripts(script_list)¶
Set shared scripts
- retriever.lib.scripts.check_retriever_minimum_version(module)¶
Return true if a script’s version number is greater than the retriever’s version.
- retriever.lib.scripts.get_data_upstream(search_url)¶
Basic method for getting upstream data
- retriever.lib.scripts.get_dataset_names_upstream(keywords=None, licenses=None, repo='https://raw.githubusercontent.com/weecology/retriever-recipes/main/')¶
Search all datasets upstream by keywords and licenses. If the keywords or licenses argument is passed, Github’s search API is used for looking in the repositories. Else, the version.txt file is read and the script names are then returned.
- retriever.lib.scripts.get_retriever_citation()¶
- retriever.lib.scripts.get_retriever_script_versions()¶
Return the versions of the present local scripts
- retriever.lib.scripts.get_script(dataset)¶
Return the script for a named dataset.
- retriever.lib.scripts.get_script_citation(dataset=None)¶
Get the citation list for a script
- retriever.lib.scripts.get_script_upstream(dataset, repo='https://raw.githubusercontent.com/weecology/retriever-recipes/main/')¶
Return the upstream script for a named dataset.
- retriever.lib.scripts.get_script_version_upstream(dataset, repo='https://raw.githubusercontent.com/weecology/retriever-recipes/main/')¶
Return the upstream script version for a named dataset.
- retriever.lib.scripts.name_matches(scripts, arg)¶
Check for a match of the script in available scripts
if all, return the entire script list if the exact script is available, return that script if no exact script name detected, match the argument with keywords title and name of all scripts and return the closest matches
- retriever.lib.scripts.open_csvw(csv_file)¶
Open a csv writer forcing the use of Linux line endings on Windows.
Also sets dialect to ‘excel’ and escape characters to ‘'
- retriever.lib.scripts.open_fr(file_name, encoding='utf-8', encode=True)¶
Open file for reading respecting Python version and OS differences.
Sets newline to Linux line endings on Windows and Python 3 When encode=False does not set encoding on nix and Python 3 to keep as bytes
- retriever.lib.scripts.open_fw(file_name, encoding='utf-8', encode=True)¶
Open file for writing respecting Python version and OS differences.
Sets newline to Linux line endings on Python 3 When encode=False does not set encoding on nix and Python 3 to keep as bytes
- retriever.lib.scripts.read_json_version(json_file)¶
Read the version of a script from a JSON file
- retriever.lib.scripts.read_py_version(script_name, search_path)¶
Read the version of a script from a python file
- retriever.lib.scripts.reload_scripts()¶
Load scripts from scripts directory and return list of modules.
- retriever.lib.scripts.to_str(object, object_encoding=<_io.TextIOWrapper name='<stdout>' mode='w' encoding='UTF-8'>, object_decoder='utf-8')¶
Convert to str
retriever.lib.socrata module¶
- retriever.lib.socrata.create_socrata_dataset(engine, name, resource, script_path=None)¶
Downloads raw data and creates a script for the socrata dataset
- retriever.lib.socrata.find_socrata_dataset_by_id(dataset_id)¶
Returns metadata for the following dataset id
- retriever.lib.socrata.socrata_autocomplete_search(dataset)¶
Returns the list of dataset names after autocompletion
- retriever.lib.socrata.socrata_dataset_info(dataset_name)¶
Returns the dataset information of the dataset name provided
- retriever.lib.socrata.update_socrata_contents(json_file, script_name, url, resource)¶
Update the contents of the json script
- retriever.lib.socrata.update_socrata_script(script_name, filename, url, resource, script_path)¶
Renames the script name and the contents of the script
- retriever.lib.socrata.url_response(url, params)¶
Returns the GET response for the given url and params
retriever.lib.table module¶
- class retriever.lib.table.Dataset(name=None, url=None)¶
Bases:
object
Dataset generic properties
- class retriever.lib.table.RasterDataset(name=None, url=None, dataset_type='RasterDataset', **kwargs)¶
Bases:
Dataset
Raster table implementation
- class retriever.lib.table.TabularDataset(name=None, url=None, pk=True, contains_pk=False, delimiter=None, header_rows=1, column_names_row=1, fixed_width=False, cleanup=<retriever.lib.cleanup.Cleanup object>, record_id=0, columns=[], replace_columns=[], missingValues=None, cleaned_columns=False, number_of_records=None, **kwargs)¶
Bases:
Dataset
Tabular database table.
- add_dialect()¶
Initialize dialect table properties.
These include a table’s null or missing values, the delimiter, the function to perform on missing values and any values in the dialect’s dict.
- add_schema()¶
Add a schema to the table object.
Define the data type for the columns in the table.
- auto_get_columns(header)¶
Get column names from the header row.
Identifies the column names from the header row. Replaces database keywords with alternatives. Replaces special characters and spaces.
- clean_column_name(column_name)¶
Clean column names using the expected sql guidelines remove leading whitespaces, replace sql key words, etc.
- combine_on_delimiter(line_as_list)¶
Combine a list of values into a line of csv data.
- get_column_datatypes()¶
Get set of column names for insert statements.
- get_insert_columns(join=True, create=False)¶
Get column names for insert statements.
create should be set to True if the returned values are going to be used for creating a new table. It includes the pk_auto column if present. This column is not included by default because it is not used when generating insert statements for database management systems.
- values_from_line(line)¶
Return expected row values
Includes dynamically generated field values like auto pk
retriever.lib.templates module¶
Datasets are defined as scripts and have unique properties. The Module defines generic dataset properties and models the functions available for inheritance by the scripts or datasets.
- class retriever.lib.templates.BasicTextTemplate(**kwargs)¶
Bases:
Script
Defines the pre processing required for scripts.
Scripts that need pre processing should use the download function from this class. Scripts that require extra tune up, should override this class.
- download(engine=None, debug=False)¶
Defines the download processes for scripts that utilize the default pre processing steps provided by the retriever.
- process_archived_data(table_obj, url)¶
Pre-process archived files.
Archive info is specified for a single resource or entire data package. Extract the files from the archived source based on the specifications. Either extract a single file or all files. If the archived data is excel, use the xls_sheets to obtain the files to be extracted.
- process_spatial_insert(table_obj)¶
Process spatial data for insertion
- process_tables(table_obj, url)¶
Obtain the clean file and create a table
if xls_sheets, convert excel to csv Create the table from the file
- process_tabular_insert(table_obj, url)¶
Process tabular data for insertion
- class retriever.lib.templates.HtmlTableTemplate(title='', description='', name='', urls={}, tables={}, ref='', public=True, addendum=None, citation='Not currently available', licenses=[{'name': None}], retriever_minimum_version='', version='', encoding='utf-8', message='', **kwargs)¶
Bases:
Script
Script template for parsing data in HTML tables.
- class retriever.lib.templates.Script(title='', description='', name='', urls={}, tables={}, ref='', public=True, addendum=None, citation='Not currently available', licenses=[{'name': None}], retriever_minimum_version='', version='', encoding='utf-8', message='', **kwargs)¶
Bases:
object
This class defines the properties of a generic dataset.
Each Dataset inherits attributes from this class to define it’s Unique functionality.
- checkengine(engine=None)¶
Returns the required engine instance
- download(engine=None, debug=False)¶
Generic function to prepare for installation or download.
- matches_terms(terms)¶
Check if the terms matches a script metadata info
- reference_url()¶
Get a reference url as the parent url from data url
retriever.lib.tools module¶
- retriever.lib.tools.excel_csv(src_path, path_to_csv, excel_info=None, encoding='utf-8')¶
Convert an excel sheet to csv
Read src_path excel file and write the excel sheet to path_to_csv excel_info contains the index of the sheet and the excel file name
- retriever.lib.tools.open_csvw(csv_file)¶
Open a csv writer forcing the use of Linux line endings on Windows.
Also sets dialect to ‘excel’ and escape characters to ‘'
- retriever.lib.tools.open_fr(file_name, encoding='utf-8', encode=True)¶
Open file for reading respecting Python version and OS differences.
Sets newline to Linux line endings on Windows and Python 3 When encode=False does not set encoding on nix and Python 3 to keep as bytes
- retriever.lib.tools.open_fw(file_name, encoding='utf-8', encode=True)¶
Open file for writing respecting Python version and OS differences.
Sets newline to Linux line endings on Python 3 When encode=False does not set encoding on nix and Python 3 to keep as bytes
- retriever.lib.tools.to_str(object, object_encoding=<_io.TextIOWrapper name='<stdout>' mode='w' encoding='UTF-8'>, object_decoder='utf-8')¶
Convert encoded values to string
- retriever.lib.tools.walk_relative_path(dir_name)¶
Return relative paths of files in the directory
retriever.lib.warning module¶
- class retriever.lib.warning.Warning(location, warning)¶
Bases:
object
Custom warning class
428. Social Support Data¶
rdataset-daag-socsupport
rdataset-daag-socsupport’s home link.
daag
socsupport