Climate change is a defining issue of our time, and we are at a defining moment to tackle this gargantuan problem. A major step is to introspect and examine our energy consumption and production habits, and how they change over time.
We chose this energy consumption data set for various reasons. First, the data set covers most countries’ energy consumption usage since the early 20th century, with detailed and deciphered types of energy sources and other information. We can employ time-series data and spatial data in a way that visualizations of these types are informative. Furthermore, despite the data set contains data over the span of the century, new variables such as various renewable energy sources and the subsequent percentage changes are included. Additionally, the data set contains GDP and population, which are useful addition to the variables that control for our research. Given the above mentioned features of the data set, we are able to explore geo-spatial distribution of various energy sources, aggregate global energy composition and regional composition shifts, time-series for such shifts. Additionally, we can dissect the interplay between various energy sources (i.e. the substitution effect among them), as well as the associations between energy consumption and variables such as population and GDP.
Global energy consumption is an important and fascinating topic because the energy sources contained in the data set are just as essential to our existence and well-being as other essential elements of life. More importantly, energy consumption is one of the main channels to the climate crisis. The rapid industrialization and global consumerism boost up energy consumption, depleting the planet through extracting various unsustainable energy sources. Fortunately, the recent technological breakthroughs and green revolution enabled the discovery of new energy sources. The data set captures the introduction of new energy sources on country level along with the aggregate trend towards more sustainable energy sources. Our objectives are to discern the broader trends and lay out the associations between energy consumption.
The Data set we are using is “World Energy Consumption” from Kaggle. The website we obtained this data set from is World Energy Consumption (2021). This data set is a “collection of key metrics maintained by Hannah Ritchie (2020). It is updated regularly and includes data on energy consumption (primary energy, per capita levels, and growth rates), energy mix, electricity mix and other relevant metrics.” The energy consumption data is “sourced from a combination of two sources—the BP Statistical Review of World Energy and SHIFT Data Portal”. The electricity consumption data is “sourced from a combination of two sources—the BP Statistical Review of World Energy and EMBER – Global Electricity Dashboard”, and other data is taken from “United Nations, World Bank, Gapminder, Maddison Project Database, etc.”
Each row of this data set represents the energy status of a specific country at a specific year, ranging from 1900-2019, so it is a rather updated data set. For each row, there are 122 columns (some are unavailable due to the lack of data collection in the early 1900s) of data on energy usage, energy production (split into different columns based on the type of energy), electricity usage, and electricity production, as well as other columns we have not yet analyzed.
There are too many columns to give a detailed description of each column, so we will choose a few key ones:
Variable | Description |
---|---|
iso_code | ISO3 code for each country |
country | Name of each country |
year | year of data collected |
electricity_demand | Electricity demand, measured in terawatt-hours |
electricity_generation | Electricity generation, measured in terawatt-hours |
population | Population of country |
gdp | Total real gross domestic product, inflation-adjusted |
fossilconschange_twh | Annual change in fossil fuel consumption, measured in terawatt-hours |
carbon_intensity_elec | Carbon intensity of electricity production, measured in grams of carbon dioxide emitted per kilowatt-hour |
Detailed descriptions for each column can be found at the codebook: World Energy Consumption (2021)
We aim to explore the relationship between fossil fuels and renewable energy sources. This data set provides access to multiple different variables related to those energy sources, but they are only available for country level. However, the data set does have a “World” category so we took advantage of that.
The data was filtered to only keep data points with ISO code =
OWID_WRL, followed by a pivot_longer
to put the column
names for fossil shares and renewable shares under a new category, type,
that would be easier to use for ggplot. A ggplot to show the time series
of fossil fuel shares and renewable energy shares in the world is
presented.
fuel_world_ts <- df %>% filter(iso_code == "OWID_WRL") %>% #filter for summarized world data
select(year, iso_code, country, fossil_share_energy, renewables_share_energy,
fossil_fuel_consumption, renewables_consumption
) %>% #removing unnecessary columns
group_by(year) %>%
rename("fossil share" = "fossil_share_energy",
"renewables share" = "renewables_share_energy") %>% #making it look better for ggplot
pivot_longer(cols = c("fossil share", "renewables share"),
names_to = "type",
values_to = "share")
ggplot(fuel_world_ts, aes(x = year, y = share, color = type
)) +
geom_line() +
theme(legend.position="bottom") +
facet_wrap(~type, scale = "free_y") +
xlim(1970, 2020) +
labs(title = "Shares in fossil fuels vs renewable energy consumed by world")
The trend of the above plot is that fossil fuel shares are going down, while renewable energy shares are going up. What about actual change in consumption? To answer this question, the percent change of fossil fuel and renewable use were plotted using the same data wrangling steps as the shares plot.
fuel_pct <- df %>% filter(iso_code == "OWID_WRL") %>%
select(year, iso_code, country, fossil_cons_change_pct, renewables_cons_change_pct
) %>%
group_by(year) %>%
rename("fossil consumption" = "fossil_cons_change_pct",
"renewables consumption" = "renewables_cons_change_pct") %>%
pivot_longer(cols = c("fossil consumption", "renewables consumption",
),
names_to = "type",
values_to = "percentage")
ggplot(fuel_pct, aes(x = year, y = percentage, color = type
)) +
geom_line() +
geom_point(size = 0.5) +
theme(legend.position="bottom") +
#facet_wrap(~type, scale = "free_y") +
xlim(1970, 2020) +
geom_hline(yintercept=0, linetype="dashed") +
labs(title = "Annual percent change of fossil fuels vs renewables consumption in world",
y = "percent change"
)
This plot indicates that generally, both fossil fuel and renewables increase in consumption every year (positive percent change). This likely because each year more energy is used, so even if the shares of fossil fuels fall, that doesn’t necessarily mean the real amount consumed has fallen. However, it is also evident in this plot that the percent change of renewable energy consumption has been consistently greater than fossil fuels for the past 15 years, which is a promising trend.
To see what was happening to the share of fossil fuels at the level of individual countries, U.S., China, India, and Norway were compared against the world in an animation showing the share of fossil fuels from 1970 - 2019.
ratio_ff_rnw <- df %>% #filter(iso_code != "") %>%
select(year, iso_code, country, fossil_share_energy, renewables_share_energy) %>%
drop_na() %>% group_by(year, country) %>%
mutate(fossil_ratio = #variable for ratio between renewable and fossil
(fossil_share_energy/(fossil_share_energy+renewables_share_energy)),
renewables_ratio =
(renewables_share_energy/(fossil_share_energy+renewables_share_energy))) %>%
pivot_longer(cols = c(fossil_ratio, renewables_ratio),
names_to = "type",
values_to = "ratio")
#choosing countries to sample
sample <- filter(ratio_ff_rnw, #year == "2010",
country %in% c("World", "United States", "China",
"Norway", "Uruguay", "Bangladesh",
"Canada", "South Africa", "India")
) %>%
filter(type == "fossil_ratio") %>%
filter(year > 1970)
#for animation
p <- ggplot(sample,
aes(x = country, y = ratio, fill = country)) +
geom_col() +
scale_x_discrete(limits = c("World", "China", "United States", "India",
"Norway")) +
transition_states(year, transition_length=0.3, state_length=10) +
#ease_aes('sine-in-out') +
theme(legend.position="none") +
labs(title = 'Share of fossil fuels for year: {closest_state}',
y = "fossil fuel share")
animate(p)
An interesting observation is that for India, the share of fossil fuels is increasing. This is likely related to their economic development. Norway has some more prominent fluctuations year to year, but very obviously has the lowest fossil fuel use. For the other countries, the ratio of fossil fuels follows the world’s trend in generally declining as time progresses forward, which is best observed from 2010-2019.
To see if there was a relationship between the GDP of a country and
its renewable energy usage, data from GDP Per Capita World Bank Data (2020) for per
capita was combined with the World Energy Consumption (2021) data. This
involved left_join
-ing the data frames by ISO code. A plot
of GDP per capita and renewable energy consumption per capita was
transformed so that both x and y scales would be logarithmic. A linear
regression was modeled for the data.
gdp_per_capita <- read_csv("GDP_per_capita.csv",
skip = 3) #importing dataset from World Bank
gdp_vs_renewable <- df %>% filter(iso_code != "") %>%
select(country,
year,
iso_code,
gdp,
renewables_elec_per_capita,
renewables_energy_per_capita
) %>%
filter(year == "2016") #selecting for data from the year of 2016
gdp_pc_2016 <- gdp_per_capita %>% select("Country Code", "2016") %>%
rename("gpc_2016" = "2016", "iso_code" = "Country Code") #modifying column names for joining
gdp_vs_renewable_2 <- gdp_vs_renewable %>% left_join(gdp_pc_2016, by ="iso_code") #join
ggplot(gdp_vs_renewable_2, aes(x = renewables_energy_per_capita, y = gpc_2016)) +
geom_point() +
#xlim(0, 40000) +
#ylim(0, 60000) +
scale_y_log10() +
scale_x_log10() +
geom_smooth(method = "lm", se = FALSE) +
labs(title = "GDP per capita vs renewable energy per capita of countries in 2016
(log scale)",
y = "gdp per capita",
x ="renewable energy per capita")
lmgdp <- lm(gpc_2016~renewables_energy_per_capita, data = gdp_vs_renewable_2) #linear regression
#summary(lmgdp)
The result of the lm
on GDP per capita and renewable
energy consumption per capita was y = 0.479 x + 20710. The R squared
value of this simple linear regression model is 0.1389, indicating that
this model could be significantly improved. There may be other variables
that could also be considered, such as geographical access to renewable
resources. However, it should also be noted that the p value is 0.0005,
indicating that the null (GDP per capita and renewable enrgy per capita
are not related) can be rejected.
One of the most interesting columns in the data set is the carbon intensity of energy production for countries. This is one of the main intersections between energy production and the pollution it creates. This investigation is rather new and the data is difficult to collect, so the data is only available for the years 2000-2020 in 28 countries in the EU. We will examine this data in respect to time, as well as other variables such as population and GDP.
We first did some data wrangling to get the necessary data. We wanted to use GDP per capita as a possible variable, specifically to classify different countries and see how carbon intensity changes based on this classification. It would be counterproductive if the classifications change over time, so we decided to use the midpoint year 2010 to calculate GDP per capita for our classifications.
# selecting important columns for investigation: country identification, year, and carbon intensity
df_intensity <- df %>%
select(iso_code, country, year, carbon_intensity_elec) %>%
drop_na()
# seperating countries into quartiles on their gdp per capita in 2010
df_gdpcalc <- df %>%
filter(year == 2010) %>%
select(iso_code, gdp, population, carbon_intensity_elec) %>%
drop_na() %>%
mutate(gdppercap = gdp / population) %>%
# gdpcut is the seperation into 4 sections
mutate(gdpcut = as.numeric(cut_number(gdppercap, 4))) %>%
# including iso_code to join properly
select(iso_code, gdpcut)
# joining the actual data set with the categories
df_intensity <- df_intensity %>%
left_join(df_gdpcalc)
# finding the mean carbon intensity for each year for each GDP per capita quantile
df_intensity_cut <- df_intensity %>%
group_by(gdpcut, year) %>%
summarise(meanelec = mean(carbon_intensity_elec))
We first compare carbon intensity with GDP per capita, split into quartiles of 7 countries. We have two graphs to show this relationship, one which considers the mean of the quartiles, and one that shows all the countries and their time series graphs faceted by their GDP per capita quartile.
# faceted graph based on GDP per capita quartile
ggplot(df_intensity, aes(x = year, y = carbon_intensity_elec, color = country)) +
geom_point() +
geom_line() +
facet_wrap(~gdpcut) +
scale_colour_discrete() +
labs(x = "Year",
y = "Carbon Intensity of Electricity Production",
title= "Carbon Intensity of Electricity Production Faceted by GDP per Capita Quartiles",
color = "Country")
# mean carbon intensity for each quartile
ggplot(df_intensity_cut, aes(x = year, y = meanelec, color = factor(gdpcut))) +
geom_point() +
geom_line() +
scale_color_manual(values = c('#bdc9e1','#74a9cf','#2b8cbe','#045a8d')) +
labs(x = "Year",
y = "Mean Carbon Intensity for Energy Production",
title = "Mean Carbon Intensity for GDP per capita Quartiles between 2000 and 2020",
color = "GDP per capita Quartile")
It seems there is a general decrease in carbon intenstity as time goes on, and that carbon intensity is the lowest in the most wealthy quartile with higher GDP per capita. From the second graph, we can see that there is a larger decrease in carbon intensity for the lowest GDP per capita quartile, suggesting some form of catchup effect that allows countries with high carbon intensity of energy production to catch up to countries with lower intensity, and overall, the countries in the EU are shifting towards less carbon intensive energy sources, possibly due to the recent technological advancement in clean energy and the subsequent drop in costs.
We also used mapped them out specially to find a relationship between geographical position and carbon intensity. We have the following GIF.
# put the png files together in a gif
png_files <- list.files(getwd(), pattern = "*.png")
gifski(png_files, gif_file = "animation.gif", width = 800, height = 600, delay = 0.5)
[1] "C:\\Users\\ajavq\\Google Drive\\Documents\\rc-aa\\courses\\math241-spring2022\\projects\\final-reports\\final-report-11\\animation.gif"
knitr::include_graphics("animation.gif")
We still see a general decrease of carbon intensity as time goes on. There is a consistent but slow decrease of carbon intensity in Western Europe, but a few countries in Central and Eastern Europe such as Greece and Estonia had very significant decreases in carbon intensity.
For the countries in Western Europe which generally have high GDP per capita, a possible reason is the consistent improvement of technology and renewable energy that creates this consistent decrease. For countries such as Poland with significant decreases of carbon intensity, this can be attributed to strong government policy to wane off high carbon intensity means of producing electricity such as burning coal, which allows Poland to lower carbon intensity by a big factor in just 20 years.
Research and Development (R&D) and Renewable Energy Adaption:
We use Research and Development (r&d) - Researchers - OECD Data (2019) investment and look at it in comparison to renewable energy, attempting to discern trends of association to investigate what are some political and economic variables that shape how each country adapts to renewable energy production and consumption.
df_RD <- read.csv("OECD_data_Research_and_development.csv")
We are focusing on the most recent trend between R&D investment (as a share of GDP) and the share of renewable energy, thus only looking at the most recent available data which is the year of 2019. Renewable energy per capita is a variable that showcase how each citizen’s environmental footprint is based on renewable energy sources and thus causing less negative environmental externality. The assumption is that regions with higher share and presence of renewable energy especially at per capita level do not exhibit such feature out of vacuums. National-level Research and Development should be highly correlated to how innovative a country is, and environmental innovation should be a significant share of the technological advance.
RD_renewable <- df_RD %>% left_join(df, by=c("LOCATION"="iso_code", "TIME"="year"))
RD_renewable <- RD_renewable %>%
rename("RD_prct_GDP" = "Value") %>%
select(LOCATION, RD_prct_GDP, TIME, gdp, country, renewables_share_energy,renewables_energy_per_capita) %>%
filter(TIME=="2019")
ggplot(data=RD_renewable, aes(y=RD_prct_GDP,
x=log(renewables_energy_per_capita),
size=renewables_share_energy
))+
geom_point(alpha=0.8)+
geom_smooth(method = "lm", se = FALSE)+
labs(x="R&D as a share of GDP",
y="Renewable energy per capita in log scale",
size="Renewable energy as a share of overall energy",
titles="The association between R&D and renewable energy per capita in usage")
From this linear-log graph between R&D as a share of GDP and renewable energy per capita, we observe at least a positive association, where countries with high R&D as a share of GDP tend to have a higher renewable energy per capita.
Here we look at data: Environmental Policy - Patents on Environment Technologies - OECD Data (2019), and its impact on incentivizing renewable energy production in country level.
df_patents <- read.csv("Patents_on_environment_technologies.csv")
“Inventors seek protection for their inventions in countries where they expect to invest, export or otherwise market their products. Often they do so in multiple jurisdictions (geographic markets). Patent data present a number of attractive properties compared to other alternative metrics of innovation”. —OECD Data
patents_renewable <- df_patents %>% left_join(df, by=c("LOCATION"="iso_code", "TIME"="year"))
patents_renewable <- patents_renewable %>%
rename("greentech_protect_index" = "Value") %>%
select(LOCATION, greentech_protect_index, TIME, gdp, country, renewables_share_energy) %>%
filter(TIME=="2019")
ggplot(data=patents_renewable, aes(x=log(greentech_protect_index),
y=log(renewables_share_energy)))+
geom_point(alpha=0.8)+
geom_smooth(method = "lm", se = FALSE)+
labs(x="Patents in environment-related technologies: Technology indicators, log scale",
y="Share of renewable energy, log scale",
titles="The association between Environmental patent protection and the share of renewable energy on natinoal level")
Based on on the log-log scatter plot between technology indicators—patents in environment-related technologies and share of renewable energy for each country in the OECD, we see that there appears to be a negative association between the two variables—more patent protection leads to less hsare of renewable energy. This is counter-intuitive since we would reasonably assume in countries with high intellectual property rights (patent protection on environmental technologies) will incentive private sectors to invest into renewable energy and thereby increasing the share of renewable energy in the country.
What we observe here is that in areas with high patent protection on environmental-related technologies, there appears to have smaller share of renewable energy as a share of overall energy consumption. One potential explanation for such trend is that perhaps, less protected markets incentive small energy production players to produce clean energy by imitating other existing technologies without investing in R&D costs at the first place.
We chose the topic at the first place because of the importance and urgency of academic research on energy consumption and production which is the main factor that contributed to climate crisis.
There are several key takeaways that can be useful for further academic research and increasing the public’s knowledge on such topic. First of all, there is a promising trend that the percent change of renewable energy consumption has been consistently greater than fossil fuels for the past 15 years. Specifically at country-level, we observe that more wealthy and developed countries such as Norway despite having large fluctuation in fossil fuel usage, the ratio of fossil fuel declines gradually in line with the world’s trend. To highlight some concerns, India as the world’s fastest growing economy with the largest population has seen an increase in the share of fossil fuel usage. This is often a general trend developing countries observe: more energy including fossil fuels are consumed as the economy grows at a rapid pace. Additionally, using 2016 as our baseline sample year, we discern a simple linear regression of weak positive relationship between renewable energy per capita and GDP per capita both in log-scale, and see an R-Squared 0.14 and a significant p-value to reject the null hypothesis of no correlation. When we investigate carbon intensity, we observe a general decrease trend in the past several decades, and that carbon intensity is the lowest in the most wealthy quartile with higher GDP per capita. Lastly, we explore other economics and political variables such as environmental technology patent protection and country’s overall R&D spending as a share of GDP. We find that countries with greater R&D share has more renewable energy per capita, and in countries with less patent protection on environmental technologies, share of renewable energy is higher.
Our findings may only shed lights on the topic of energy consumption and production, or potentially lead to some policy implication on altering the global trend of energy usage to greener, more sustainable types.
Reviewer 1
The authors intend to look at how data about energy consumption since the early 1900s reflect current trends and can be applied to the issue of climate change. They investigate a number of questions, including how use of fossil fuels vs. renewable energy sources has changed over time, connection to economic and other political variables, and the carbon intensity of energy production. The five sections of the report are organized well to support the summary of takeaways provided in the conclusion.
Verification: I didn’t look too in-depth at the source of the data, but my brief look didn’t raise any red flags, and it seems reputable.
Dimensions: There are too many variables in the data to account for (the project doesn’t even go over them all), but the most important are listed in a table. They include iso_code and country, which serve as country identifiers, year, electricity_demand and electricity_generation in tW, population, gdp, fossilconschange_twh (change in fossil fuel consumption annually), and carbon_intensity_elec (the carbon intensity of energy production).
Aesthetics: There are a lot of cool graphics in this project, and for the most part, I think they do a good job conveying the data of the project. The use of colors is helpful for me and I can differentiate easily between them. One small thing I noticed is that the first plot with the shares of fossil fuels and shares of renewables has a larger scale in the latter, so the change looks larger than it actually is compared to the fossil fuels. I don’t think this is that misleading, but I think it’s a good thing to make note of. Another note is that the linear assosciations in part V are not as clear as the other figures (the legend in the second one is very confusing), and I think it would be helpful to revisit those.
Interpretations and intentions: I think this report was written for a non-expert audience. There are a few assumptions that go into the report that aren’t explored too in-depth, including the assumption that renewable energy sources are environmentally superior. While I don’t disagree with this, I think the only place in the report it was looked at was in the section on carbon intensity, and not in a differential capacity. There isn’t much analysis/reference in the report in this area.
Strengths: • well-organized, easy logical flow from section to section and explained well • interesting and varied graphics that convey the information well and help emphasize the points in the conclusion • introduction is informative and sets up the rest of the report well
For improvement: • The graphics are a little unclear in places as described above, which could be improved and help drive the points home even clearer • This isn’t necessarily an improvement on what’s currently in the project, but I would have loved to see more in-depth analysis on how many of the variables are connected. I feel like the report covers a broad view of the data, and I think it would be even better if there was a deeper dive into one or two of the relationships looked at.
Reviewer 2
The primary object is to examine energy consumption across the world, how consumption and types of energy production (fossil or renewable) vary across time and location, what other factors (such as GDP) are associated with type, with a particular eye towards climate change as fossil energy contributes to it while green does not. Conclusions, including that there is a worldwide trend where renewable energy shares increase relative to fossil ones, that wealthier countries match this trend while developing ones do not, and that higher R&D spending and less patent protection contribute positively to renewable energy shares, are well-founded by the results and figures in the report with each coming directly from a particular figure.
Several different data visualizations are included, each tailored to best display the data it is dealing with, from simple line graphs to display trends over time (though the shares of fossil fuels vs renewable energy could have been displayed on a single plot) to a time series bar graph to show changing share over time to a time series map. Colors are easy to read and intuitive, plots and their axes and variables are well-labeled, and the plots effectively communicate the relationship (or lack thereof) between these variables.
The report is well-organized with each section having relevant and engaging figures, the analysis for each is concise, and the conclusion does well to summarize the most relevant findings to the particular interest of climate change and notes the potential use of the report. There are some spelling/grammatical errors, which aren’t a major issue but are somewhat distracting and can make things a little unclear or at least more difficult to understand. Additionally, the “carbon intensity of electricity production” figure is a little hard hard to read due to the number of countries and colors involved.
Reviewer 3
The authors set out to examine global and regional trends in energy consumption, with the intention of providing introspection and insight on how energy consumption has changed over time. This investigation is shaped by the backdrop of the ongoing climate crisis, and in light of that, the authors are attempting to highlight how certain factors contribute to the worsening of climate change, as well as what factors precipitated a shift toward higher usages of renewable energy. The results and figures do a great job of visualizing the descriptive insights that the authors have made, and I particularly like the animated graphics they made. They ultimately conclude that there is a general trend of global decrease in the usage of fossil fuels, but certain nations, most notably India, have seen a recent increase. The authors also perform hypothesis testing to demonstrate a statistically significant positive correlation between GDP per capita and renewable energy per capita, supporting the conclusion that wealthier nations are more able to switch to renewable energies, perhaps because of higher accessibility to the materials and technology needed to implement such renewable energy sources.
The sources for the data visualizations in the report are from a Kaggle dataset on world energy consumption. The variables visualized in the report are time-based variables separated out by country that include things like GDP, population size, electricity demand and generation, and annual changes in fossil fuel and renewable energy consumption respectively. The data are visualized in a variety of ways, including scatter plots with regression lines on them, barplots, line plots, and mapping of GIS shape files to show geographic trends. One thing that I noted while reading the report was the extent to which each visualization had one clear goal in mind, or one story that it was trying to tell. The ease with which you could extract information from each plot in light of this freed up mental energy to pay attention to the analysis and the general content of the report, and the transparency of the authors’ intentions with the plot was a major strength.
Strong things: • I thought that the use of animated graphics was very successful and tasteful, and that it got an easy to interpret point across each time. The animated barplot especially told an interesting story, seeing the heavy fluctuations of Norway’s fossil fuel share juxtaposed with the relative static nature of the other nations and the world average. • I thought that the visualizations in general did a really good job of being clear and concise, and supporting the text rather than the other way around. I appreciated the fact that I knew what to look for and was able to spot it right away based on your exposition, and while the visuals were well constructed and contained a lot of information, I was never left struggling or even taking longer than a few seconds to interpret the main message of a visualization. • I felt that the flow of your paper in general was strong, with a good amount of time left in between major points and a good mixture of text and visualization. I didn’t feel fatigued at any point and enjoyed reading it even from a more casual perspective.
Things to improve on: • I thought that perhaps the carbon intensity faceted by GDP quartile graphic was a little hard to interpret with the amount of lines in each facet, and a person with red/green colorblindness would have a very difficult time interpreting the color scheme. I think it could perhaps be improved by making it one large plot with 4 colors for the quartiles, and then labeling the countries on the plot itself. • This is a relatively minor nitpick, but some of the titles of graphics ran off the page, so they could be benefitted by being condensed down, a smaller font size, or a line break. Luckily most of the time it was easy to guess what came after the end of the cutoff!
Text and figures are licensed under Creative Commons Attribution CC BY 4.0. The figures that have been reused from other sources don't fall under this license and can be recognized by a note in their caption: "Figure from ...".