Learn R Programming

⚠️There's a newer version (1.1.6) of this package.Take me there.

tsibble

/ˈt͡sɪbəl/

The tsibble package provides a data class of tbl_ts to store and manage temporal-context data frames in a “tidy” form. A tsibble consists of a time index, key and other measured variables in a data-centric format, which is built on top of the tibble.

Installation

You could install the stable version on CRAN:

install.packages("tsibble")

You could install the development version from Github using

# install.packages("devtools")
devtools::install_github("tidyverts/tsibble", build_vignettes = TRUE)

Get started

Coerce to a tsibble with as_tsibble()

The weather data included in the package nycflights13 is used as an example to illustrate. The “index” variable is the time_hour containing the date-times, and the “key” is the origin as weather stations created via id(). The key(s) together with the index uniquely identifies each observation, which gives a valid tsibble. Other columns can be considered as measured variables.

library(tsibble)
weather <- nycflights13::weather %>% 
  select(origin, time_hour, temp, humid, precip)
weather_tsbl <- as_tsibble(weather, key = id(origin), index = time_hour)
weather_tsbl
#> # A tsibble: 26,130 x 5 [1HOUR]
#> # Keys:      origin [3]
#>   origin time_hour            temp humid precip
#> * <chr>  <dttm>              <dbl> <dbl>  <dbl>
#> 1 EWR    2013-01-01 00:00:00  37.0  54.0      0
#> 2 EWR    2013-01-01 01:00:00  37.0  54.0      0
#> 3 EWR    2013-01-01 02:00:00  37.9  52.1      0
#> 4 EWR    2013-01-01 03:00:00  37.9  54.5      0
#> 5 EWR    2013-01-01 04:00:00  37.9  57.0      0
#> # ... with 2.612e+04 more rows

The key is not constrained to a single variable, but expressive of nested and crossed data structures. This incorporates univariate, multivariate, hierarchical and grouped time series into the tsibble framework. See ?tsibble and vignette("intro-tsibble") for details.

The tsibble internally computes the interval for a given time index, based on its representation. The POSIXct corresponds to sub-daily series, Date to daily, yearweek to weekly, yearmonth/yearmth to monthly, yearquarter/yearqtr to quarterly, and etc.

fill_na() to turn implicit missing values into explicit missing values

Often there are implicit missing cases in temporal data. If the observations are made at regular time interval, we could turn these implicit missings to be explicit simply using fill_na(). Meanwhile, fill NAs in by 0 for precipitation (precip). It is quite common to replaces NAs with its previous observation for each origin in time series analysis, which is easily done using fill() from tidyr.

full_weather <- weather_tsbl %>%
  fill_na(precip = 0) %>% 
  group_by(origin) %>% 
  tidyr::fill(temp, humid, .direction = "down")
full_weather
#> # A tsibble: 26,208 x 5 [1HOUR]
#> # Keys:      origin [3]
#> # Groups:    origin [3]
#>   origin time_hour            temp humid precip
#>   <chr>  <dttm>              <dbl> <dbl>  <dbl>
#> 1 EWR    2013-01-01 00:00:00  37.0  54.0      0
#> 2 EWR    2013-01-01 01:00:00  37.0  54.0      0
#> 3 EWR    2013-01-01 02:00:00  37.9  52.1      0
#> 4 EWR    2013-01-01 03:00:00  37.9  54.5      0
#> 5 EWR    2013-01-01 04:00:00  37.9  57.0      0
#> # ... with 2.62e+04 more rows

fill_na() also handles filling NA by values or functions, and preserves time zones for date-times. Wanna a quick overview of implicit time gaps? Check out count_gaps().

index_by() + summarise() to aggregate over calendar periods

index_by() is the counterpart of group_by() in temporal context, but it groups the index only. In conjunction with index_by(), summarise() and its scoped variants aggregate interested variables over calendar periods. index_by() goes hand in hand with the index functions including as.Date(), yearweek(), yearmonth(), and yearquarter(), as well as other friends from lubridate. For example, it would be of interest in computing average temperature and total precipitation per month, by applying yearmonth() to the hourly time index.

full_weather %>%
  group_by(origin) %>%
  index_by(year_month = yearmonth(time_hour)) %>% # monthly aggregates
  summarise(
    avg_temp = mean(temp, na.rm = TRUE),
    ttl_precip = sum(precip, na.rm = TRUE)
  )
