Chapter 6 Automated Reporting
Learning a programming language is not only useful for the freedom it provides, it also increases largely the speed of the analysis thanks to the re-usability of the code. When many projects are built using the same base (e.g. similar questionnaires), the same analyses are often performed, also leading to similar reports. Automating the analysis process is simple by applying the same code to different dataset. But what about the reports? Should a new report be built manually for each project? In this section, we will show you how to build your own report directly from your code next to your analyses (or integrate your analysis within your reporting process). Such procedure has three main benefits, 1) build a new standardized report automatically for each new dataset analyzed, 2) mass-produce slides automatically, and 3) save you time for the interpretation of the results and the story-telling.
6.1 What and why Automated Reporting?
Effective communication of results is among the essential duties of sensory scientists…and so is the data collection, data preparation, data analysis etc. Worst, the sometimes tedious mechanics of report production together with the sheer volume of data that many scientists must process combine to make reporting design and nice story-telling an afterthought in too many cases. Although this should preferably not be happening, it is necessary sometimes as presentation deadlines approach and time becomes limited. Add to this work-load some last-minute changes due to either a change in the data, in the analysis, or maybe an error (e.g. copy/paste the wrong column, etc.) you have just been detected…how can we be sure that the latest version of the report is fully up-to-date, and that all the results/conclusions are correct? As the statistical software (e.g. R) is often separated from the reporting tool (e.g. Microsoft Office), it is easy to miss to transfer updated statistical outputs (e.g. values, tables, figures, etc.) to the report, hence creating inconsistencies.
Let’s consider another scenario, in which all the preliminary steps have been successfully done. After a week of analyses and reporting, you present your report to your manager or clients, and they come with a question such as: “Can we deep-dive into the results by looking at a particular group of consumers (e.g. gender split, or cluster split)?” Do you feel like going through the entire process again?
How would you feel if we would tell you that there is a way to build your report while running the analysis, by using the same script file? This means that in few clicks, say after updating the data to analyze (e.g. filter to the target group of consumers only), your report gets automatically re-generated with all the new updated results. Such solution seems ideal since it increases efficiency while reducing errors due to manual processing of results. More importantly, this gain in time and effort allow you designing nicer slides and building a better story.
6.2 Integrating reports within analyses scripts
In this section, let’s integrate our report building process within our data analysis. By doing so, we do not focus on building a story yet. Instead, we improve our way of working by exporting directly all the statistical outputs that could28 be useful for our future story-telling. By doing so, we increase efficiency (especially if code can then be re-used for other studies) by killing two birds with one stone: We simultaneously run our analysis, create usable content for our final presentation, while reducing errors due to manual processing.
Since Microsoft Office is often the tool used for sharing results, we will focus our attention in exporting results to Excel, PowerPoint, and Word.
As usual, let’s start by loading the general package that we would need for our analyses (more specific packages being mentioned later.)
library(tidyverse)
library(here)
library(readxl)Note that in this chapter on automated reporting, some results (tables, figures) that are being created in one of the section may be re-used in subsequent sections. In case you do not read this chapter linearly, you might get errors as you might be calling objects that do not exist yet in your environment. If that should be the case, read through the previous sections to find the code where these elements are being generated, run it, and resume your read.
6.2.1 Excel
Although Excel is not our preferred tool for automated reporting, it is still one of the major ways to access and share data. Most data collection software offer the possibility to export data and results in Excel, while most data analysis software accept Excel format as inputs. With the large use of Excel, it is no surprise that many colleagues and/or clients like to share data and results using spreadsheets. It is even less a surprise that R provides multiple solutions to import/export results from/to Excel.
For importing Excel files, we have already presented the package {readxl} among others (see REF). For exporting results, two complementary packages (yet again, among others!) in terms of ease of use and flexibility in the outcome are proposed: {writexl} and {openxlsx}.
As its name suggests, {writexl} is dedicated to exporting tables to Excel through the write_xlsx() function. Its use is very simple as it only takes as inputs the table (or list of tables)29 to export to the file specified in the path parameter.
Let’s illustrate this by using our biscuits_sensory_profile.xlsx file: Let’s imagine that we would like to reduce our data set by only considering products that are high in Protein:
file_path <- file.path("data", "biscuits_sensory_profile.xlsx")
product_info <- read_xlsx(path=file_path, sheet="Product Info", range="A1:D12", col_names=TRUE)
high_prot <- product_info %>% 
  filter(Protein %in% "High") %>% 
  pull(Product)
high_prot_data <- read_xlsx(path=file_path, sheet="Data") %>% 
  filter(Product %in% high_prot)We then export this data into an excel sheet called export.xlsx that will be contained in our folder called output30:
