### Install the `DBI` and `RSQLite` Packages
install.packages("DBI")
install.packages("RSQLite")
### Load the packages
library(DBI)
library(RSQLite)15 Accessing Data from Databases and APIs
Much of the information you need might not be stored locally on your computer. Instead, data often resides in external sources like databases or web APIs. Whether you’re working with large datasets in structured databases or retrieving data in real time from online services, learning to access these external sources is a critical skill for modern data analysis.
This chapter covers two key methods for accessing external data in R:
- Databases: Databases store structured data, often in large quantities, and are commonly used in business, research, and web applications. R provides tools to connect to and query databases, making it easy to work with this data.
- Web APIs: APIs (Application Programming Interfaces) allow you to retrieve data from online services, such as weather forecasts, financial data, or public datasets. Using APIs, you can automate the process of fetching and integrating data into your analysis.
By the end of this chapter, you’ll understand how to: - Connect to and query data from a database. - Retrieve data from a web API and work with it in R. - Apply these techniques to real-world scenarios.
Let’s explore these external data sources and how R makes it easy to access and analyze their data.
15.1 Importing Data from a Database
In many cases, data is stored in databases rather than in spreadsheets or files. R provides excellent tools for connecting to databases, querying data, and importing it for analysis. In this section, we will use the DBI package along with RSQLite to connect to SQLite databases. These tools are versatile and can also be adapted to connect to other database systems such as PostgreSQL, MySQL, or SQL Server with minimal changes.
If you haven’t already installed the DBI and RSQLite packages, you can do so by running the following commands. Then load the libraries:
Connecting to an SQLite Database
SQLite is a lightweight, file-based database that is easy to work with. To connect to an SQLite database in R, use the dbConnect() function from the DBI package. Here’s an example of how to connect to an SQLite database:
## Create a connection to the SQLite database
con <- dbConnect(RSQLite::SQLite(), "path/to/your/database.sqlite")Replace "path/to/your/database.sqlite" with the path to your SQLite database file.
Querying Data from the Database
Once you’ve established a connection, you can run SQL queries directly from R to extract the data you need. For example, you can use the dbGetQuery() function to run a SELECT query and store the result in a data frame:
##  Run a SQL query and retrieve data
data <- dbGetQuery(con, "SELECT * FROM your_table")
## View the data
print(data)This command runs a SQL query that selects all the data from the specified table (your_table) in the database.
Exploring Tables and Metadata
You can explore the structure of your database and list all available tables with the following command:
## List all tables in the database
tables <- dbListTables(con)
print(tables)To examine the structure of a particular table, you can run:
## List the fields in a specific table
fields <- dbListFields(con, "your_table")
print(fields)This can be helpful when you need to understand the schema of the database.
Disconnecting from the Database
After you have finished working with the database, it is good practice to disconnect from it. Use the dbDisconnect() function to close the connection:
## Disconnect from the database
dbDisconnect(con)Using Databases Other Than SQLite
The process for connecting to other databases (such as PostgreSQL, MySQL, or SQL Server) is similar. The main difference is that you will use a different driver package specific to that database (e.g., RPostgres for PostgreSQL, RMySQL for MySQL).
Here’s an example of connecting to a PostgreSQL database:
## Install the PostgreSQL driver
install.packages("RPostgres")
## Load the package
library(RPostgres)
## Create a connection to a PostgreSQL database
con <- dbConnect(RPostgres::Postgres(), dbname = "your_db_name", host = "localhost", port = 5432, user = "your_username", password = "your_password")The same DBI functions like dbGetQuery(), dbListTables(), and dbDisconnect() will work with any database supported by DBI.
Advantages of Working with Databases in R
- Scalability: Databases can handle much larger datasets than spreadsheets or CSV files. By connecting to a database, you can query only the data you need, without loading everything into memory.
- Flexibility: Using SQL queries, you can filter, join, and aggregate data directly within the database, reducing the amount of data processing you need to do in R.
- Interoperability: The DBI package supports a wide range of databases, including SQLite, PostgreSQL, MySQL, SQL Server, and more, making it a versatile tool for data analysis.
By using the DBI and RSQLite packages, you can seamlessly integrate databases into your R workflow, query data directly from the source, and manage large datasets with ease.
15.2 Importing Web Data
In our connected world, much valuable data resides online and is accessible through web services and APIs (Application Programming Interfaces). Using R, you can connect to these web services to pull in data directly. In this section, we will introduce how to use the httr package to access APIs and import data from web services into R.
APIs are commonly used to retrieve data from various platforms such as social media sites, financial databases, weather services, and more. The httr package makes it simple to send HTTP requests and retrieve data from these APIs.
Install and Load the httr Package
If you haven’t already installed the httr package, you can do so and then load the package with the following commands:
install.packages("httr")
library(httr)Making an API Request
APIs usually require you to make HTTP requests, and they respond with data in formats such as JSON or XML. The httr package simplifies this process by providing functions to make requests and handle responses.
Here’s an example of how to make a GET request to an API:
## Example: Making a GET request to a public API
response <- GET("https://api.example.com/data")
## Check the status of the response
status_code(response)
## View the content of the response
content(response, "text")- GET(): Sends a GET request to the API endpoint. Replace- "https://api.example.com/data"with the actual API endpoint you want to query.
- status_code(response): Returns the HTTP status code of the response. A status code of 200 means the request was successful.
- content(response, “text”): Retrieves the content of the response as text. In many cases, the response will be in JSON format.
Parsing JSON Data
APIs often return data in JSON (JavaScript Object Notation) format. After retrieving the response, you need to parse the JSON data and convert it into a format that R can work with, such as a data frame.
To parse JSON data, you can use the jsonlite package:
install.packages("jsonlite")
library(jsonlite)
## Parse the JSON content and convert it to a data frame
data <- fromJSON(content(response, "text"))
## View the data
print(data)This code converts the JSON response into a data frame that you can use for further analysis in R.
Using API Keys and Authentication
Many APIs require an API key or some form of authentication to access the data. You will need to include your API key in the request headers. Here’s an example of how to make an authenticated request:
## Example: Making an authenticated GET request
api_key <- "your_api_key"
response <- GET("https://api.example.com/data", add_headers(Authorization = paste("Bearer", api_key)))
## Parse the JSON content and convert it to a data frame
data <- fromJSON(content(response, "text"))
## View the data
print(data)Replace "your_api_key" with the actual API key provided by the web service. The add_headers() function adds the necessary authorization to the request.
Examples
Data on the International Space Station’s location currently in space
Here’s an example of how you could use the httr package to fetch data on the location of the International Space Station (ISS) at this moment:
library(httr)
library(jsonlite)
## Make a GET request to Open Notify API (current ISS location)
response <- GET("http://api.open-notify.org/iss-now.json")
data <- fromJSON(content(response, "text"))
## View the data
print(data)This code sends a request to the open-notify.org API for the ISS location data. The JSON response is parsed and converted into a format you can analyze.
Get random images and facts about different dog breeds.
Here’s an example of how you could use the httr package to fetch data on random dog breeds:
library(httr)
library(jsonlite)
## Make a GET request to The Dog API (random dog image)
response <- GET("https://dog.ceo/api/breeds/image/random")
data <- fromJSON(content(response, "text"))
## View the data
print(data)This code sends a request to the dog.ceo API for the url of a random dog breed. The JSON response is parsed and converted into a format you can analyze.
Note that these examples are chosen to avoid providing a personal api. Usually, you would need to sign up for an account and log in. Once logged in, navigate to the API keys section and generate an API key. Copy the generated API key and paste it in the approprate place for an api key in your code.
Advantages of Importing Web Data
- Dynamic and Up-to-Date: Web APIs provide access to real-time data, such as stock prices, social media trends, or weather information.
- Automated Data Collection: Once you connect to an API, you can automate data collection, fetching the latest data without manual intervention.
- Access to Specialized Data: Many platforms, such as Twitter, Google, or financial services, expose their data through APIs, allowing you to leverage these valuable data sources in your analysis.
By using APIs and the httr package, you can integrate real-time web data into your R workflows, opening up a wide range of possibilities for data analysis.
15.3 Practical Tips and Common Pitfalls
When accessing data from databases or web APIs, it’s important to follow best practices to ensure security, efficiency, and accuracy. This section provides practical tips and highlights common pitfalls to avoid.
Managing Database Credentials and API Keys Securely
Many databases and APIs require authentication, often in the form of credentials, API keys, or tokens. These should be handled securely to protect sensitive information.
- Avoid Hardcoding Credentials:
- Never include usernames, passwords, or API keys directly in your R scripts.
- Use environment variables to store sensitive information securely.
 