#> # A tsibble: 36 x 4 [1DAY]
#> # Keys:      origin [3]
#>   origin year_month avg_temp ttl_precip
#> * <chr>  <date>        <dbl>      <dbl>
#> 1 EWR    2013-01-01     35.6       2.7 
#> 2 EWR    2013-02-01     34.1       2.76
#> 3 EWR    2013-03-01     40.0       1.94
#> 4 EWR    2013-04-01     52.9       1.05
#> 5 EWR    2013-05-01     63.1       2.76
#> # ... with 31 more rows

This combo can also help with regularising a tsibble of irregular time space.

A family of window functions: slide(), tile(), stretch()

Temporal data often involves moving window calculations. Several functions in the tsibble allow for different variations of moving windows using purrr-like syntax:

  • slide(): sliding window with overlapping observations.
  • tile(): tiling window without overlapping observations.
  • stretch(): fixing an initial window and expanding to include more observations.

For example, a moving average of window size 3 is carried out on hourly temperatures for each group (origin).

full_weather %>% 
  group_by(origin) %>% 
  mutate(temp_ma = slide(temp, ~ mean(., na.rm = TRUE), size = 3))
#> # A tsibble: 26,208 x 6 [1HOUR]
#> # Keys:      origin [3]
#> # Groups:    origin [3]
#>   origin time_hour            temp humid precip temp_ma
#>   <chr>  <dttm>              <dbl> <dbl>  <dbl>   <dbl>
#> 1 EWR    2013-01-01 00:00:00  37.0  54.0      0    NA  
#> 2 EWR    2013-01-01 01:00:00  37.0  54.0      0    NA  
#> 3 EWR    2013-01-01 02:00:00  37.9  52.1      0    37.3
#> 4 EWR    2013-01-01 03:00:00  37.9  54.5      0    37.6
#> 5 EWR    2013-01-01 04:00:00  37.9  57.0      0    37.9
#> # ... with 2.62e+04 more rows

Reexported functions from the tidyverse

It can be noticed that the tsibble seamlessly works with dplyr verbs. Use ?tsibble::reexports for a full list of re-exported functions.

  • dplyr:
    • arrange(), filter(), slice()
    • mutate()/transmute(), select(), summarise()/summarize() with an additional argument .drop = FALSE to drop tbl_ts and coerce to tbl_df
    • rename()
    • *_join()
    • group_by(), ungroup()
  • tibble: glimpse(), as_tibble()/as.tibble()
  • rlang: !!, !!!

Related work

  • zoo: regular and irregular time series with methods.
  • xts: extensible time series.
  • tibbletime: time-aware tibbles.
  • padr: padding of missing records in time series.

Copy Link

Version

Install

install.packages('tsibble')

Monthly Downloads

33,871

Version

0.2.0

License

GPL (>= 3)

Maintainer

Earo Wang

Last Published

May 11th, 2018

Functions in tsibble (0.2.0)

is_tsibble

Test if the object is a tsibble
key_update

Change/update key variables for a given tbl_ts
pull_interval

Extract time interval from a vector
slice.tbl_ts

Selects rows by position
mutate.tbl_ts

Add new variables
select.tbl_ts

Select/rename variables by name
measured_vars

Return measured variables
is_regular

is_regular checks if a tsibble is spaced at regular time or not; is_ordered checks if a tsibble is ordered by key and index.
yearweek

Represent year-week (ISO), year-month or year-quarter objects
slide

Sliding window calculation
tsibble

Create a tsibble object
reexports

Objects exported from other packages
pedestrian

Pedestrian counts in the city of Melbourne
split_by

Split a data frame into a list of subsets by variables
stretch

Stretching window calculation
summarise.tbl_ts

Collapse multiple rows to a single value
tsummarise

Aggregate over calendar periods
tile

Tiling window calculation
tourism

Australian domestic overnight trips
tsibble-package

tsibble: tidy temporal data frames and tools
as_tsibble

Coerce to a tsibble object
inform_duplicates

Defunct functions
arrange.tbl_ts

Arrange rows by variables
filter.tbl_ts

Return rows with matching conditions
fill_na

Turn implicit missing values into explicit missing values
as.ts.tbl_ts

Coerce a tsibble to a time series
guess_frequency

Guess a time frequency from other index objects
build_tsibble

Construct a tsibble object
case_na

A thin wrapper of dplyr::case_when() if there are NAs
id

Identifier to construct structural variables
index_valid

Extensible index type to tsibble
find_duplicates

Find duplication of key and index variables
index_by

Group by time index
as_tibble.tbl_ts

Coerce to a tibble or data frame
key_size

Compute sizes of key variables
count_gaps

Count implicit gaps
key

Return key variables
interval

Return index and interval from a tsibble
group_by.tbl_ts

Group by one or more variables