library(writexl)
write_xlsx(high_prot_data, path="output/export.xlsx", col_names=TRUE)The export of tables using {writexl} is intuitive and easy, yet simplistic as it does not allow formatting the tables (except for some minor possibilities for the header), nor does it allow exporting multiple tables within the same sheet. For more advanced exporting options, the use of {openxlsx} is preferred as it allows more flexibility in structuring and formatting the Excel output.
With {openxlsx}, the procedure starts with creating a workbook object (e.g. wb) using createWorkbook(). We can add worksheets to wb through addWorksheet().
library(openxlsx)## Warning: package 'openxlsx' was built under R version 4.1.3# Create workbook object
wb <- openxlsx::createWorkbook()
# Add a new worksheet
addWorksheet(wb, sheetName = "Mean", gridLines = FALSE)Note that with addWorksheet(), it is possible to control the appearance of the worksheet:
- show/hide grid lines using gridLines;
- color the sheet using tabColour;
- change the zoom on the sheet through zoom;
- show/hide the tab using visible;
- format the worksheet by specifying its size (paperSize) and orientation (orientation).
On a given worksheet, any table can be exported using writeData() or writeDataTable(), which controls where to write the table through the startRow and startCol options.
Let’s imagine we want to compute the sensory profiles of the products, and we want to export that into Excel. Rather then simply exporting the results, we want to customize the output a little bit by applying the Excel style named TabelStyleLight9:
# Creating the Sensory Profiles with some Product Information
p_info <- read_xlsx(file_path, sheet = "Product Info") %>% 
  dplyr::select(-Type)
sensory <- read_xlsx(file_path, sheet="Data") %>% 
  inner_join(p_info, by="Product") %>% 
  relocate(Protein:Fiber, .after=Product)
senso_mean <- sensory %>% 
  pivot_longer(Shiny:Melting, names_to="Attribute", values_to="Score") %>% 
  dplyr::select(-Judge) %>% 
  pivot_wider(names_from=Attribute, values_from=Score, values_fn=mean)
# Exporting the Results to Excel
writeDataTable(wb, sheet="Mean", x=senso_mean, startCol=1, startRow=1, colNames=TRUE, rowNames=FALSE, tableStyle="TableStyleLight9")At any time, you can visualize the Excel file that is being produced without exporting it yet using openXL(). This function comes very handy as it allows you checking that the output looks like what you would wish for.
openXL(wb)As can be seen, writeData() and writeDataTable() give us a lot of control on our export. For instance, we can:
- control where to print the data by using startRowandstartCol(or alternativelyxy:xy = c("B",12)prints the table starting in cell B12), hence allowing exporting multiple tables within the same sheet;
- include the row names and column names through rowNamesandcolNames;
- format the header using headerStyle(incl. color of the text and/or background, font, font size, etc.);
- apply a specific style to our table using tableStyle;
- shape the borders using predefined solutions through borders, or customizing them withborderStyleandborderColour;
- add a filter to the table using withFilter;
- convert missing data to “#N/A” or any other string using keepNAandna.string.
Rather than using some pre-defined formatting as was the case with tableStyle, let’s consider some more advanced options in which we control (almost) everything. Let’s start with setting up the formatting style we would like to apply:
# Pre-define options to control the borders 
options("openxlsx.borderColour" = "#4F80BD")
options("openxlsx.borderStyle" = "thin")
# Automatically set Number formats to 1 value after the decimal
options("openxlsx.numFmt" = "0.0")
# Change the font to Calibri size 10
modifyBaseFont(wb,fontName = "Calibri", fontSize = 10)
# Header Style (blue background, top/bottom borders, text centered/bold)
headSty <- createStyle(fgFill="#DCE6F1", border="TopBottom", halign="center", textDecoration="bold")Note that many more formatting options can be configured through:
- options()to pre-define number formatting, border colors and style, etc.;
- modifyBaseFont()to define the font name and font size;
- freezePane()to freeze the first row and/or column of the table;
- createStyle()to pre-define a style, or- addStyle()to apply the styling to selected cells;
- setColWidths()to control column width;
- conditionalFormatting()to format cells based on pre-defined conditions (see next for an example).
Let’s export again the sensory profiles in a second sheet after applying these formatting options:
addWorksheet(wb, sheetName = "Mean (manual formatting)", gridLines = FALSE)
# Freeze first row and first column
freezePane(wb, sheet=2, firstRow=TRUE, firstCol=TRUE)
# Export the data using writeData
writeData(wb, sheet=2, x=senso_mean, startCol=1, startRow=1, colNames=TRUE, rowNames=FALSE, headerStyle=headSty)You’ll notice that the same table is now presented in a different way (use openXL(wb) to view it).
Let’s now consider a third export of the sensory profiles, with an additional twist: for a given variable (i.e. column), the value is colored in red (resp. blue) if it is higher (resp. lower) than its mean. To do so, we need to use conditional formatting.
Let’s start with creating two pre-defined parameters called pos_style (red) and neg_style (blue) using createStyle()that we will use to color the different cells. Let’s also compute the overall mean per attribute.
# Styles for conditional formatting
pos_style <- createStyle(fontColour = "firebrick3", bgFill = "mistyrose1")
neg_style <- createStyle(fontColour = "navy", bgFill = "lightsteelblue")
# Compute the overall mean
overall_mean <- senso_mean %>% 
  summarize(across(where(is.numeric), mean))Let’s then create a new worksheet in which we print the data of interest:
addWorksheet(wb, sheetName = "Conditional Formatting", gridLines=FALSE)
writeDataTable(wb, sheet=3, x=senso_mean, startCol=1, startRow=1, colNames=TRUE, rowNames=FALSE)Finally, we color the cells according to the rules that was defined earlier. To do so, the decision whether pos_style or neg_style should be used is defined by the rule parameter from the conditionalFormatting()31 function.
# Adding formatting to the second column
for (v in 1:ncol(overall_mean)){
  conditionalFormatting(wb, sheet=3, cols=v+3, rows=1+1:nrow(senso_mean), rule=paste0(">", overall_mean[1,v]), style=pos_style)
  conditionalFormatting(wb, sheet=3, cols=v+3, rows=1+1:nrow(senso_mean), rule=paste0("<", overall_mean[1,v]), style=neg_style)
}Few comments regarding this code:
- We want to run this for each sensory attribute, hence the forloop that goes from 1 to the number of columns stored inoverall_mean(overall_meanonly contains the overall mean scores for the sensory attributes);
- senso_meanhowever contains 3 extra columns:- Product,- Protein, and- Fiberhence the parameter- cols = v + 3;
- We apply the formatting to all the rows except the header, hence rows = 1 + 1:nrow(senso_mean);
- Finally, we apply pos_style(resp.neg_style) if the value is larger (resp. lower) than the overall mean for that attribute usingrule = paste0(">", overall_mean[1,v])(resp.rule = paste0("<", overall_mean[1,v])).
Once the spreadsheet is complete, we export the results using saveWorkbook() by specifying the name of the workbook (wb) and its path through file. In case such workbook already exists, it can be overwritten using overwrite=TRUE.
saveWorkbook(wb, file="output/export2.xlsx")For more information regarding {openxlsx}, please visit (https://rdrr.io/cran/openxlsx/)https://rdrr.io/cran/openxlsx/.
6.2.2 PowerPoint
6.2.2.1 Creating a PowerPoint Deck
Throughout the years, PowerPoint became one of the main supports for presenting results, whether it is in academia, in conference, or in companies. It is hence important to show how reports can be generated in PowerPoint from R. Many solutions exist, however the {officer} package is used here as its application is vast while still remaining easy to use.
{officer}contains a conflicting function with{readxl}inread_xlsx(). To ensure you use the right function, call the function from the package of interest (e.g.readxl::read_xlsx()).]
With {officer}, the procedure starts with creating a PowerPoint object (pptx_obj) using the read_pptx() function.
library(officer)
pptx_obj <- read_pptx() A blank deck is set up with the Office Theme. To use a custom theme and custom slides, a pre-defined deck from PowerPoint software can be used as input. Let’s import the example.pptx template that we created for you:
pptx_obj_custom <- read_pptx(file.path("data", "example.pptx"))The content of the template can be inspected through layout_summary():
pptx_obj %>%
  layout_summary()##              layout       master
## 1       Title Slide Office Theme
## 2 Title and Content Office Theme
## 3    Section Header Office Theme
## 4       Two Content Office Theme
## 5        Comparison Office Theme
## 6        Title Only Office Theme
## 7             Blank Office ThemeAs can be seen by layout_summary(), the default template imported (also called master, which is defined here as Office Theme) proposes 7 types of slides including Title Slide, Title and Content, Section Header, Two Content, Comparison, Title Only, and finally Blank. The example.pptx template has 11 different types of slides, and contains custom master slides called Integral32.
Each of these slides present some pre-defined properties (e.g. a box for text of tables/images, a header etc.). Let’s look at the properties of Title and Content using layout_properties():
pptx_obj %>% 
  layout_properties() %>% 
  filter(name == "Title and Content")##    master_name              name   type id                   ph_label
## 1 Office Theme Title and Content   body  3      Content Placeholder 2
## 2 Office Theme Title and Content     dt  4         Date Placeholder 3
## 3 Office Theme Title and Content    ftr  5       Footer Placeholder 4
## 4 Office Theme Title and Content sldNum  6 Slide Number Placeholder 5
## 5 Office Theme Title and Content  title  2                    Title 1
##                                            ph     offx      offy       cx
## 1                             <p:ph idx="1"/> 0.500000 1.7500000 9.000000
## 2        <p:ph type="dt" sz="half" idx="10"/> 0.500000 6.9513889 2.333333
## 3    <p:ph type="ftr" sz="quarter" idx="11"/> 3.416667 6.9513889 3.166667
## 4 <p:ph type="sldNum" sz="quarter" idx="12"/> 7.166667 6.9513889 2.333333
## 5                        <p:ph type="title"/> 0.500000 0.3003478 9.000000
##          cy rotation                                 fld_id          fld_type
## 1 4.9496533       NA                                   <NA>              <NA>
## 2 0.3993056       NA {E6744CE3-0875-4B69-89C0-6F72D8139561} datetimeFigureOut
## 3 0.3993056       NA                                   <NA>              <NA>
## 4 0.3993056       NA {8DADB20D-508E-4C6D-A9E4-257D5607B0F6}          slidenum
## 5 1.2500000       NA                                   <NA>              <NA>This code provides more details about the elements available in each type of slides, including their identifiers and positions on the slide. This information is required to export content in some specific elements.
Unfortunately,
{officer}does not provide a function similar toopenxlsx::openXL()that allows visualizing the file that is currently being build. Instead, the document needs to be saved on the disk using theprint()function, which takes as entries the PowerPoint file to export (herepptx_obj) and its output location.
6.2.2.2 Adding/Moving/Removing Slides
With {officer}, various actions can be done on the slides. The first logical action consists in adding a new slide to a presentation, in which we will later on export some text, tables, figures, etc. Such action can be done using add_slide(), in which the type of slide and the master33 are informed:
master <- "Office Theme"
pptx_obj <- pptx_obj %>% 
  add_slide(layout = 'Title and Content', master = master)This code adds slide of type Title and Content to your deck.