# Example of setting and using environment variables
Sys.setenv(API_KEY = "your_api_key_here")
api_key <- Sys.getenv("API_KEY")- Use .Renvironor.envFiles:- Store credentials in a file like .Renvironor.env(with appropriate access permissions).
- Load these credentials into your R session automatically.
 .Renviron
- Store credentials in a file like 
file:DB_USER=your_username
DB_PASS=your_password
API_KEY=your_api_key- Leverage Credential Management Packages:
- Use packages like keyringordotenvto manage and retrieve credentials securely.
library(keyring)
key_set("api_key", "your_api_key_here")
api_key <- key_get("api_key")Handling Large Datasets
When querying large datasets from a database or API, you may encounter performance issues. Here’s how to handle them:
- Use Efficient Queries:
- Write SQL queries that filter and aggregate data at the source to reduce the size of the retrieved dataset.
- Use LIMITclauses in SQL to fetch smaller batches of data.
SELECT name, sales
FROM transactions
WHERE date > '2023-01-01'
LIMIT 1000;- Paginate API Requests:
- Many APIs limit the amount of data returned in a single request. Use pagination to retrieve data in chunks.
- Check the API documentation for parameters like pageorlimit.
# Example of paginated API request
base_url <- "https://api.example.com/data"
page <- 1
repeat {
    response <- httr::GET(paste0(base_url, "?page=", page))
    data <- httr::content(response)
    if (length(data) == 0) break
    # Process data here
    page <- page + 1
}- Consider Sampling:
- For exploratory analysis, use a random sample of data to reduce computational load and speed up development.
Avoiding API Rate Limits
APIs often impose rate limits to prevent overloading their servers. Here’s how to avoid exceeding them:
- Check Documentation:
- Review the API documentation for rate limit policies, such as the maximum number of requests allowed per minute.
- Throttle Requests:
- Introduce delays between API requests to stay within rate limits. Use functions like Sys.sleep()to add pauses.
for (i in 1:10) {
    response <- httr::GET("https://api.example.com/data")
    Sys.sleep(1)  # Pause for 1 second between requests
}- Use Retry Logic:
- Implement retry mechanisms for failed requests due to rate limits or server errors.
response <- NULL
attempts <- 0
while (is.null(response) && attempts < 5) {
    attempts <- attempts + 1
    response <- try(httr::GET("https://api.example.com/data"), silent = TRUE)
    if (inherits(response, "try-error")) Sys.sleep(5)
}Summary
By managing credentials securely, optimizing queries, and respecting rate limits, you can work effectively with databases and APIs. These practical tips will help you avoid common pitfalls and ensure that your data workflows are robust, efficient, and secure.