Temporal aggregations on time series data – Writing R functions to tidy meteorological data and getting some insights from it

[This article was first published on R – Monkeys Working, and kindly contributed to R-bloggers]. (You can report issue about the content on this page here)
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.

Hi everyone!

  In this post we’re going to work with time series data, and write R functions to aggregate hourly and daily time series in monthly time series to catch a glimpse of their underlying patterns. For this analysis we’re going to use public meteorological data recorded by the government of the Argentinian province of San Luis. Data about rainfalls, temperature, humidity and in some cases winds, is published in the REM website (Red de Estaciones Meteorológicas, http://www.clima.edu.ar/). Also, here you can download meteorological data (in .csv format) that has been recorded by weather stations around different places from San Luis.

   Even though weather stations are capable to record a huge amount of data, there is also a lot of work to do to obtain some information. For example, if observations are taken every hour, you’ll have 8700 records in 1 year!

So, in this post we’re going to:

  • Write functions in R to aggregate the big amount of information provided by weather stations.
  • Make these functions as general as possible in terms of the structure of the input data (time series data) in order to simplify downstream analysis of this data.
  • Finally, we’re going to plot our results to reach some conclusions about the weather in one town in San Luis Province, Argentina.

    We chose to work with data from La Calera. Take a look to our target site on the map! It’s a little town in the Northwest of the San Luis Province, located in a semiarid region. It makes this town and its neighbors really interesting places to work with because in this desert places, climate has well defined seasons and rainfalls occurs mainly in a few months of the year.

    We have already downloaded the .csv file of La Calera from the REM website, and you can find it here . Ok! Let’s work!

Tidying data – Writing an R function

    First, we’re going to read the .csv with R and see its structure. How many rows does it have? Which are the first and the last dates? Which are the variables recorded? We’ll use head(), nrow() and str() to see it.

    As you can see, this weather station recorded rainfalls (mm), humidity (%) and temperature (°C) every hour. Data recording started on October 2007 and finished on April 2018 (the day that we downloaded the .csv). There are in total more than 91.000 observations for each variable!. Hourly data won’t allow us to find some of the climatic patterns that we are looking for, so, we need to summarize its information first as daily data and then as monthly data.

   We’re going to start writing an R function that will be useful for organize data in different stages of the analysis (see the flowchart below) . It takes the date of every row and splits it up in 3 columns: one column with the day’s number, a second column with the month’s number, and the last one with the year. In this function, we’re going to use the lubridate package. This package has some useful functions that we need: day(), month() and year() which extract the corresponding time component from a given date. In the following functions, we’ll use these new columns to subset the data.

diagrama_de_flujo_funcion

If we use our function, we get:

Aggregate daily data – Writing an R function

    Now, we’re going to aggregate our hourly data in daily data. We wrote another function that uses the columns that we have obtained to subset the data. For each day,  we created a subset with its corresponding hours and calculated the daily mean or the sum for data (see the diagram below).

flowchart_funcion2

 As we’re working with meteorological data, the sum will be useful for precipitations, and the mean for temperature. We calculated the daily mean value as an average of extreme hourly values, due to daily mean temperature it’s commonly estimated as the average of minimum and maximum temperatures (see http://climod.nrcc.cornell.edu/static/glossary.html and Dall’Amico and Hornsteiner, 2006).  This is:

For each day of hourly data we have the following set: T=\{T_0,...,T_{23}\} so we calculate the average as:

average_T= {{max(T) + min(T)} \over {2}}

In R, we can do it using max() and min() functions. But wait! It’s normal that weather stations don’t work during some days, so you can have entire days where they only recorded “NAs”. So, you have to keep this in mind, because max() and min() functions will return you:

In min(x) : no non-missing arguments to min; returning Inf
In max(x) : no non-missing arguments to min; returning Inf

    To avoid that, we used an if…else statement in  line 32.

Exploratory plots – Daily data from La Calera

Let’s plot daily data to look for patterns!

# 1) a) Daily accumulated rainfall
d_mm_ac <- HourlyToDaily(data.x = calera_organized, ncol.obs = 2, na.presence = TRUE, value = "accumulated", ncol.date = 1)
head(d_mm_ac)
#
plot(x = d_mm_ac$date,
     y = d_mm_ac$value,
     type = "l",
     xlab = "Date",
     ylab = "daily accumulated precipitation (mm)")
#
# 1) b) Daily mean temperature (°C)
d_t_mean <- HourlyToDaily(data.x = calera_organized, ncol.obs = 3, na.presence = TRUE, value = "mean", ncol.date = 1)
head(d_t_mean)
#
plot(x = d_t_mean$date,
     y = d_t_mean$value,
     type = "l",
     xlab = "Date",
     ylab = "daily mean temperature (°C)")

calera_daily_precipitations calera_daily_mean_temperature

We’ve already have our first results! Rainfalls are higher during a period of each year, and between periods there are gaps of dry weather. On the other side, mean temperatures have an oscillating pattern, reaching 30°C in summer and 0°C in winter. So, as we expected from this temperate desert place, seasons are well-defined and temperature have a wide range through the year.

Aggregate monthly data – Writing an R function

  Ok, let’s continue a bit more! To aggregate from daily data to monthly data, we have to use again the first function (add the time component’s columns) and then build a function with “for loops” similar to the second function. In this case, we didn’t use max() or min() functions, because monthly means are simply the average of daily means per month.

    We ran the function:

# 2) Getting monthly data from daily data
#
MonthlyValue <- function(data.x, ncol.obs, value = "mean",
                         na.presence = TRUE) {
  #
  if (!any(value == c("mean", "accumulated"))) {
    stop("value must be 'mean' or 'accumulated'")
  }
  #
  # Calculate the mean of the variable of interest
  first.year <- min(data.x$year, na.rm = na.presence)
  last.year  <- max(data.x$year, na.rm = na.presence)
  x.per.month <- list()
  name.month.tot <- list()
  name.year.tot  <- list()
  c = 1
  #  Creates a temporary i data.frame for each year == i
  for (i in first.year:last.year) {
    x.anual <- data.x[data.x$year == i, ]
    # It takes the i year df and creates a j df for each month == j
    first.month = min(x.anual$month, na.rm = na.presence)
    last.month  = max(x.anual$month, na.rm = na.presence)
    name.month <- list()
    name.year  <- list()
    x.value <- list()
    for (j in first.month:last.month) {
      x.month <- x.anual[x.anual$month == j, ]
      # Calculates the mean value or the accumulated value
      if (value == "mean") {
        x.value[j] <- mean(x = x.month[ , ncol.obs], na.rm = na.presence)
        name.month[j] <- j
        name.year[j]  <- i
      } else {
        x.value[j] <- sum(x = x.month[ , ncol.obs], na.rm = na.presence)
        name.month[j] <- j
        name.year[j]  <- i
      }
    } # end cycle month
    x.per.month[[c]] <- unlist(x.value)
    name.month.tot[[c]]    <- unlist(name.month)
    name.year.tot[[c]]     <- unlist(name.year)
    c = c + 1
  } # end cycle year
  monthly.data <- as.data.frame(cbind(unlist(name.month.tot),
                                      unlist(name.year.tot),
                                      unlist(x.per.month)))
  if (value == "mean") {
    colnames(monthly.data) <- c("month.order", "year", "mean.value")
  } else {
    colnames(monthly.data) <- c("month.order", "year", "accumulated.value")
  }
  return(monthly.data)
}

and we obtained the followings monthly time series:

Exploratory plots – Monthly data from La Calera

    To end this analysis, we’re going to do an exploratory analysis of our monthly data. For this we are going to make a multiple barplot using a ‘for loop’ and an overlayed lineplot for each one of the years in the dataset.

# plot with monthly data
plot.calera <- function() {
  parameters.1 <- par(mfrow = c(4, 3),
                    mar = c(3,3,3,1.5),
                    oma = c(3,3,3,3))
  for (i in seq(from = unique(m_mm_ac$year)[1],
                to = unique(m_mm_ac$year)[length(unique(m_mm_ac$year))])) {
    barplot(height = m_mm_ac[m_mm_ac$year == i, 3],
            names.arg = m_mm_ac[m_mm_ac$year == i, 1],
            col = "lightgreen",
            axes = TRUE,
            main = i,
            cex.main = 0.8,
            ylim = c(0, 140),
            xlim = c(0,12),
            space = 0)
    lines(y = (m_t_mean[m_t_mean$year == i, 3]),
          ylim = c(0, 70),
          x = ((m_mm_ac[m_mm_ac$year == i, 1]) - 0.5),
          type = "o",
          col = "darkorange",
          lwd = 2,
          pch = 16)
    axis(side = 4)
  }
  title(main = "Accumulated rainfalls and temperature per month in La Calera",
        cex.main = 1.3,
        xlab = "Months",
        cex.lab = 1.5,
        ylab = "Monthly accumulated precipitation",
        outer = TRUE,
        line = 0)
  mtext(text = "Monthly mean temperature °C",
        side = 4,
        cex = 1,
        outer = TRUE,
        line = 1.2)
  par(parameters.1)
}
plot_calera <- plot.calera()

la_calera

    As we previously saw, rains are concentrated only in some months. We can distinguish from the bar charts that La Calera has a dry period during winter, when temperatures are lower, and a rainy period during the warm seasons.

    Well, the analysis about yearly means of accumulated precipitations and temperatures  it is now up to you!

   You can see the entire R script of this post in here, and remember that all of our scripts and data used for the blog are available in our GitHubs.

    And, if you’re interested in other analysis of different kinds of time series data, you could take a look to our other post:

See you in the next post!

 

To leave a comment for the author, please follow the link and comment on their blog: R – Monkeys Working.

R-bloggers.com offers daily e-mail updates about R news and tutorials about learning R and many other topics. Click here if you're looking to post or find an R/data-science job.
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.

Never miss an update!
Subscribe to R-bloggers to receive
e-mails with the latest R posts.
(You will not see this message again.)

Click here to close (This popup will not appear again)