Additional operations on the slides themselves can be done. In particular, you can re-organize your deck by changing the orders of your slides using move_slide(), delete slides that are no longer needed through remove_slide(), or modify a pre-existing slides by making it active using on_slide() (by default, the last slide created is the active one).
For example, let’s add another slide of type Two Content:
pptx_obj <- pptx_obj %>% 
  add_slide("Two Content", master=master)In case we would want to move this slide to eventually be first, the following code is used:
pptx_obj <- pptx_obj %>% 
  move_slide(index=2, to=1)Ultimately, this slide (now position as first slide) can be removed (by default, index=NULL and the active slide is deleted):
pptx_obj <- pptx_obj %>% 
  remove_slide(index=1)6.2.2.3 Positioning Information on the Slide
On a given slide, any type of content (text, graph, table, etc.) can be exported. To do so, we need to inform where to write what.
As we will see in the next sections, the what can be any R element including simple text, tables, figures, etc. So let’s ignore it for the moment, and let’s focus on where.
To inform where to print elements on the slide, the function ph_with() (ph stands for placeholder) is used. In practice, ph_with() comes with the parameter location, which takes as input a placeholder location object pre-defined by the function ph_location() or one of its derivative, one of the most useful one being ph_location_type(). To do so, simply provide the name stored in the column type from the layout_properties() output presented before, as following:
my_data <- c("My functions are:", "ph_with", "ph_location_type")
pptx_obj <- pptx_obj %>%
  ph_with(value = "My first title", location = ph_location_type(type = "title")) %>% 
  ph_with(value = my_data, location = ph_location_type(type = 'body'))This code adds a title (“My first title”) and the text stored in my_data to the body of the slide (Title and Content) created previously.
Other pre-defined alternatives to ph_location() include:
- ph_location_fullsize()to produce an output that covers the entire slide;
- ph_location_left()and- ph_location_right()to write in the left/right box in Two Content types of slide;
- ph_location_label()is similar to- ph_location_type()except that it uses the label rather than the type.
For a full control of the position where to print your element, ph_location() is used as it allows specifying the exact location (for left/top/width/height, units are expressed in inches):
my_data2 <- "My new text positioned using ph_location()"
pptx_obj <- pptx_obj %>%
  add_slide(layout = "Title and Content", master = master) %>% 
  ph_with(value = my_data2, location = ph_location(left = 2, top = 2, width = 3, height = 1))To visualize the different steps done so far, let’s save the results on our computers in an object called my export.pptx stored in the folder output:
print(pptx_obj, "output/my export.pptx")6.2.2.4 Exporting Text
In the previous section, we already exported text to slides. Let’s go a bit deeper in the process by also showing how to format the text.
By default, each new text item added to a PowerPoint via {officer} is a paragraph object. To further format the paragraph, three main functions are being used:
- fpar()(formatted paragraph) creates the paragraph;
- ftext()(formatted text) allows editing the text before pasting into paragraphs.- ftext()requires a second argument called- propwhich contains the formatting properties;
- block_list()allows us to wrap multiple paragraphs together.
Additionally, the text itself can be formated (font, size, color, etc.) using fp_text(). Let’s go through an example to illustrate the use of these functions:
my_prop <- fp_text(color = "red", font.size = 14) # Formatting option
my_text <- ftext("First Line in Red", prop = my_prop) # First line of text, formatted
my_par <- fpar(my_text) # text into a paragraph
blank_line <- fpar("") # other empty paragraph to introduce an empty line
my_par2 <- fpar("Second Line") # second line of text, unformatted
my_list <- block_list(my_par, blank_line, my_par2) # Final block with the two lines of text separated by the empty line
pptx_obj <- pptx_obj %>%
  add_slide(layout = "Title and Content", master = master) %>% 
  ph_with(value = my_list, location = ph_location_type(type = "body") )Again, if you want to visualize the results, simply print the results as earliere:
print(pptx_obj, target = "output/my export.pptx")This add an additional slide to our previous PowerPoint deck with our formatted text.
Last element of formatting to consider is the hierarchy in bullet points. Let’s add a slide containing three bullet points with a hierarchy so that the 1st and 3rd lines are primary points, and the second line is a secondary point. Such hierarchy is informed using the level_list parameter, which informs the hierarchy of each element:
text1 <- fpar("FIRST SENTENCE")
text2 <- fpar("second sentence")
text3 <- fpar("THIRD SENTENCE")
my_data <- block_list(text1, text2, text3)
pptx_obj <- pptx_obj %>%
  add_slide(layout = "Title and Content", master = master) %>% 
  ph_with(value = my_data, level_list = c(1,2,1), location = ph_location_type(type = 'body'))6.2.2.5 Exporting Tables
After exporting formatted text to slides, let’s export tables.
This can be done by rendering a data frame rather than text as ph_with() accepts it and exports it in a default format. Let’s use a subset of senso_mean34 for illustration:
ft_data <- senso_mean %>%
  dplyr::select(Product, Salty, Sweet, Sour, Bitter) %>% 
  mutate(across(where(is.numeric), round, 2)) 
pptx_obj <- read_pptx() %>%
  add_slide(layout = "Title and Content", master = master) %>%
  ph_with(value = ft_data, location = ph_location_type(type = "body"))Although this solution works fine, it does not allow formatting the table as much as we would want. Instead, we prefer to use another package called {flextable} (see Section 5.3.1 for an introduction) which was developed by the same author as {officer}.
Remember that with {flextable}, the procedure starts with creating a flextable object (here ft_table) using the flextable() function.
library(flextable)
ft_table <- ft_data %>% 
  arrange(Product) %>% 
  flextable()This table can be customized in various ways such as:
- align()and- rotate()controls for the text alignment and its rotation;
- bold()and- italic()writes the text in bold or italic;
- font()and- fontsize()controls the font type and the size to use;
- color()and- bg()allows changing the color of the text and of the background.
All these functions require informing the rows (parameter i) and the columns (j) as well as the part ("body", "header", "footer", or "all") to modify.
Additionally, further formatting can be applied to the table itself through the following functions:
- height()&- width()control for the row height and column width;
- border_outer(),- border_inner(),- border_inner_h()&- border_inner_v()help design the table by adding borders;
- autofit()and- padding()are used to control the final size of the table.
For illustration, let’s apply some of these functions to ft_table:
ft_table <- ft_table %>% 
  fontsize(size = 11) %>%
  # Formatting the header
  font(fontname = "Roboto", part = "header") %>%
  color(color = "white", part = "header") %>%
  bold(part = "header") %>%
  align(align = "center", part = "header") %>%
  bg(bg = "#324C63", part = "header") %>%
  # Formatting the body
  font(fontname = "Calibri", part = "body") %>% 
  bg(i = 1:nrow(ft_data), bg = "#EDEDED") %>% 
  # Formatting the last row of the table
  bold(i = nrow(ft_data), j = 1:ncol(ft_data)) %>% 
  italic(i = nrow(ft_data), j = ~Product + Salty + Sweet + Sour + Bitter) %>%
  color(i =  nrow(ft_data), j = ~Sour, color = "red") %>%
  color(i =  nrow(ft_data), j = ~Sweet, color = "orange") %>% 
  autofit()
# Set up the border style
my_border <- fp_border(color = "black", style = "solid", width = 1)
ft_table <- ft_table %>%
  border_outer(part = "all", border = my_border) %>%
  border_inner(part = "body", border = fp_border(style = "dashed")) %>% 
  width(j = 1, width = 1.2)This is just an overview of the most relevant and used functions in {flextable}, yet there are more possibilities.
To go further, you can also consider the following functions (among many more):
- merge()merges vertically or horizontally cells with the same content;
- compose(),- as_chunk(), and- as_paragraph()works hands in hands to create more complex text formatting (e.g. sentence with parts of the text colored differently, or with sub/superscript);
- style()applies a set of formatting properties to the same selection of the rows/columns.
Finally, to export a flextable table to a PowerPoint deck, simply export it as we have seen before:
pptx_obj <- pptx_obj %>%
  add_slide(layout = "Title and Content", master = master) %>%
  ph_with(value = ft_table, ph_location(left = 2, top = 2, width = 4))6.2.2.6 Exporting Plots
The last type of R outputs to export to PowerPoint are figures. Before showing how to export them, let’s build a simple bar chart from senso_mean using {ggplot2}:
chart_to_export <- senso_mean %>%
  dplyr::select(Product, Salty, Sweet, Sour, Bitter) %>% 
  arrange(Product) %>% 
  pivot_longer(Salty:Bitter, names_to = 'Attribute', values_to = 'Value') %>% 
  ggplot(aes(x = Product, y = Value, fill = Attribute)) + 
  geom_col(position = 'dodge')+
  xlab("")+
  theme_bw()To export any ggplot2 object to PowerPoint, the package {rvg} is required.
This package provides two graphics devices that produces Vector Graphics outputs in DrawingML format for Microsoft PowerPoint with dml_pptx() and for Microsoft Excel with dml_xlsx(), meaninFg the the graphics is being ‘rebuilt’ in PowerPoint or Word. To simplify, the generic dml() function is used, and depending on the output format, the corresponding function is being called.
library(rvg)
pptx_obj <- pptx_obj %>%
  add_slide(layout = "Title and Content", master = master) %>%
  ph_with(value = dml(ggobj = chart_to_export), location = ph_location_type(type = 'body'))## Warning: package 'gdtools' was built under R version 4.1.3With {rvg}, the graphics are being rebuilt in PowerPoint, meaning that they are completely editable. It is hence possible to change color, re-write text, move labels, etc.
To go further, the {mschart} package creates the graphs directly in PowerPoint or Word. These graphics have then the advantage to be interactive. However, this package is only limited to simple graphics (such as line chart, bar charts, etc.)
To produce such interact graphs, ggplot2 graphs are not needed. Instead, functions such as ms_barchart() are called to produce them.
library(mschart)
mydata <- senso_mean %>%
  dplyr::select(Product, Salty, Sweet, Sour, Bitter) %>% 
  arrange(Product) %>% 
  pivot_longer(Salty:Bitter, names_to = 'Attribute', values_to = 'Value')
# Building the barchart using ms_barchart()
my_barchart <- ms_barchart(data=mydata, x="Product", y="Value", group="Attribute")
# The chart is a PowerPoint native object and can be viewed using the preview option in print
print(my_barchart, preview = TRUE)## * "ms_barchart" object
## 
## * original data [44,3] (sample):
##   Product Attribute     Value
## 1     P01     Salty  5.100000
## 2     P01     Sweet 22.200000
## 3     P01      Sour  0.000000
## 4     P01    Bitter  8.000000
## 5     P02     Salty  2.933333
## 
## * series data [11,5] (sample):
##   Product   Bitter    Salty Sour Sweet
## 1     P01 8.000000 5.100000    0  22.2
## 2     P02 4.933333 2.933333    0  15.8
## 3     P03 7.800000 4.666667    0  10.4
## 4     P04 4.266667 3.600000    0  16.6
## 5     P05 6.733333 5.866667    3  21.0# To add the object to a PowerPoint slide we can use the officer's native ph_with() function
pptx_obj <- pptx_obj %>%
  add_slide(layout = "Title and Content", master = "Office Theme") %>%
  ph_with(value = my_barchart, location = ph_location_type(type = "body"))Now the full deck is being created, let’s save in one last time using print():
print(pptx_obj, target = "output/my export.pptx")If you open the PowerPoint just exported, on the final slide, you’ll find the barchart generated by {mschart}. By clicking the graph, you’ll find a ‘funnel’ icon on the right side, which allows you filter attributes or products, hence making your graph interactive.
At last, {officer} also allows you adding images that are stored on your computer into a PowerPoint deck. This can be done through the external_img() function, which takes as input the location of the file. Like for any other graph, simply apply this function within ph_with() by specifying the location where to print the image.
6.2.3 Word
The process for building Word document directly from R is very similar to the one for PowerPoint, since it is also handled though {officer}.
To start a new Word document, the read_docx() function is being used. Since Word documents are more text oriented than PowerPoint, blocks of text are defined as paragraph. To introduce a new paragraph, the body_add_par() function is called. Note that paragraphs are automatically separated by line breaks:
docx_obj <- read_docx() %>% 
  body_add_par(value = "My Text", style = "Normal") %>%
  body_add_par(value = "Other Text", style = "Normal") %>% 
  body_add_par(value = "Conclusion", style = "Normal")Here again, the results can be exported to your computer using print():
print(docx_obj, target = "output/my export.docx")Of course, it is not required to use the default formatting options from the word document in use. Instead, we can format it directly from R using body_add_fpar() to add a formatted text paragraph, or apply pre-defined styles to the previous function suggested (as is the case here with style = "heading 1" to set the text as a title of level 1).
my_format <- fp_text(font.family = 'Calibri', font.size = 14, bold = TRUE, color = 'blue')
my_text <- ftext('Here is another example of text', my_format)
my_par <- fpar(my_text)
docx_obj <- read_docx() %>% 
  body_add_par(value = "Document Title", style = "heading 1") %>% 
  body_add_par(value = "", style = "Normal") %>% 
  body_add_fpar(my_par, style = "Normal")To export tables or figures, additional functions including body_add_table() (for tables) and body_add_gg()35) (for ggplot() figures) are used. These can be combined to body_add_caption() to add a caption to your table/figure:
table_num <- run_autonum(seq_id = "tab", pre_label = "Table ", bkm = "tables")
figure_num <- run_autonum(seq_id = "fig", pre_label = "Figure ", bkm = "figures")
docx_obj <- docx_obj %>% 
  body_add_par(value = "Exporting Tables", style = "heading 2") %>% 
  body_add_par(value = "", style = "Normal") %>% 
  body_add_par(value = "Here is my first table:", style = "Normal") %>% 
  body_add_par(value = "", style = "Normal") %>% 
  body_add_table(value = head(mtcars)[,1:4], style = "table_template") %>% 
  body_add_caption(block_caption("My first table.", style="centered", autonum=table_num)) %>% 
  body_add_par(value = "Exporting Figures", style = "heading 2") %>% 
  body_add_par(value = "", style = "Normal") %>% 
  body_add_par(value = "Here is my first figure:", style = "Normal") %>% 
  body_add_par(value = "", style = "Normal") %>% 
  body_add_gg(value = chart_to_export) %>% 
  body_add_caption(block_caption("My first figure.", style="centered", autonum=figure_num))As can be seen, body_add_caption() is combined to block_caption(), and can have some automated numbering, as defined previously using table_num for tables, and figure_num for figures.
Unlike a PowerPoint file that contains separate slides, a word document is a continuous object. Hence, to emphasize a break and add content to a new page, body_add_break() needs to be called. Additionally, tables of content can be generated using body_add_toc():
docx_obj <- docx_obj %>% 
  body_add_break() %>% 
  body_add_par(value = "Conclusion", style = "heading 1") %>% 
  body_add_break() %>%
  body_add_par("Table of Contents", style = "heading 1") %>% 
  body_add_toc(level = 2)Finally, let’s export the final version of the word document to visualize it:
print(docx_obj, target = "output/my export.docx")As can be seen, it is possible to format a nice report in Word directly from R, that integrates text, tables, figures and more. For more information regarding {officer}, and on how to export results to Word and PowerPoint, please visit (https://ardata-fr.github.io/officeverse/index.html)https://ardata-fr.github.io/officeverse/index.html.
It is worth mentioning that
{officer}also allows extracting information from existing reports (Word and PowerPoint). It is however outside the scope of this book and will not be further described.
6.2.4 Notes on applying corporate branding
You may have noticed that we have been consistent with our approach to export results to reports, regardless of the final output: We start with pre-defining our styling parameters that we then apply to our different tables, slides, paragraphs, etc. This is not a formal rule, yet we strongly recommend you adopting this way of working. Indeed, by creating your different styling parameters at the start of your script file, these lines of code do not interfere with your analyses. At a later stage, you will thank yourself for keeping well-structured code as it gains in clarity, and hence facilitates debugging your code in case of error or changes.
To go one step further, we would recommend you storing all these styling parameters in a separate file you load any time you need them through source(). This process reduces the size of your script file, hence increasing its clarity, while harmonizing all your exports by centralizing your formatting code in one unique place. The last point is crucial since any changes only need to be done once, and yet will be applied to all your reports.
As we have seen, {officer} gives you the opportunity to import pre-defined templates (PowerPoint or Word). This is very valuable as your report can easily match your corporate style.
Ultimately, to ensure optimal efficiency, we advise you to spend a bit more time when constructing your report by ensuring that as many details are being taken care of, so that later on, you can spend more time in the story building part and less on the analysis and slide generation. For instance, don’t be afraid of mass-exporting results, as it is easier to remove slides, tables, or figures (in case they are not needed for your story) then it is to re-generate them at a later stage (if missing).
6.3 Integrating analyses scripts within your reporting tool
As we have just seen, we can generate reports in the Microsoft Office suit directly from our R script. Although the results are being showed, the script used to reach these results is completely hidden. Of course, we could add them as text, but the logic would suggest that the researcher can just get back to the script to decode how certain outputs have been obtained.
Let’s now change our way of thinking by proposing an alternative in which we integrate our R analysis directly within a reporting tool. For that, we need to introduce another useful package for reporting and document building: {rmarkdown}.
6.3.1 What is {rmarkdown}
Markdown is an ecosystem specific to text document, in which authors script their reports by controlling various features including:
- paragraphs and inline formatting (e.g. bold, italic, etc.)
- (section) headers
- blocks (code, or quotations)
- (un)numbered lists
- horizontal rules
- tables and figures (including legends)
- LaTeX math expressions, formulas, and theorems
- links, citations, and footnotes
Limiting the creation of Markdown document to this list of elements is more an advantage than a drawback as it suffice to create technical and non-technical documents while still keeping it simple.
In practice, R Markdown provides an authoring framework for data science, as it can be use for saving/documenting/executing code and generating high quality reports. Once the document is being created, you can then compile it to build it in the output format of your choice (e.g. word, pdf, html, etc.)
6.3.2 Starting with {rmarkdown}
To start, you need to install the {rmarkdown} package using the install.packages() function. To load this package, just type library(rmarkdown). If you intend to build your report in pdf, you also need to install a LaTeX library. For its simplicity, we recommend you installing the TinyTeX library using install.packages("tinytex").
Let’s start with a simple example that is provided by RStudio. To start a RMarkdown document, click File > New File > R Markdown… This opens a new window in which you can inform the name of your file, the author name, and the type of report to create (HTML, PDF, or Word). Once set, click OK. A new script file of type .Rmd opens.
In this document, there are three components: metadata, text, and code.
The document starts with the metadata. It is easily recognizable as it starts and ends with 3 successive dashes (---), and its syntax is YAML (YAML Ain’t Markup Language). In this part, information regarding the properties of the final document is being stored. This includes (amongst other) the title, authorship, date, export format, etc. of the final document.
Be aware that indentation matters in YAML, so follow the rules to ensure that your document compiles correctly.
Right after the metadata is the body of document. The syntax for the text is Markdown, and the main features will be presented in the next section. Within the body, computer code can be added, either as a chunk, or within the text.
6.3.3 {rmarkdown} through a Simple Example
To illustrate the use of {rmarkdown}, let’s consider this simple document (inspired from REF):
The top of the document contains the metadata, which (in our case) will generate the report in an HTML document.
Next, we have a first chunk of code that sets the main options on how the code should be handled. If all the code chunks are handled in the same way, it is handy to set it at the start. However, when different chunks of code should be handled differently, it may be easier to define for each section how it should be handled.
There are mainly four ways to handle code.
The first way is defined here on the code chunk header as include = FALSE36: include always run the code, yet it allows printing (include = TRUE) or not (include = FALSE) the code and its outputs in the final document.
The second option is echo. In this code chunk, we automatically set that all the code chunk should be defined as echo = TRUE, which means that the code will run and be printed (together with its output) in the document. This seems very similar to include, yet it differs from it as echo = FALSE runs the code, prints the outputs, but not the code.
If you only want to show some code without running it, the eval parameter is used (eval = FALSE means that the code will be displayed but will not run). This is useful for displaying example code, or for disabling large or time-consuming chunk of codes without having to set it up as comment.
Last, we can control whether outputs should be shown or hidden using results (printed output) and fig.show (plots). By default, the results are shown, unless it is set as results = "hide" or fig.show = "hide".
The document then continues with a section header, which starts with #. The hierarchy of headers is defined by the number of adjacent # (for a header of level 3, starts the header with ###).
In this section, a first paragraph is being written. This is plain text, except for two particular words, one written between two “`” (backticks), and one written between 2 double “*” (stars). Here, the backticks are used to write text in R font (or as we will see later, to render results from R), whereas the double stars write the text in bold (double "_" (underscore) could also be used). For italic, one single star (or one single underscore) are used.
If the following section and sub-section, we introduce numbered and unnumbered list of elements. For numbered list, starts with a number followed by a . (numbers will be incremented automatically). For unnumbered list, you can either start with a “-” (dash), or with “*” (star) for bullet points. For sub-list, indent your marker by pressing the Tab key.
In the next section called Analysis, we are running our first lines of code.
The first code chunk runs a regression model. In the text under the second chunk of code, we are retrieving automatically a value from R by including a r at the starts of two backticks followed by the element to retrieve. In our final report, this code will automatically be replaced by the value 3.93.
The second code chunk shows how the results can be printed, either directly from R, or in a nicer way using the knitr::kable() function.
Finally, the last code chunk of this section creates a plot with a caption, that is automatically numbered.
6.3.4 Creating a document using {knitr}
Once the document is ready, you can neat it using the knit button. This will create the report in the format of interest (here HTML).
6.3.5 Example of applications
{rmarkdown} is a very powerful tool for building report, in particular in the context of reproducible research since it allows sharing code, and running analyses within the report (part of the text around the code can justify the decisions made in terms of analyses to ensure transparency). The latter point is particularly interesting since any change in the data will automatically provide updated results throughout the report, without you having to change them manually.
Its application is various, and can go from report, to teaching material, publication or even books (this book has been written in {rmarkdown} and its extension {bookdown}), emails, websites, dashboards, surveys etc. Even more interestingly, {rmarkdown} can also be combined to {shiny} to build interactive reports, dashboards, or teaching materials in which users would (say) import their data set, select the variables to analyze through buttons, chose which analyses and which options to perform, and the results will automatically be generated accordingly.
For more information on {rmarkdown} and related packages, please see:
* (https://bookdown.org/yihui/bookdown/)https://bookdown.org/yihui/bookdown/
* (https://bookdown.org/yihui/rmarkdown-cookbook/)https://bookdown.org/yihui/rmarkdown-cookbook/
* (https://bookdown.org/yihui/rmarkdown/)https://bookdown.org/yihui/rmarkdown/
As mentioned earlier, R Markdown can also be used to generate other types of documents, including presentations. This can be done directly from the {rmarkdown} package using ioslides presentation (output: ioslides_presentation in the metadata), Slidy presentation (output: slidy_presentation), or PowerPoint presentation (output: powerpoint_presentation with reference_doc: my-styles.pptx to apply your own template) just to name a few. It can also be done using additional packages such as {xarigan}.
6.4 To go further…
If R allows you saving time by creating your report within your R-script, or by running your analysis within your report document, it cannot communicate the presentation to your partners/clients for you. However, if the report is very standard (say only key results, tables or figures), or running routinely (say in quality control), R could automatically run the analysis as soon as new data is available, build the report, and send it automatically to you, your manager or your colleagues and partners by email.
Such process can be done thanks to the {blastula} package (see REF).
- We say could as we are in a process of mass-exportation of results, most of them being used for building the story although they may not be kept in the final deck.↩︎ 
- List of tables will generate multiple sheets within the same spreadsheet, one table being placed in each sheet.↩︎ 
- If the output folder does not exist, this code will return an error so make sure to create one.↩︎ 
- In - conditionalFormatting(), you can specify to which- rowsand- colsthe formatting applies.↩︎
- It is out of the scope of this book to describe how to build your own custom master slides. However, a quick internet search will provide you with all the information that you would need.↩︎ 
- In practice, a unique template can contain slides from different masters.↩︎ 
- Note that - body_add_img()and- body_add_plot()can also be used.↩︎
- When set manually, this is where you should indicate how to handle each chunk of code↩︎