09: Data Analysis

chapter 4 of descriptive research

Chapter 4 Descriptive Analysis

The goal of descriptive analysis is to describe or summarize a set of data. Whenever you get a new dataset to examine, this is the first analysis you will perform. In fact, if you never summarize the data, it’s not a data analysis.

chapter 4 of descriptive research

Descriptive Analysis summarizes the dataset

If you think of a dataset as the animal in the elephant in the middle of this picture, you doing a descriptive analysis are the blind monks examining every part of the elephant. Just like the blind monks who are examining each and every part of the elephant to understand it completely, the goal of a descriptive analysis is to understand the data you’re working with completely .

chapter 4 of descriptive research

examining a dataset

Descriptive analysis will first and foremost generate simple summaries about the samples and their measurements to describe the data you’re working with. There are a number of common descriptive statistics that we’ll discuss in this lesson: measures of central tendency (eg: mean, median, mode) or measures of variability (eg: range, standard deviations or variance).

This type of analysis is aimed at summarizing your dataset . Unlike analysis approaches we’ll discuss in coming lessons, descriptive analysis is not for generalizing the results of the analysis to a larger population nor trying to draw any conclusions. Description of data is separated from interpreting the data. Here, we’re just summarizing what we’re working with.

Some examples of purely descriptive analysis can be seen in censuses. In a census, the government collects a series of measurements on all of the country’s citizens. After collecting these data, they are summarized. From this descriptive analysis, we learn a lot about a country. For example, you can learn the age distribution of the population by looking at U.S. census data.

chapter 4 of descriptive research

2010 census Data broken down by age

This can be further broken down (or stratified ) by sex to describe the age distribution by sex. The goal of these analyses is to describe the population. No inferences are made about what this means nor are predictions made about how the data might trend in the future. The point of this (and every!) descriptive analysis is only to summarize the data collected.

chapter 4 of descriptive research

2010 census Data broken down by age and sex

In this lesson, we’ll discuss the steps required to carry out a descriptive analysis. As this will be the first thing you do whenever you’re working with a new dataset, it’s important to work through the examples in this lesson step-by-step.

4.0.1 How to Describe a Dataset

When provided a new tabular dataset, whether it’s a CSV you’ve been sent by your boss or a table you’ve scraped from the Internet, the first thing you’ll want to do is describe the dataset. This helps you understand how big the dataset is, what information is contained in the dataset, and how each variable in the dataset is distributed.

chapter 4 of descriptive research

Descriptive Analysis

For this lesson, we’re going to move away from the iris or mtcars dataset (since you probably already have a pretty good understanding of those datasets) and work with a dataset we haven’t used too much in this Course Set: msleep (from the ggplot2 package). This dataset includes information about mammals and their sleep habits. We’ll load that package in and assign the dataset to the object df :

Generally, the first thing you’ll want to know about your dataset is how many observations and how many variables you’re working with. You’ll want to understand the size of your dataset.

You can always look at the Environment tab in RStudio Cloud to see how many observations and variables there are in your dataset; however, once you have many objects, you’ll have to scroll through or search this list to find the information you’re looking for.

chapter 4 of descriptive research

Environment tab

To avoid having to do that, the simplest approach to getting this information is the dim() function, which will give you the dimensions of your data frame. The output will display with the number of rows (observations) first, followed by the number of columns (variables).

chapter 4 of descriptive research

dim() output

4.0.1.1 Variables

There are additional ways to learn a bit more about the dataset using a different function. What if we wanted to know not only the dimensions of our dataset but wanted to learn a little bit more about the variables we’re working with?

Well, we could use dim() and then use the colnames() function to determine what the variable names are in our dataset:

The output from colnames tells us that there are 11 variables in our dataset and lets us know what the variable names are for these data.

chapter 4 of descriptive research

colnames() output

But, what if we didn’t want to use two different functions for this and wanted a little bit more information, such as what type of information is stored in each of these variables (columns)? To get that information, we’d turn to the function str() , which provides us information about the structure of the dataset.

chapter 4 of descriptive research

str() output

The output here still tells us the size of df and the variable names, but we also learn what the class of each variable is and see a few of the values for each of the variables.

A very similar function to str() is the glimpse() function from the dplyr package. As you’ve been introduced to this function previously, we just wanted to remind you that glimpse() can also be used to understand the size and structure of your data frame

chapter 4 of descriptive research

glimpse() output

4.0.1.2 Missing Values

In any analysis after your descriptive analysis, missing data can cause a problem. Thus, it’s best to get an understanding of missingness in your data right from the start. Missingness refers to observations that are not included for a variable. In R, NA is the preferred way to specify missing data, so if you’re ever generating data, its best to include NA wherever you have a missing value.

However, individuals who are less familiar with R code missingness in a number of different ways in their data: -999 , N/A , . , or a blank space. As such, it’s best to check to see how missingness is coded in your dataset. A reminder: sometimes different variables within a single dataset will code missingness differently. This shouldn’t happen, but it does, so always use caution when looking for missingness.

In this dataset, all missing values are coded as NA , and from the output of str(df) (or glimpse(df) ), we see that at least a few variables have NA values. We’ll want to quantify this missingness though to see which variables have missing data and how many observations within each variable have missing data.

To do this, we can write a function that will calculate missingness within each of our variables. To do this we’ll combine a few functions. In the code here is.na() returns a logical (TRUE/FALSE) depending upon whether or not the value is missing (TRUE if it is missing). sum() then calculates the number of TRUE values there are within an observation. We wrap this into a function and then use sapply() to calculate the number of missing values in each variable. The second bit of code does the exact same thing but divides those numbers by the total number of observations (using nrow(df) . For each variable, this returns the proportion of missingness:

chapter 4 of descriptive research

missingness in msleep

Running this code for our dataframe, we see that many variables having missing values. Specifically, to interpret this output for the variable brainwt , we see that 27 observations have missing data. This corresponds to 32.5% of the observations in the dataset.

It’s also possible to visualize missingness so that we can see visually see how much missing data there is and determine whether or not the same samples have missing data across the dataset. You could write a function to do this yourself using ggplot2 ; however, Nicholas Tierney has already written one for you. He has written two helpful packages for exploratory and descriptive data analyses: naniar and visdat . For our purposes, we’ll just install and load naniar here; however, links to both have been included in the additional resources section at the end of this lesson. We recommend looking through the examples provided in the documentation to see additional capabilities within these packages.

chapter 4 of descriptive research

vis_miss() output

Here, we see the variables listed along the top with percentages summarizing how many observations are missing data for that particular variable. Each row in the visualization is a different observation. Missing data are black. Non-missing values are in grey. Focusing again on brainwt , we can see the 27 missing values visually. We can also see that sleep_cycle has the most missingness, while many variables have no missing data.

The relative missingness within a dataset can be easily captured with another function from the naniar package: gg_miss_var() :

chapter 4 of descriptive research

gg_miss_var() output

Here, the variables are listed along the left-hand side and the number of missing values for each variable is plotted. We can clearly see that brainwt has 27 missing values in this dataset, while sleep_cycle has the most missingness among variables in this dataset.

Getting an understanding of what values are missing in your dataset is critical before moving on to any other type of analysis.

4.0.1.3 Shape

Determining the shape of your variable is essential before any further analysis is done. Statistical methods used for inference (discussed in a later lesson) often require your data to be distributed in a certain manner before they can be applied to the data. Thus, being able to describe the shape of your variables is necessary during your descriptive analysis.

When talking about the shape of one’s data, we’re discussing how the values (observations) within the variable are distributed. Often, we first determine how spread out the numbers are from one another (do all the observations fall between 1 and 10? 1 and 1000? -1000 and 10?). This is known as the range of the values. The range is described by the minimum and maximum values taken by observations in the variable.

After establishing the range, we determine the shape or distribution of the data. More explicitly, the distribution of the data explains how the data are spread out over this range. Are most of the values all in the center of this range? Or, are they spread out evenly across the range? There are a number of distributions used commonly in data analysis to describe the values within a variable. We’ll cover just a few of them in this lesson, but keep in mind this is certainly not an exhaustive list.

4.0.1.3.1 Normal Distribution

The Normal distribution (also referred to as the Gaussian distribution) is a very common distribution and is often described as a bell-shaped curve. In this distribution, the values are symmetric around the central value with a high density of the values falling right around the central value. The left hand of the curve mirrors the right hand of the curve.

chapter 4 of descriptive research

Normal Distribution

A variable can be described as normally distributed if:

  • there is a strong tendency for data to take a central value - many of the observations are centered around the middle of the range
  • deviations away from the central value are equally likely in both directions
  • the frequency of these deviations away form the central value occurs at the same rate on either side of the central value.

Taking a look at the sleep_total variable within our example dataset, we see that the data are somewhat normal; however, they aren’t entirely symmetric.

chapter 4 of descriptive research

distribution of msleep sleep_total

A variable that is distributed more normally can be seen in the iris dataset, when looking at the Sepal.Width variable.

chapter 4 of descriptive research

distribution of iris Sepal.Width

4.0.1.3.2 Skewed Distribution

Alternatively, sometimes data follow a skewed distribution. In a skewed distribution, most of the values fall to one end of the range, leaving a tail off to the other side. When the tail is off to the left, the distribution is said to be skewed left . When off to the right, the distribution is said to be skewed right .

chapter 4 of descriptive research

Skewed Distributions

To see an example from the msleep dataset, we’ll look at the variable sleep_rem . Here we see that the data are skewed right, given the shift in values away from the right, leading to a long right tail. Here, most of the values are at the lower end of the range.

chapter 4 of descriptive research

sleep_rem is skewed right

4.0.1.3.3 Uniform Distribution

Finally, in distributions we’ll discuss today, sometimes values for a variable are equally likely to be found along any portion of the distribution. The curve for this distribution looks more like a rectangle, since the likelihood of an observation taking a value is constant across the range of possible values.

chapter 4 of descriptive research

Uniform Distribution

4.0.1.3.4 Outliers

Now that we’ve discussed distributions, it’s important to discuss outliers – or an observation that falls far away from the rest of the observations in the distribution. If you were to look at a density curve, you could visually identify outliers as observations that fall far from the rest of the observations.

chapter 4 of descriptive research

density curve with an outlier

For example, imagine you had a sample where all of the individuals in your sample are between the ages of 18 and 65, but then you have one sample that is 1 year old and another that is 95 years old.

chapter 4 of descriptive research

Sample population

If we were to plot the age data on a density plot, it would look something like this:

chapter 4 of descriptive research

example densityplot

The baby and elderly individual would pop out as outliers on the plot.

After identifying outliers, one must determine if the outlier samples should be included or removed from your dataset? This is something to consider when carrying out an analysis.

chapter 4 of descriptive research

It can sometimes be difficult to decide whether or not a sample should be removed from the dataset. In the simplest terms, no observation should be removed from your dataset unless there is a valid reason to do so . For a more extreme example, what if that dataset we just discussed (with all the samples having ages between 18 and 65) had one sample with the age 600? Well, if these are human data, we clearly know that is a data entry error. Maybe it was supposed to be 60 years old, but we may not know for sure. If we can follow up with that individual and double-check, it’s best to do that, correct the error, make a note of it, and continue you with the analysis. However, that’s often not possible. In the cases of obvious data entry errors, it’s likely that you’ll have to remove that observation from the dataset. It’s valid to do so in this case since you know that an error occurred and that the observation was not accurate.

Outliers do not only occur due to data entry errors. Maybe you were taking weights of your observations over the course of a few weeks. On one of these days, your scale was improperly calibrated, leading to incorrect measurements. In such a case, you would have to remove these incorrect observations before analysis.

Outliers can occur for a variety of reasons. Outliers can occur due human error during data entry, technical issues with tools used for measurement, as a result of weather changes that affect measurement accuracy, or due to poor sampling procedures. It’s always important to look at the distribution of your observations for a variable to see if anything is falling far away from the rest of the observations. If there are, it’s then important to think about why this occurred and determine whether or not you have a valid reason to remove the observations from the data.

An important note is that observations should never be removed just to make your results look better. Wanting better results is not a valid reason for removing observations from your dataset.

4.0.1.3.4.1 Identifying Outliers

To identify outliers visually, density plots and boxplots can be very helpful.

For example, if we returned to the iris dataset and looked at the distribution of Petal.Length , we would see a bimodal distribution (yet another distribution!). Bimodal distributions can be identified by density plots that have two distinct humps. In these distributions, there are two different modes – this is where the term “bimodal” comes from. In this plot, the curve suggests there are a number of flowers with petal length less than 2 and many with petal length around 5.

chapter 4 of descriptive research

iris density plot

Since the two humps in the plot are about the same height, this shows that it’s not just one or two flowers with much smaller petal lengths, but rather that there are many. Thus, these observations aren’t likely an outlier.

To investigate this further, we’ll look at petal length broken down by flower species:

chapter 4 of descriptive research

iris boxplot

In this boxplot, we see in fact that setosa have a shorter petal length while virginica have the longest. Had we simply removed all the shorter petal length flowers from our dataset, we would have lost information about an entire species!

Boxplots are also helpful because they plot “outlier” samples as points outside the box. By default, boxplots define “outliers” as observations as those that are 1.5 x IQR (interquartile range). The IQR is the distance between the first and third quartiles. This is a mathematical way to determine if a sample may be an outlier. It is visually helpful, but then it’s up to the analyst to determine if an observation should be removed. While the boxplot identifies outliers in the setosa and versicolor species, these values are all within a reasonable distance of the rest of the values, and unless I could determine why this occurred, I would not remove these observations from the dataset

chapter 4 of descriptive research

iris boxplot with annotations

4.0.1.4 Central Tendency

Once you know how large your dataset is, what variables you have information on, how much missing data you’ve got for each variable, and the shape of your data, you’re ready to start understanding the information within the values of each variable.

Some of the simplest and most informative measures you can calculate on a numeric variable are those of central tendency . The two most commonly used measures of central tendency are: mean and median. These measures provide information about the typical or central value in the variable.

4.0.1.4.1 mean

The mean (often referred to as the average) is equal to the sum of all the observations in the variable divided by the total number of observations in the variable. The mean takes all the values in your variable and calculates the most common value .

So if you had the following vector: a <- c(1, 2, 3, 4, 5, 6) , the mean would be 3.5.

chapter 4 of descriptive research

calculating the mean

But what if we added another ‘3’ into that vector, so that it were: a <- c(1, 2, 3, 3, 4, 5, 6) . Now, the mean would be 3.43. It would decrease the average for this set of numbers as you can see in the calculations here:

chapter 4 of descriptive research

decreased average

To calculate the mean in R, the function is mean() . Here, we show how to calculate the mean for a variable in R. Note that when you have NAs in a variable, you’ll need to let R know to remove the NAs (using na.rm=TRUE ) before calculating your mean. Otherwise, it will return NA .

chapter 4 of descriptive research

mean(sleep_cycle)

4.0.1.4.2 median

The median is the middle observation for a variable after the observations in that variable have been arranged in order of magnitude (from smallest to largest). The median is the middle value .

Using the same vector as we first use to calculate median, we see that the middle value for this set of numbers is 3.5 as this is the value at the center of this set of numbers. This happens to be the same value as the mean was.

However, that is not always the case. When we add that second 3 in the middle of the set of numbers, the median is now 3, as this is the value at the center of this set of numbers. 3 is the middle value.

chapter 4 of descriptive research

To calculate the median in R, use the function median() . Again, when there are NAs in the variable, you have to tell R explicitly to remove them before calculating the median.

chapter 4 of descriptive research

median sleep_cycle

While not the exact same value, the mean and median for sleep_cycle are similar (0.44 and 0.33). However, this is not always the case. For data that are skewed or contain outlier values – values that are very different from the rest of the values in the variable – the mean and the median will be very different from one another. In our example dataset, the mean and the median values for the variable bodywt are quite different from one another.

chapter 4 of descriptive research

mean vs median

When we look at the histogram of the data, we see that most body weights are less than 200 lbs. Thus, the median, or value that would be in the middle if you lined all the weights up in order, is 1.6 kilograms. However, there are a few mammals that are a lot bigger than the rest of the animals. These mammals are outliers in the dataset . These outliers increase the mean. These larger animals drive the mean of the dataset to 166 kilograms.

When you have outliers in the dataset, the median is typically the measure of central tendency you’ll want to use, as it’s resistant to the effects of outlier values.

4.0.1.4.3 mode

There is a third, less-frequently calculated measure of central tendency for continuous variables, known as the mode. This is the value that comes up most frequently in your dataset. For example, if your dataset a were comprised of the following numbers a <- c(0, 10, 10, 3, 5, 10, 10) , 10 would be the mode , as it occurs four times. It doesn’t matter whether it’s the largest value, the smallest value, or somewhere in between, the most frequently value in your dataset is the mode. There is no built-in function for calculating the mode in R for a numeric value, which should suggest that, for continuous variables, knowing the mode of a variable is often less crucial than knowing the mean and median (which is true)! However, you could write a function to calculate it. For the above vector a , which.max(tabulate(a)) would return the mode: 10. (Note that this would not work if you had two values that were found in the dataset at the same frequency. A more eloquent approach would be required.)

chapter 4 of descriptive research

mode of a continuous variable

However, for categorical variables, the level with the most observations would be the mode. This can be determined using the table() function, which breaks down the number of observations within the categorical variable

chapter 4 of descriptive research

table() output

Further, the mode for a categorical variable can be visualized by generating a barplot:

chapter 4 of descriptive research

geom_bar visually displays the mode

4.0.1.5 Variability

In addition to measures of central tendency, measures of variability are key in describing the values within a variable. Two common and helpful measures of variability are: standard deviation and variance. Both of these are measures of how spread out the values in a variable are.

4.0.1.5.1 Variance

The variance tells you how spread out the values are. If all the values within your variable are exactly the same, that variable’s variance will be zero. The larger your variance, the more spread out your values are. Take the following vector and calculate its variance in R using the var() function:

chapter 4 of descriptive research

The only difference between the two vectors is that the second one has one value that is much larger than “29”. The variance for this vector is thus much higher.

4.0.1.5.2 Standard Deviation

By definition, the standard deviation is the square root of the variance, thus if we were to calculate the standard deviation in R using the sd() function, we’d see that the sd() function is equal to the square root of the variance:

chapter 4 of descriptive research

Standard Deviation

For both measures of variance, the minimum value is 0. The larger the number, the more spread out the values in the valuable are.

4.0.2 Summarizing Your Data

Often, you’ll want to include tables in your reports summarizing your dataset. These will include the number of observations in your dataset and maybe the mean/median and standard deviation of a few variables. These could be organized into a table using what you learned in the data visualization course about generating tables.

4.0.2.1 skimr

Alternatively, there is a helpful package that will summarize all the variables within your dataset. The skimr package provides a tidy output with information about your dataset.

To use skimr , you’ll have to install and load the package before using the helpful function skim() to get a snapshot of your dataset.

chapter 4 of descriptive research

skim() output

The output from skim separately summarizes categorical and continuous variables. For continuous variables you get information about the mean and median ( p50 ) column. You know what the range of the variable is ( p0 is the minimum value, p100 is the maximum value for continuous variables). You also get a measure of variability with the standard deviation ( sd ). It even quantifies the number of missing values ( missing ) and shows you the distribution of each variable ( hist )! This function can be incredibly useful to get a quick snapshot of what’s going on with your dataset.

4.0.2.2 Published Descriptive Analyses

In academic papers, descriptive analyses often lead to the information included in the first table of the paper. These tables summarize information about the samples used for the analysis in the paper. Here, we’re looking at the first table in a paper published in the New England Journal of Medicine by The CATT Research Group .

chapter 4 of descriptive research

We can see that there is a lot of descriptive information being summarized in this table just by glancing at it. If we zoom in and just focus on the top of the table, we see that the authors have broken down a number of the variables (the rows) and summarized how many patients they had in each of their experimental categories (the columns). Focusing on Sex specifically, we can see that there were 183 females and 118 males in their first experimental group. In the parentheses, they summarize what percent of their sample that was. In this same category, the sample was 60.8% female and 39.2% male.

chapter 4 of descriptive research

Table 1 - just the top

We provide this here as an example of how someone would include a descriptive analysis in a report or publication. It doesn’t always have to be this long, but you should always describe your data when sharing it with others.

4.0.3 Summary

This lesson covered the necessary parts of carrying out a descriptive analysis. Generally, describing a dataset involves describing the numbers of observations and variables in your dataset, getting an understanding of missingness, and, understanding the shape, central tendency, and variability of each variable. Description must happen as the first step in any data analysis.

4.0.4 Additional Resources

  • Visualizing Incomplete & Missing Data , by Nathan Yau
  • Getting Started with the naniar package , from Nicholas Tierney
  • visdat package , also from Nicholas Tierney to further visualize datasets during exploratory and descriptive analyses
  • Using the skimr package , by Elin Waring

4.0.5 Slides and Video

Automated Videos

Using Science to Inform Educational Practices

Descriptive Research

There are many research methods available to psychologists in their efforts to understand, describe, and explain behavior. Some methods rely on observational techniques. Other approaches involve interactions between the researcher and the individuals who are being studied—ranging from a series of simple questions to extensive, in-depth interviews—to well-controlled experiments. The main categories of psychological research are descriptive, correlational, and experimental research. Each of these research methods has unique strengths and weaknesses, and each method may only be appropriate for certain types of research questions.

Research studies that do not test specific relationships between variables are called  descriptive studies . For this method, the research question or hypothesis can be about a single variable (e.g., How accurate are people’s first impressions?) or can be a broad and exploratory question (e.g., What is it like to be a working mother diagnosed with depression?). The variable of the study is measured and reported without any further relationship analysis. A researcher might choose this method if they only needed to report information, such as a tally, an average, or a list of responses. Descriptive research can answer interesting and important questions, but what it cannot do is answer questions about relationships between variables.

Video 2.4.1.  Descriptive Research Design  provides explanation and examples for quantitative descriptive research. A closed-captioned version of this video is available here .

Descriptive research is distinct from  correlational research , in which researchers formally test whether a relationship exists between two or more variables.  Experimental research  goes a step further beyond descriptive and correlational research and randomly assigns people to different conditions, using hypothesis testing to make inferences about causal relationships between variables. We will discuss each of these methods more in-depth later.

Table 2.4.1. Comparison of research design methods

Candela Citations

  • Descriptive Research. Authored by : Nicole Arduini-Van Hoose. Provided by : Hudson Valley Community College. Retrieved from : https://courses.lumenlearning.com/edpsy/chapter/descriptive-research/. License : CC BY-NC-SA: Attribution-NonCommercial-ShareAlike
  • Descriptive Research. Authored by : Nicole Arduini-Van Hoose. Provided by : Hudson Valley Community College. Retrieved from : https://courses.lumenlearning.com/adolescent/chapter/descriptive-research/. License : CC BY-NC-SA: Attribution-NonCommercial-ShareAlike

Educational Psychology Copyright © 2020 by Nicole Arduini-Van Hoose is licensed under a Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International License , except where otherwise noted.

Share This Book

Grad Coach

How To Write The Results/Findings Chapter

For quantitative studies (dissertations & theses).

By: Derek Jansen (MBA) | Expert Reviewed By: Kerryn Warren (PhD) | July 2021

So, you’ve completed your quantitative data analysis and it’s time to report on your findings. But where do you start? In this post, we’ll walk you through the results chapter (also called the findings or analysis chapter), step by step, so that you can craft this section of your dissertation or thesis with confidence. If you’re looking for information regarding the results chapter for qualitative studies, you can find that here .

Overview: Quantitative Results Chapter

  • What exactly the results chapter is
  • What you need to include in your chapter
  • How to structure the chapter
  • Tips and tricks for writing a top-notch chapter
  • Free results chapter template

What exactly is the results chapter?

The results chapter (also referred to as the findings or analysis chapter) is one of the most important chapters of your dissertation or thesis because it shows the reader what you’ve found in terms of the quantitative data you’ve collected. It presents the data using a clear text narrative, supported by tables, graphs and charts. In doing so, it also highlights any potential issues (such as outliers or unusual findings) you’ve come across.

But how’s that different from the discussion chapter?

Well, in the results chapter, you only present your statistical findings. Only the numbers, so to speak – no more, no less. Contrasted to this, in the discussion chapter , you interpret your findings and link them to prior research (i.e. your literature review), as well as your research objectives and research questions . In other words, the results chapter presents and describes the data, while the discussion chapter interprets the data.

Let’s look at an example.

In your results chapter, you may have a plot that shows how respondents to a survey  responded: the numbers of respondents per category, for instance. You may also state whether this supports a hypothesis by using a p-value from a statistical test. But it is only in the discussion chapter where you will say why this is relevant or how it compares with the literature or the broader picture. So, in your results chapter, make sure that you don’t present anything other than the hard facts – this is not the place for subjectivity.

It’s worth mentioning that some universities prefer you to combine the results and discussion chapters. Even so, it is good practice to separate the results and discussion elements within the chapter, as this ensures your findings are fully described. Typically, though, the results and discussion chapters are split up in quantitative studies. If you’re unsure, chat with your research supervisor or chair to find out what their preference is.

Free template for results section of a dissertation or thesis

What should you include in the results chapter?

Following your analysis, it’s likely you’ll have far more data than are necessary to include in your chapter. In all likelihood, you’ll have a mountain of SPSS or R output data, and it’s your job to decide what’s most relevant. You’ll need to cut through the noise and focus on the data that matters.

This doesn’t mean that those analyses were a waste of time – on the contrary, those analyses ensure that you have a good understanding of your dataset and how to interpret it. However, that doesn’t mean your reader or examiner needs to see the 165 histograms you created! Relevance is key.

How do I decide what’s relevant?

At this point, it can be difficult to strike a balance between what is and isn’t important. But the most important thing is to ensure your results reflect and align with the purpose of your study .  So, you need to revisit your research aims, objectives and research questions and use these as a litmus test for relevance. Make sure that you refer back to these constantly when writing up your chapter so that you stay on track.

There must be alignment between your research aims objectives and questions

As a general guide, your results chapter will typically include the following:

  • Some demographic data about your sample
  • Reliability tests (if you used measurement scales)
  • Descriptive statistics
  • Inferential statistics (if your research objectives and questions require these)
  • Hypothesis tests (again, if your research objectives and questions require these)

We’ll discuss each of these points in more detail in the next section.

Importantly, your results chapter needs to lay the foundation for your discussion chapter . This means that, in your results chapter, you need to include all the data that you will use as the basis for your interpretation in the discussion chapter.

For example, if you plan to highlight the strong relationship between Variable X and Variable Y in your discussion chapter, you need to present the respective analysis in your results chapter – perhaps a correlation or regression analysis.

Need a helping hand?

chapter 4 of descriptive research

How do I write the results chapter?

There are multiple steps involved in writing up the results chapter for your quantitative research. The exact number of steps applicable to you will vary from study to study and will depend on the nature of the research aims, objectives and research questions . However, we’ll outline the generic steps below.

Step 1 – Revisit your research questions

The first step in writing your results chapter is to revisit your research objectives and research questions . These will be (or at least, should be!) the driving force behind your results and discussion chapters, so you need to review them and then ask yourself which statistical analyses and tests (from your mountain of data) would specifically help you address these . For each research objective and research question, list the specific piece (or pieces) of analysis that address it.

At this stage, it’s also useful to think about the key points that you want to raise in your discussion chapter and note these down so that you have a clear reminder of which data points and analyses you want to highlight in the results chapter. Again, list your points and then list the specific piece of analysis that addresses each point. 

Next, you should draw up a rough outline of how you plan to structure your chapter . Which analyses and statistical tests will you present and in what order? We’ll discuss the “standard structure” in more detail later, but it’s worth mentioning now that it’s always useful to draw up a rough outline before you start writing (this advice applies to any chapter).

Step 2 – Craft an overview introduction

As with all chapters in your dissertation or thesis, you should start your quantitative results chapter by providing a brief overview of what you’ll do in the chapter and why . For example, you’d explain that you will start by presenting demographic data to understand the representativeness of the sample, before moving onto X, Y and Z.

This section shouldn’t be lengthy – a paragraph or two maximum. Also, it’s a good idea to weave the research questions into this section so that there’s a golden thread that runs through the document.

Your chapter must have a golden thread

Step 3 – Present the sample demographic data

The first set of data that you’ll present is an overview of the sample demographics – in other words, the demographics of your respondents.

For example:

  • What age range are they?
  • How is gender distributed?
  • How is ethnicity distributed?
  • What areas do the participants live in?

The purpose of this is to assess how representative the sample is of the broader population. This is important for the sake of the generalisability of the results. If your sample is not representative of the population, you will not be able to generalise your findings. This is not necessarily the end of the world, but it is a limitation you’ll need to acknowledge.

Of course, to make this representativeness assessment, you’ll need to have a clear view of the demographics of the population. So, make sure that you design your survey to capture the correct demographic information that you will compare your sample to.

But what if I’m not interested in generalisability?

Well, even if your purpose is not necessarily to extrapolate your findings to the broader population, understanding your sample will allow you to interpret your findings appropriately, considering who responded. In other words, it will help you contextualise your findings . For example, if 80% of your sample was aged over 65, this may be a significant contextual factor to consider when interpreting the data. Therefore, it’s important to understand and present the demographic data.

 Step 4 – Review composite measures and the data “shape”.

Before you undertake any statistical analysis, you’ll need to do some checks to ensure that your data are suitable for the analysis methods and techniques you plan to use. If you try to analyse data that doesn’t meet the assumptions of a specific statistical technique, your results will be largely meaningless. Therefore, you may need to show that the methods and techniques you’ll use are “allowed”.

Most commonly, there are two areas you need to pay attention to:

#1: Composite measures

The first is when you have multiple scale-based measures that combine to capture one construct – this is called a composite measure .  For example, you may have four Likert scale-based measures that (should) all measure the same thing, but in different ways. In other words, in a survey, these four scales should all receive similar ratings. This is called “ internal consistency ”.

Internal consistency is not guaranteed though (especially if you developed the measures yourself), so you need to assess the reliability of each composite measure using a test. Typically, Cronbach’s Alpha is a common test used to assess internal consistency – i.e., to show that the items you’re combining are more or less saying the same thing. A high alpha score means that your measure is internally consistent. A low alpha score means you may need to consider scrapping one or more of the measures.

#2: Data shape

The second matter that you should address early on in your results chapter is data shape. In other words, you need to assess whether the data in your set are symmetrical (i.e. normally distributed) or not, as this will directly impact what type of analyses you can use. For many common inferential tests such as T-tests or ANOVAs (we’ll discuss these a bit later), your data needs to be normally distributed. If it’s not, you’ll need to adjust your strategy and use alternative tests.

To assess the shape of the data, you’ll usually assess a variety of descriptive statistics (such as the mean, median and skewness), which is what we’ll look at next.

Descriptive statistics

Step 5 – Present the descriptive statistics

Now that you’ve laid the foundation by discussing the representativeness of your sample, as well as the reliability of your measures and the shape of your data, you can get started with the actual statistical analysis. The first step is to present the descriptive statistics for your variables.

For scaled data, this usually includes statistics such as:

  • The mean – this is simply the mathematical average of a range of numbers.
  • The median – this is the midpoint in a range of numbers when the numbers are arranged in order.
  • The mode – this is the most commonly repeated number in the data set.
  • Standard deviation – this metric indicates how dispersed a range of numbers is. In other words, how close all the numbers are to the mean (the average).
  • Skewness – this indicates how symmetrical a range of numbers is. In other words, do they tend to cluster into a smooth bell curve shape in the middle of the graph (this is called a normal or parametric distribution), or do they lean to the left or right (this is called a non-normal or non-parametric distribution).
  • Kurtosis – this metric indicates whether the data are heavily or lightly-tailed, relative to the normal distribution. In other words, how peaked or flat the distribution is.

A large table that indicates all the above for multiple variables can be a very effective way to present your data economically. You can also use colour coding to help make the data more easily digestible.

For categorical data, where you show the percentage of people who chose or fit into a category, for instance, you can either just plain describe the percentages or numbers of people who responded to something or use graphs and charts (such as bar graphs and pie charts) to present your data in this section of the chapter.

When using figures, make sure that you label them simply and clearly , so that your reader can easily understand them. There’s nothing more frustrating than a graph that’s missing axis labels! Keep in mind that although you’ll be presenting charts and graphs, your text content needs to present a clear narrative that can stand on its own. In other words, don’t rely purely on your figures and tables to convey your key points: highlight the crucial trends and values in the text. Figures and tables should complement the writing, not carry it .

Depending on your research aims, objectives and research questions, you may stop your analysis at this point (i.e. descriptive statistics). However, if your study requires inferential statistics, then it’s time to deep dive into those .

Dive into the inferential statistics

Step 6 – Present the inferential statistics

Inferential statistics are used to make generalisations about a population , whereas descriptive statistics focus purely on the sample . Inferential statistical techniques, broadly speaking, can be broken down into two groups .

First, there are those that compare measurements between groups , such as t-tests (which measure differences between two groups) and ANOVAs (which measure differences between multiple groups). Second, there are techniques that assess the relationships between variables , such as correlation analysis and regression analysis. Within each of these, some tests can be used for normally distributed (parametric) data and some tests are designed specifically for use on non-parametric data.

There are a seemingly endless number of tests that you can use to crunch your data, so it’s easy to run down a rabbit hole and end up with piles of test data. Ultimately, the most important thing is to make sure that you adopt the tests and techniques that allow you to achieve your research objectives and answer your research questions .

In this section of the results chapter, you should try to make use of figures and visual components as effectively as possible. For example, if you present a correlation table, use colour coding to highlight the significance of the correlation values, or scatterplots to visually demonstrate what the trend is. The easier you make it for your reader to digest your findings, the more effectively you’ll be able to make your arguments in the next chapter.

make it easy for your reader to understand your quantitative results

Step 7 – Test your hypotheses

If your study requires it, the next stage is hypothesis testing. A hypothesis is a statement , often indicating a difference between groups or relationship between variables, that can be supported or rejected by a statistical test. However, not all studies will involve hypotheses (again, it depends on the research objectives), so don’t feel like you “must” present and test hypotheses just because you’re undertaking quantitative research.

The basic process for hypothesis testing is as follows:

  • Specify your null hypothesis (for example, “The chemical psilocybin has no effect on time perception).
  • Specify your alternative hypothesis (e.g., “The chemical psilocybin has an effect on time perception)
  • Set your significance level (this is usually 0.05)
  • Calculate your statistics and find your p-value (e.g., p=0.01)
  • Draw your conclusions (e.g., “The chemical psilocybin does have an effect on time perception”)

Finally, if the aim of your study is to develop and test a conceptual framework , this is the time to present it, following the testing of your hypotheses. While you don’t need to develop or discuss these findings further in the results chapter, indicating whether the tests (and their p-values) support or reject the hypotheses is crucial.

Step 8 – Provide a chapter summary

To wrap up your results chapter and transition to the discussion chapter, you should provide a brief summary of the key findings . “Brief” is the keyword here – much like the chapter introduction, this shouldn’t be lengthy – a paragraph or two maximum. Highlight the findings most relevant to your research objectives and research questions, and wrap it up.

Some final thoughts, tips and tricks

Now that you’ve got the essentials down, here are a few tips and tricks to make your quantitative results chapter shine:

  • When writing your results chapter, report your findings in the past tense . You’re talking about what you’ve found in your data, not what you are currently looking for or trying to find.
  • Structure your results chapter systematically and sequentially . If you had two experiments where findings from the one generated inputs into the other, report on them in order.
  • Make your own tables and graphs rather than copying and pasting them from statistical analysis programmes like SPSS. Check out the DataIsBeautiful reddit for some inspiration.
  • Once you’re done writing, review your work to make sure that you have provided enough information to answer your research questions , but also that you didn’t include superfluous information.

If you’ve got any questions about writing up the quantitative results chapter, please leave a comment below. If you’d like 1-on-1 assistance with your quantitative analysis and discussion, check out our hands-on coaching service , or book a free consultation with a friendly coach.

chapter 4 of descriptive research

Psst... there’s more!

This post was based on one of our popular Research Bootcamps . If you're working on a research project, you'll definitely want to check this out ...

You Might Also Like:

How to write the results chapter in a qualitative thesis

Thank you. I will try my best to write my results.

Lord

Awesome content 👏🏾

Tshepiso

this was great explaination

Submit a Comment Cancel reply

Your email address will not be published. Required fields are marked *

Save my name, email, and website in this browser for the next time I comment.

  • Print Friendly

Logo for Open Educational Resources

Chapter 4. Finding a Research Question and Approaches to Qualitative Research

We’ve discussed the research design process in general and ways of knowing favored by qualitative researchers.  In chapter 2, I asked you to think about what interests you in terms of a focus of study, including your motivations and research purpose.  It might be helpful to start this chapter with those short paragraphs you wrote about motivations and purpose in front of you.  We are now going to try to develop those interests into actual research questions (first part of this chapter) and then choose among various “traditions of inquiry” that will be best suited to answering those questions.  You’ve already been introduced to some of this (in chapter 1), but we will go further here.

Null

Developing a Research Question

Research questions are different from general questions people have about the social world.  They are narrowly tailored to fit a very specific issue, complete with context and time boundaries.  Because we are engaged in empirical science and thus use “data” to answer our questions, the questions we ask must be answerable by data.  A question is not the same as stating a problem.  The point of the entire research project is to answer a particular question or set of questions.  The question(s) should be interesting, relevant, practical, and ethical.  Let’s say I am generally interested in the problem of student loan debt.  That’s a good place to start, but we can’t simply ask,

General question: Is student loan debt really a problem today?

How could we possibly answer that question? What data could we use? Isn’t this really an axiological (values-based) question? There are no clues in the question as to what data would be appropriate here to help us get started. Students often begin with these large unanswerable questions. They are not research questions. Instead, we could ask,

Poor research question: How many people have debt?

This is still not a very good research question. Why not? It is answerable, although we would probably want to clarify the context. We could add some context to improve it so that the question now reads,

Mediocre research question: How many people in the US have debt today? And does this amount vary by age and location?

Now we have added some context, so we have a better idea of where to look and who to look at. But this is still a pretty poor or mediocre research question. Why is that? Let’s say we did answer it. What would we really know? Maybe we would find out that student loan debt has increased over time and that young people today have more of it. We probably already know this. We don’t really want to go through a lot of trouble answering a question whose answer we already have. In fact, part of the reason we are even asking this question is that we know (or think) it is a problem. Instead of asking what you already know, ask a question to which you really do not know the answer. I can’t stress this enough, so I will say it again: Ask a question to which you do not already know the answer . The point of research is not to prove or make a point but to find out something unknown. What about student loan debt is still a mystery to you? Reviewing the literature could help (see chapter 9). By reviewing the literature, you can get a good sense of what is still mysterious or unknown about student loan debt, and you won’t be reinventing the wheel when you conduct your research. Let’s say you review the literature, and you are struck by the fact that we still don’t understand the true impact of debt on how people are living their lives. A possible research question might be,

Fair research question: What impact does student debt have on the lives of debtors?

Good start, but we still need some context to help guide the project. It is not nearly specific enough.

Better research question: What impact does student debt have on young adults (ages twenty-five to thirty-five) living in the US today?

Now we’ve added context, but we can still do a little bit better in narrowing our research question so that it is both clear and doable; in other words, we want to frame it in a way that provides a very clear research program:

Optimal research question: How do young adults (ages twenty-five to thirty-five) living in the US today who have taken on $30,000 or more in student debt describe the impact of their debt on their lives in terms of finding/choosing a job, buying a house, getting married, and other major life events?

Now you have a research question that can be answered and a clear plan of how to answer it. You will talk to young adults living in the US today who have high debt loads and ask them to describe the impacts of debt on their lives. That is all now in the research question. Note how different this very specific question is from where we started with the “problem” of student debt.

Take some time practicing turning the following general questions into research questions:

  • What can be done about the excessive use of force by police officers?
  • Why haven’t societies taken firmer steps to address climate change?
  • How do communities react to / deal with the opioid epidemic?
  • Who has been the most adversely affected by COVID?
  • When did political polarization get so bad?

Hint: Step back from each of the questions and try to articulate a possible underlying motivation, then formulate a research question that is specific and answerable.

It is important to take the time to come up with a research question, even if this research question changes a bit as you conduct your research (yes, research questions can change!). If you don’t have a clear question to start your research, you are likely to get very confused when designing your study because you will not be able to make coherent decisions about things like samples, sites, methods of data collection, and so on. Your research question is your anchor: “If we don’t have a question, we risk the possibility of going out into the field thinking we know what we’ll find and looking only for proof of what we expect to be there. That’s not empirical research (it’s not systematic)” ( Rubin 2021:37 ).

Researcher Note

How do you come up with ideas for what to study?

I study what surprises me. Usually, I come across a statistic that suggests something is common that I thought was rare. I tend to think it’s rare because the theories I read suggest it should be, and there’s not a lot of work in that area that helps me understand how the statistic came to be. So, for example, I learned that it’s common for Americans to marry partners who grew up in a different class than them and that about half of White kids born into the upper-middle class are downwardly mobile. I was so shocked by these facts that they naturally led to research questions. How do people come to marry someone who grew up in a different class? How do White kids born near the top of the class structure fall?

—Jessi Streib, author of The Power of the Past and Privilege Lost

What if you have literally no idea what the research question should be? How do you find a research question? Even if you have an interest in a topic before you get started, you see the problem now: topics and issues are not research questions! A research question doesn’t easily emerge; it takes a lot of time to hone one, as the practice above should demonstrate. In some research designs, the research question doesn’t even get clearly articulated until the end of data collection . More on that later. But you must start somewhere, of course. Start with your chosen discipline. This might seem obvious, but it is often overlooked. There is a reason it is called a discipline. We tend to think of “sociology,” “public health,” and “physics” as so many clusters of courses that are linked together by subject matter, but they are also disciplines in the sense that the study of each focuses the mind in a particular way and for particular ends. For example, in my own field, sociology, there is a loosely shared commitment to social justice and a general “sociological imagination” that enables its practitioners to connect personal experiences to society at large and to historical forces. It is helpful to think of issues and questions that are germane to your discipline. Within that overall field, there may be a particular course or unit of study you found most interesting. Within that course or unit of study, there may be an issue that intrigued you. And finally, within that issue, there may be an aspect or topic that you want to know more about.

When I was pursuing my dissertation research, I was asked often, “Why did you choose to study intimate partner violence among Native American women?” This question is necessary, and each time I answered, it helped shape me into a better researcher. I was interested in intimate partner violence because I am a survivor. I didn’t have intentions to work with a particular population or demographic—that came from my own deep introspection on my role as a researcher. I always questioned my positionality: What privileges do I hold as an academic? How has public health extracted information from institutionally marginalized populations? How can I build bridges between communities using my position, knowledge, and power? Public health as a field would not exist without the contributions of Indigenous people. So I started hanging out with them at community events, making friends, and engaging in self-education. Through these organic relationships built with Native women in the community, I saw that intimate partner violence was a huge issue. This led me to partner with Indigenous organizations to pursue a better understanding of how Native survivors of intimate partner violence seek support.

—Susanna Y. Park, PhD, mixed-methods researcher in public health and author of “How Native Women Seek Support as Survivors of Intimate Partner Violence: A Mixed-Methods Study”

One of the most exciting and satisfying things about doing academic research is that whatever you end up researching can become part of the body of knowledge that we have collectively created. Don’t make the mistake of thinking that you are doing this all on your own from scratch. Without even being aware of it, no matter if you are a first-year undergraduate student or a fourth-year graduate student, you have been trained to think certain questions are interesting. The very fact that you are majoring in a particular field or have signed up for years of graduate study in a program testifies to some level of commitment to a discipline. What we are looking for, ideally, is that your research builds on in some way (as extension, as critique, as lateral move) previous research and so adds to what we, collectively, understand about the social world. It is helpful to keep this in mind, as it may inspire you and also help guide you through the process. The point is, you are not meant to be doing something no one has ever thought of before, even if you are trying to find something that does not exactly duplicate previous research: “You may be trying to be too clever—aiming to come up with a topic unique in the history of the universe, something that will have people swooning with admiration at your originality and intellectual precociousness. Don’t do it. It’s safer…to settle on an ordinary, middle-of-the-road topic that will lend itself to a nicely organized process of project management. That’s the clever way of proceeding.… You can always let your cleverness shine through during the stages of design, analysis, and write-up. Don’t make things more difficult for yourself than you need to do” ( Davies 2007:20 ).

Rubin ( 2021 ) suggests four possible ways to develop a research question (there are many more, of course, but this can get you started). One way is to start with a theory that interests you and then select a topic where you can apply that theory. For example, you took a class on gender and society and learned about the “glass ceiling.” You could develop a study that tests that theory in a setting that has not yet been explored—maybe leadership at the Oregon Country Fair. The second way is to start with a topic that interests you and then go back to the books to find a theory that might explain it. This is arguably more difficult but often much more satisfying. Ask your professors for help—they might have ideas of theories or concepts that could be relevant or at least give you an idea of what books to read. The third way is to be very clever and select a question that already combines the topic and the theory. Rubin gives as one example sentencing disparities in criminology—this is both a topic and a theory or set of theories. You then just have to figure out particulars like setting and sample. I don’t know if I find this third way terribly helpful, but it might help you think through the possibilities. The fourth way involves identifying a puzzle or a problem, which can be either theoretical (something in the literature just doesn’t seem to make sense and you want to tackle addressing it) or empirical (something happened or is happening, and no one really understands why—think, for example, of mass school shootings).

Once you think you have an issue or topic that is worth exploring, you will need to (eventually) turn that into a good research question. A good research question is specific, clear, and feasible .

Specific . How specific a research question needs to be is somewhat related to the disciplinary conventions and whether the study is conceived inductively or deductively. In deductive research, one begins with a specific research question developed from the literature. You then collect data to test the theory or hypotheses accompanying your research question. In inductive research, however, one begins with data collection and analysis and builds theory from there. So naturally, the research question is a bit vaguer. In general, the more closely aligned to the natural sciences (and thus the deductive approach), the more a very tight and specific research question (along with specific, focused hypotheses) is required. This includes disciplines like psychology, geography, public health, environmental science, and marine resources management. The more one moves toward the humanities pole (and the inductive approach), the more looseness is permitted, as there is a general belief that we go into the field to find what is there, not necessarily what we imagine we are looking for (see figure 4.2). Disciplines such as sociology, anthropology, and gender and sexuality studies and some subdisciplines of public policy/public administration are closer to the humanities pole in this sense.

Natural Sciences are more likely to use the scientific method and be on the Quantitative side of the continuum. Humanities are more likely to use Interpretive methods and are on the Qualitative side of the continuum.

Regardless of discipline and approach, however, it is a good idea for beginning researchers to create a research question as specific as possible, as this will serve as your guide throughout the process. You can tweak it later if needed, but start with something specific enough that you know what it is you are doing and why. It is more difficult to deal with ambiguity when you are starting out than later in your career, when you have a better handle on what you are doing. Being under a time constraint means the more specific the question, the better. Questions should always specify contexts, geographical locations, and time frames. Go back to your practice research questions and make sure that these are included.

Clear . A clear research question doesn’t only need to be intelligible to any reader (which, of course, it should); it needs to clarify any meanings of particular words or concepts (e.g., What is excessive force?). Check all your concepts to see if there are ways you can clarify them further—for example, note that we shifted from impact of debt to impact of high debt load and specified this as beginning at $30,000. Ideally, we would use the literature to help us clarify what a high debt load is or how to define “excessive” force.

Feasible . In order to know if your question is feasible, you are going to have to think a little bit about your entire research design. For example, a question that asks about the real-time impact of COVID restrictions on learning outcomes would require a time machine. You could tweak the question to ask instead about the long-term impacts of COVID restrictions, as measured two years after their end. Or let’s say you are interested in assessing the damage of opioid abuse on small-town communities across the United States. Is it feasible to cover the entire US? You might need a team of researchers to do this if you are planning on on-the-ground observations. Perhaps a case study of one particular community might be best. Then your research question needs to be changed accordingly.

Here are some things to consider in terms of feasibility:

  • Is the question too general for what you actually intend to do or examine? (Are you specifying the world when you only have time to explore a sliver of that world?)
  • Is the question suitable for the time you have available? (You will need different research questions for a study that can be completed in a term than one where you have one to two years, as in a master’s program, or even three to eight years, as in a doctoral program.)
  • Is the focus specific enough that you know where and how to begin?
  • What are the costs involved in doing this study, including time? Will you need to travel somewhere, and if so, how will you pay for it?
  • Will there be problems with “access”? (More on this in later chapters, but for now, consider how you might actually find people to interview or places to observe and whether gatekeepers exist who might keep you out.)
  • Will you need to submit an application proposal for your university’s IRB (institutional review board)? If you are doing any research with live human subjects, you probably need to factor in the time and potential hassle of an IRB review (see chapter 8). If you are under severe time constraints, you might need to consider developing a research question that can be addressed with secondary sources, online content, or historical archives (see chapters 16 and 17).

In addition to these practicalities, you will also want to consider the research question in terms of what is best for you now. Are you engaged in research because you are required to be—jumping a hurdle for a course or for your degree? If so, you really do want to think about your project as training and develop a question that will allow you to practice whatever data collection and analysis techniques you want to develop. For example, if you are a grad student in a public health program who is interested in eventually doing work that requires conducting interviews with patients, develop a research question and research design that is interview based. Focus on the practicality (and practice) of the study more than the theoretical impact or academic contribution, in other words. On the other hand, if you are a PhD candidate who is seeking an academic position in the future, your research question should be pitched in a way to build theoretical knowledge as well (the phrasing is typically “original contribution to scholarship”).

The more time you have to devote to the study and the larger the project, the more important it is to reflect on your own motivations and goals when crafting a research question (remember chapter 2?). By “your own motivations and goals,” I mean what interests you about the social world and what impact you want your research to have, both academically and practically speaking. Many students have secret (or not-so-secret) plans to make the world a better place by helping address climate change, pointing out pressure points to fight inequities, or bringing awareness to an overlooked area of concern. My own work in graduate school was motivated by the last of these three—the not-so-secret goal of my research was to raise awareness about obstacles to success for first-generation and working-class college students. This underlying goal motivated me to complete my dissertation in a timely manner and then to further continue work in this area and see my research get published. I cared enough about the topic that I was not ready to put it away. I am still not ready to put it away. I encourage you to find topics that you can’t put away, ever. That will keep you going whenever things get difficult in the research process, as they inevitably will.

On the other hand, if you are an undergraduate and you really have very little time, some of the best advice I have heard is to find a study you really like and adapt it to a new context. Perhaps you read a study about how students select majors and how this differs by class ( Hurst 2019 ). You can try to replicate the study on a small scale among your classmates. Use the same research question, but revise for your context. You can probably even find the exact questions I  used and ask them in the new sample. Then when you get to the analysis and write-up, you have a comparison study to guide you, and you can say interesting things about the new context and whether the original findings were confirmed (similar) or not. You can even propose reasons why you might have found differences between one and the other.

Another way of thinking about research questions is to explicitly tie them to the type of purpose of your study. Of course, this means being very clear about what your ultimate purpose is! Marshall and Rossman ( 2016 ) break down the purpose of a study into four categories: exploratory, explanatory, descriptive, and emancipatory ( 78 ). Exploratory purpose types include wanting to investigate little-understood phenomena, or identifying or discovering important new categories of meaning, or generating hypotheses for further research. For these, research questions might be fairly loose: What is going on here? How are people interacting on this site? What do people talk about when you ask them about the state of the world? You are almost (but never entirely) starting from scratch. Be careful though—just because a topic is new to you does not mean it is really new. Someone else (or many other someones) may already have done this exploratory research. Part of your job is to find this out (more on this in “What Is a ‘Literature Review’?” in chapter 9). Descriptive purposes (documenting and describing a phenomenon) are similar to exploratory purposes but with a much clearer goal (description). A good research question for a descriptive study would specify the actions, events, beliefs, attitudes, structures, and/or processes that will be described.

Most researchers find that their topic has already been explored and described, so they move to trying to explain a relationship or phenomenon. For these, you will want research questions that capture the relationships of interest. For example, how does gender influence one’s understanding of police brutality (because we already know from the literature that it does, so now we are interested in understanding how and why)? Or what is the relationship between education and climate change denialism? If you find that prior research has already provided a lot of evidence about those relationships as well as explanations for how they work, and you want to move the needle past explanation into action, you might find yourself trying to conduct an emancipatory study. You want to be even more clear in acknowledging past research if you find yourself here. Then create a research question that will allow you to “create opportunities and the will to engage in social action” ( Marshall and Rossman 2016:78 ). Research questions might ask, “How do participants problematize their circumstances and take positive social action?” If we know that some students have come together to fight against student debt, how are they doing this, and with what success? Your purpose would be to help evaluate possibilities for social change and to use your research to make recommendations for more successful emancipatory actions.

Recap: Be specific. Be clear. Be practical. And do what you love.

Choosing an Approach or Tradition

Qualitative researchers may be defined as those who are working with data that is not in numerical form, but there are actually multiple traditions or approaches that fall under this broad category. I find it useful to know a little bit about the history and development of qualitative research to better understand the differences in these approaches. The following chart provides an overview of the six phases of development identified by Denzin and Lincoln ( 2005 ):

Table 4.1. Six Phases of Development

There are other ways one could present the history as well. Feminist theory and methodologies came to the fore in the 1970s and 1980s and had a lot to do with the internal critique of more positivist approaches. Feminists were quite aware that standpoint matters—that the identity of the researcher plays a role in the research, and they were ardent supporters of dismantling unjust power systems and using qualitative methods to help advance this mission. You might note, too, that many of the internal disputes were basically epistemological disputes about how we know what we know and whether one’s social location/position delimits that knowledge. Today, we are in a bountiful world of qualitative research, one that embraces multiple forms of knowing and knowledge. This is good, but it means that you, the student, have more choice when it comes to situating your study and framing your research question, and some will expect you to signal the choices you have made in any research protocols you write or publications and presentations.

Creswell’s ( 1998 ) definition of qualitative research includes the notion of distinct traditions of inquiry: “Qualitative research is an inquiry process of understanding based on distinct methodological traditions of inquiry that explore a social or human problem. The research builds complex,   holistic pictures, analyzes words, reports detailed views of informants , and conducted the study in a natural setting” (15; emphases added). I usually caution my students against taking shelter under one of these approaches, as, practically speaking, there is a lot of mixing of traditions among researchers. And yet it is useful to know something about the various histories and approaches, particularly as you are first starting out. Each tradition tends to favor a particular epistemological perspective (see chapter 3), a way of reasoning (see “ Advanced: Inductive versus Deductive Reasoning ”), and a data-collection technique.

There are anywhere from ten to twenty “traditions of inquiry,” depending on how one draws the boundaries. In my accounting, there are twelve, but three approaches tend to dominate the field.

Ethnography

Ethnography was developed from the discipline of anthropology, as the study of (other) culture(s). From a relatively positivist/objective approach to writing down the “truth” of what is observed during the colonial era (where this “truth” was then often used to help colonial administrators maintain order and exploit people and extract resources more effectively), ethnography was adopted by all kinds of social science researchers to get a better understanding of how groups of people (various subcultures and cultures) live their lives. Today, ethnographers are more likely to be seeking to dismantle power relations than to support them. They often study groups of people that are overlooked and marginalized, and sometimes they do the obverse by demonstrating how truly strange the familiar practices of the dominant group are. Ethnography is also central to organizational studies (e.g., How does this institution actually work?) and studies of education (e.g., What is it like to be a student during the COVID era?).

Ethnographers use methods of participant observation and intensive fieldwork in their studies, often living or working among the group under study for months at a time (and, in some cases, years). I’ve called this “deep ethnography,” and it is the subject of chapter 14. The data ethnographers analyze are copious “field notes” written while in the field, often supplemented by in-depth interviews and many more casual conversations. The final product of ethnographers is a “thick” description of the culture. This makes reading ethnographies enjoyable, as the goal is to write in such a way that the reader feels immersed in the culture.

There are variations on the ethnography, such as the autoethnography , where the researcher uses a systematic and rigorous study of themselves to better understand the culture in which they find themselves. Autoethnography is a relatively new approach, even though it is derived from one of the oldest approaches. One can say that it takes to heart the feminist directive to “make the personal political,” to underscore the connections between personal experiences and larger social and political structures. Introspection becomes the primary data source.

Grounded Theory

Grounded Theory holds a special place in qualitative research for a few reasons, not least of which is that nonqualitative researchers often mistakenly believe that Grounded Theory is the only qualitative research methodology . Sometimes, it is easier for students to explain what they are doing as “Grounded Theory” because it sounds “more scientific” than the alternative descriptions of qualitative research. This is definitely part of its appeal. Grounded Theory is the name given to the systematic inductive approach first developed by Glaser and Strauss in 1967, The Discovery of Grounded Theory: Strategies for Qualitative Research . Too few people actually read Glaser and Strauss’s book. It is both groundbreaking and fairly unremarkable at the same time. As a historical intervention into research methods generally, it is both a sharp critique of positivist methods in the social sciences (theory testing) and a rejection of purely descriptive accounts-building qualitative research. Glaser and Strauss argued for an approach whose goal was to construct (middle-level) theories from recursive data analysis of nonnumerical data (interviews and observations). They advocated a “constant comparative method” in which coding and analysis take place simultaneously and recursively. The demands are fairly strenuous. If done correctly, the result is the development of a new theory about the social world.

So why do I call this “fairly unremarkable”? To some extent, all qualitative research already does what Glaser and Strauss ( 1967 ) recommend, albeit without denoting the processes quite so specifically. As will be seen throughout the rest of this textbook, all qualitative research employs some “constant comparisons” through recursive data analyses. Where Grounded Theory sets itself apart from a significant number of qualitative research projects, however, is in its dedication to inductively building theory. Personally, I think it is important to understand that Glaser and Strauss were rejecting deductive theory testing in sociology when they first wrote their book. They were part of a rising cohort who rejected the positivist mathematical approaches that were taking over sociology journals in the 1950s and 1960s. Here are some of the comments and points they make against this kind of work:

Accurate description and verification are not so crucial when one’s purpose is to generate theory. ( 28 ; further arguing that sampling strategies are different when one is not trying to test a theory or generalize results)

Illuminating perspectives are too often suppressed when the main emphasis is verifying theory. ( 40 )

Testing for statistical significance can obscure from theoretical relevance. ( 201 )

Instead, they argued, sociologists should be building theories about the social world. They are not physicists who spend time testing and refining theories. And they are not journalists who report descriptions. What makes sociologists better than journalists and other professionals is that they develop theory from their work “In their driving efforts to get the facts [research sociologists] tend to forget that the distinctive offering of sociology to our society is sociological theory, not research description” ( 30–31 ).

Grounded Theory’s inductive approach can be off-putting to students who have a general research question in mind and a working hypothesis. The true Grounded Theory approach is often used in exploratory studies where there are no extant theories. After all, the promise of this approach is theory generation, not theory testing. Flying totally free at the start can be terrifying. It can also be a little disingenuous, as there are very few things under the sun that have not been considered before. Barbour ( 2008:197 ) laments that this approach is sometimes used because the researcher is too lazy to read the relevant literature.

To summarize, Glaser and Strauss justified the qualitative research project in a way that gave it standing among the social sciences, especially vis-à-vis quantitative researchers. By distinguishing the constant comparative method from journalism, Glaser and Strauss enabled qualitative research to gain legitimacy.

So what is it exactly, and how does one do it? The following stages provide a succinct and basic overview, differentiating the portions that are similar to/in accordance with qualitative research methods generally and those that are distinct from the Grounded Theory approach:

Step 1. Select a case, sample, and setting (similar—unless you begin with a theory to test!).

Step 2. Begin data collection (similar).

Step 3. Engage data analysis (similar in general but specificity of details somewhat unique to Grounded Theory): (1) emergent coding (initial followed by focused), (2) axial (a priori) coding , (3) theoretical coding , (4) creation of theoretical categories; analysis ends when “theoretical saturation ” has been achieved.

Grounded Theory’s prescriptive (i.e., it has a set of rules) framework can appeal to beginning students, but it is unnecessary to adopt the entire approach in order to make use of some of its suggestions. And if one does not exactly follow the Grounded Theory rulebook, it can mislead others if you tend to call what you are doing Grounded Theory when you are not:

Grounded theory continues to be a misunderstood method, although many researchers purport to use it. Qualitative researchers often claim to conduct grounded theory studies without fully understanding or adopting its distinctive guidelines. They may employ one or two of the strategies or mistake qualitative analysis for grounded theory. Conversely, other researchers employ grounded theory methods in reductionist, mechanistic ways. Neither approach embodies the flexible yet systematic mode of inquiry, directed but open-ended analysis, and imaginative theorizing from empirical data that grounded theory methods can foster. Subsequently, the potential of grounded theory methods for generating middle-range theory has not been fully realized ( Charmaz 2014 ).

Phenomenology

Where Grounded Theory sets itself apart for its inductive systematic approach to data analysis, phenomenologies are distinct for their focus on what is studied—in this case, the meanings of “lived experiences” of a group of persons sharing a particular event or circumstance. There are phenomenologies of being working class ( Charlesworth 2000 ), of the tourist experience ( Cohen 1979 ), of Whiteness ( Ahmed 2007 ). The phenomenon of interest may also be an emotion or circumstance. One can study the phenomenon of “White rage,” for example, or the phenomenon of arranged marriage.

The roots of phenomenology lie in philosophy (Husserl, Heidegger, Merleau-Ponty, Sartre) but have been adapted by sociologists in particular. Phenomenologists explore “how human beings make sense of experience and transform experience into consciousness, both individually and as shared meaning” ( Patton 2002:104 ).

One of the most important aspects of conducting a good phenomenological study is getting the sample exactly right so that each person can speak to the phenomenon in question. Because the researcher is interested in the meanings of an experience, in-depth interviews are the preferred method of data collection. Observations are not nearly as helpful here because people may do a great number of things without meaning to or without being conscious of their implications. This is important to note because phenomenologists are studying not “the reality” of what happens at all but an articulated understanding of a lived experience. When reading a phenomenological study, it is important to keep this straight—too often I have heard students critique a study because the interviewer didn’t actually see how people’s behavior might conflict with what they say (which is, at heart, an epistemological issue!).

In addition to the “big three,” there are many other approaches; some are variations, and some are distinct approaches in their own right. Case studies focus explicitly on context and dynamic interactions over time and can be accomplished with quantitative or qualitative methods or a mixture of both (for this reason, I am not considering it as one of the big three qualitative methods, even though it is a very common approach). Whatever methods are used, a contextualized deep understanding of the case (or cases) is central.

Critical inquiry is a loose collection of techniques held together by a core argument that understanding issues of power should be the focus of much social science research or, to put this another way, that it is impossible to understand society (its people and institutions) without paying attention to the ways that power relations and power dynamics inform and deform those people and institutions. This attention to power dynamics includes how research is conducted too. All research fundamentally involves issues of power. For this reason, many critical inquiry traditions include a place for collaboration between researcher and researched. Examples include (1) critical narrative analysis, which seeks to describe the meaning of experience for marginalized or oppressed persons or groups through storytelling; (2) participatory action research, which requires collaboration between the researcher and the research subjects or community of interest; and (3) critical race analysis, a methodological application of Critical Race Theory (CRT), which posits that racial oppression is endemic (if not always throughout time and place, at least now and here).

Do you follow a particular tradition of inquiry? Why?

Shawn Wilson’s book, Research Is Ceremony: Indigenous Research Methods , is my holy grail. It really flipped my understanding of research and relationships. Rather than thinking linearly and approaching research in a more canonical sense, Wilson shook my world view by drawing me into a pattern of inquiry that emphasized transparency and relational accountability. The Indigenous research paradigm is applicable in all research settings, and I follow it because it pushes me to constantly evaluate my position as a knowledge seeker and knowledge sharer.

Autoethnography takes the researcher as the subject. This is one approach that is difficult to explain to more quantitatively minded researchers, as it seems to violate many of the norms of “scientific research” as understood by them. First, the sample size is quite small—the n is 1, the researcher. Two, the researcher is not a neutral observer—indeed, the subjectivity of the researcher is the main strength of this approach. Autoethnographies can be extremely powerful for their depth of understanding and reflexivity, but they need to be conducted in their own version of rigor to stand up to scrutiny by skeptics. If you are skeptical, read one of the excellent published examples out there—I bet you will be impressed with what you take away. As they say, the proof is in the pudding on this approach.

Advanced: Inductive versus Deductive Reasoning

There has been a great deal of ink shed in the discussion of inductive versus deductive approaches, not all of it very instructive. Although there is a huge conceptual difference between them, in practical terms, most researchers cycle between the two, even within the same research project. The simplest way to explain the difference between the two is that we are using deductive reasoning when we test an existing theory (move from general to particular), and we are using inductive reasoning when we are generating theory (move from particular to general). Figure 4.2 provides a schematic of the deductive approach. From the literature, we select a theory about the impact of student loan debt: student loan debt will delay homeownership among young adults. We then formulate a hypothesis based on this theory: adults in their thirties with high debt loads will be less likely to own homes than their peers who do not have high debt loads. We then collect data to test the hypothesis and analyze the results. We find that homeownership is substantially lower among persons of color and those who were the first in their families to graduate from college. Notably, high debt loads did not affect homeownership among White adults whose parents held college degrees. We thus refine the theory to match the new findings: student debt loads delay homeownership among some young adults, thereby increasing inequalities in this generation. We have now contributed new knowledge to our collective corpus.

chapter 4 of descriptive research

The inductive approach is contrasted in figure 4.3. Here, we did not begin with a preexisting theory or previous literature but instead began with an observation. Perhaps we were conducting interviews with young adults who held high amounts of debt and stumbled across this observation, struck by how many were renting apartments or small houses. We then noted a pattern—not all the young adults we were talking to were renting; race and class seemed to play a role here. We would then probably expand our study in a way to be able to further test this developing theory, ensuring that we were not seeing anomalous patterns. Once we were confident about our observations and analyses, we would then develop a theory, coming to the same place as our deductive approach, but in reverse.

chapter 4 of descriptive research

A third form of reasoning, abductive (sometimes referred to as probabilistic reasoning) was developed in the late nineteenth century by American philosopher Charles Sanders Peirce. I have included some articles for further reading for those interested.

Among social scientists, the deductive approach is often relaxed so that a research question is set based on the existing literature rather than creating a hypothesis or set of hypotheses to test. Some journals still require researchers to articulate hypotheses, however. If you have in mind a publication, it is probably a good idea to take a look at how most articles are organized and whether specific hypotheses statements are included.

Table 4.2. Twelve Approaches. Adapted from Patton 2002:132-133.

Further Readings

The following readings have been examples of various approaches or traditions of inquiry:

Ahmed, Sara. 2007. “A Phenomenology of Whiteness.” Feminist Theory 8(2):149–168.

Charlesworth, Simon. 2000. A Phenomenology of Working-Class Experience . Cambridge: Cambridge University Press.*

Clandinin, D. Jean, and F. Michael Connelly. 2000. Narrative Inquiry: Experience and Story in Qualitative Research . San Francisco: Jossey-Bass.

Cohen, E. 1979. “A Phenomenology of Tourist Experiences.” Sociology 13(2):179–201.

Cooke, Bill, and Uma Kothari, eds. 2001. Participation: The New Tyranny? London: Zed Books. A critique of participatory action.

Corbin, Juliet, and Anselm Strauss. 2008. Basics of Qualitative Research: Techniques and Procedures for Developing Grounded Theory . 3rd ed. Thousand Oaks, CA: SAGE.

Crabtree, B. F., and W. L. Miller, eds. 1999. Doing Qualitative Research: Multiple Strategies . Thousand Oaks, CA: SAGE.

Creswell, John W. 1997. Qualitative Inquiry and Research Design: Choosing among Five Approaches. Thousand Oaks, CA: SAGE.

Glaser, Barney G., and Anselm Strauss. 1967. The Discovery of Grounded Theory: Strategies for Qualitative Research . New York: Aldine.

Gobo, Giampetro, and Andrea Molle. 2008. Doing Ethnography . Thousand Oaks, CA: SAGE.

Hancock, Dawson B., and Bob Algozzine. 2016. Doing Case Study Research: A Practical Guide for Beginning Research . 3rd ed. New York: Teachers College Press.

Harding, Sandra. 1987. Feminism and Methodology . Bloomington: Indiana University Press.

Husserl, Edmund. (1913) 2017. Ideas: Introduction to Pure Phenomenology . Eastford, CT: Martino Fine Books.

Rose, Gillian. 2012. Visual Methodologies . 3rd ed. London: SAGE.

Van der Riet, M. 2009. “Participatory Research and the Philosophy of Social Science: Beyond the Moral Imperative.” Qualitative Inquiry 14(4):546–565.

Van Manen, Max. 1990. Researching Lived Experience: Human Science for an Action Sensitive Pedagogy . Albany: State University of New York.

Wortham, Stanton. 2001. Narratives in Action: A Strategy for Research and Analysis . New York: Teachers College Press.

Inductive, Deductive, and Abductive Reasoning and Nomothetic Science in General

Aliseda, Atocha. 2003. “Mathematical Reasoning vs. Abductive Reasoning: A Structural Approach.” Synthese 134(1/2):25–44.

Bonk, Thomas. 1997. “Newtonian Gravity, Quantum Discontinuity and the Determination of Theory by Evidence.” Synthese 112(1):53–73. A (natural) scientific discussion of inductive reasoning.

Bonnell, Victoria E. 1980. “The Uses of Theory, Concepts and Comparison in Historical Sociology.” C omparative Studies in Society and History 22(2):156–173.

Crane, Mark, and Michael C. Newman. 1996. “Scientific Method in Environmental Toxicology.” Environmental Reviews 4(2):112–122.

Huang, Philip C. C., and Yuan Gao. 2015. “Should Social Science and Jurisprudence Imitate Natural Science?” Modern China 41(2):131–167.

Mingers, J. 2012. “Abduction: The Missing Link between Deduction and Induction. A Comment on Ormerod’s ‘Rational Inference: Deductive, Inductive and Probabilistic Thinking.’” Journal of the Operational Research Society 63(6):860–861.

Ormerod, Richard J. 2010. “Rational Inference: Deductive, Inductive and Probabilistic Thinking.” Journal of the Operational Research Society 61(8):1207–1223.

Perry, Charner P. 1927. “Inductive vs. Deductive Method in Social Science Research.” Southwestern Political and Social Science Quarterly 8(1):66–74.

Plutynski, Anya. 2011. “Four Problems of Abduction: A Brief History.” HOPOS: The Journal of the International Society for the History of Philosophy of Science 1(2):227–248.

Thompson, Bruce, and Gloria M. Borrello. 1992. “Different Views of Love: Deductive and Inductive Lines of Inquiry.” Current Directions in Psychological Science 1(5):154–156.

Tracy, Sarah J. 2012. “The Toxic and Mythical Combination of a Deductive Writing Logic for Inductive Qualitative Research.” Qualitative Communication Research 1(1):109–141.

A place or collection containing records, documents, or other materials of historical interest; most universities have an archive of material related to the university’s history, as well as other “special collections” that may be of interest to members of the community.

A person who introduces the researcher to a field site’s culture and population.  Also referred to as guides.  Used in ethnography .

A form of research and a methodological tradition of inquiry in which the researcher uses self-reflection and writing to explore personal experiences and connect this autobiographical story to wider cultural, political, and social meanings and understandings.  “Autoethnography is a research method that uses a researcher's personal experience to describe and critique cultural beliefs, practices, and experiences” ( Adams, Jones, and Ellis 2015 ).

The philosophical framework in which research is conducted; the approach to “research” (what practices this entails, etc.).  Inevitably, one’s epistemological perspective will also guide one’s methodological choices, as in the case of a constructivist who employs a Grounded Theory approach to observations and interviews, or an objectivist who surveys key figures in an organization to find out how that organization is run.  One of the key methodological distinctions in social science research is that between quantitative and qualitative research.

The process of labeling and organizing qualitative data to identify different themes and the relationships between them; a way of simplifying data to allow better management and retrieval of key themes and illustrative passages.  See coding frame and  codebook.

A later stage coding process used in Grounded Theory in which data is reassembled around a category, or axis.

A later stage-coding process used in Grounded Theory in which key words or key phrases capture the emergent theory.

The point at which you can conclude data collection because every person you are interviewing, the interaction you are observing, or content you are analyzing merely confirms what you have already noted.  Achieving saturation is often used as the justification for the final sample size.

A methodological tradition of inquiry that focuses on the meanings held by individuals and/or groups about a particular phenomenon (e.g., a “phenomenology of whiteness” or a “phenomenology of first-generation college students”).  Sometimes this is referred to as understanding “the lived experience” of a particular group or culture.  Interviews form the primary tool of data collection for phenomenological studies.  Derived from the German philosophy of phenomenology (Husserl 1913; 2017).

The number of individuals (or units) included in your sample

A form of reasoning which employs a “top-down” approach to drawing conclusions: it begins with a premise or hypothesis and seeks to verify it (or disconfirm it) with newly collected data.  Inferences are made based on widely accepted facts or premises.  Deduction is idea-first, followed by observations and a conclusion.  This form of reasoning is often used in quantitative research and less often in qualitative research.  Compare to inductive reasoning .  See also abductive reasoning .

A form of reasoning that employs a “bottom-up” approach to drawing conclusions: it begins with the collection of data relevant to a particular question and then seeks to build an argument or theory based on an analysis of that data.  Induction is observation first, followed by an idea that could explain what has been observed.  This form of reasoning is often used in qualitative research and seldom used in qualitative research.  Compare to deductive reasoning .  See also abductive reasoning .

An “interpretivist” form of reasoning in which “most likely” conclusions are drawn, based on inference.  This approach is often used by qualitative researchers who stress the recursive nature of qualitative data analysis.  Compare with deductive reasoning and inductive reasoning .

A form of social science research that generally follows the scientific method as established in the natural sciences.  In contrast to idiographic research , the nomothetic researcher looks for general patterns and “laws” of human behavior and social relationships.  Once discovered, these patterns and laws will be expected to be widely applicable.  Quantitative social science research is nomothetic because it seeks to generalize findings from samples to larger populations.  Most qualitative social science research is also nomothetic, although generalizability is here understood to be theoretical in nature rather than statistical .  Some qualitative researchers, however, espouse the idiographic research paradigm instead.

Introduction to Qualitative Research Methods Copyright © 2023 by Allison Hurst is licensed under a Creative Commons Attribution-ShareAlike 4.0 International License , except where otherwise noted.

IMAGES

  1. Descriptive Research Examples

    chapter 4 of descriptive research

  2. Descriptive Research: Methods, Types, and Examples

    chapter 4 of descriptive research

  3. PPT

    chapter 4 of descriptive research

  4. Descriptive Research

    chapter 4 of descriptive research

  5. Chapter Four

    chapter 4 of descriptive research

  6. Descriptive Research Design Methodology

    chapter 4 of descriptive research

VIDEO

  1. Descriptive Research vs Experimental Research Differences #researchmethodology #research

  2. How To Write A Descriptive Essay Step by Step #Shorts

  3. 4-Descriptive Data Collection Survey Overview

  4. Quantitative Research||Characteristics, Types, Advantages and Disadvantages of Quantitative Research

  5. Purpose of Research: Descriptive Research

  6. Find Qualitative Descriptive Research Participants

COMMENTS

  1. PDF Chapter 4: Analysis and Interpretation of Results

    4.1 INTRODUCTION To complete this study properly, it is necessary to analyse the data collected in order to test the hypothesis and answer the research questions. As already indicated in the preceding chapter, data is interpreted in a descriptive form. This chapter comprises the analysis, presentation and interpretation of the findings resulting

  2. Chapter Four Data Presentation, Analysis and Interpretation 4.0

    DATA PRESENTATION, ANALYSIS AND INTERPRETATION. 4.0 Introduction. This chapter is concerned with data pres entation, of the findings obtained through the study. The. findings are presented in ...

  3. PDF Quantitative Research Dissertation Chapters 4 and 5 (Suggested Content

    and reliability in this sub-section of Method, not in Chapter 4. Chapter 4: Results 1. Opening of Chapter Briefly restate, in a few sentences or a paragraph, the purpose of study, and research questions and hypotheses. 2. Data Examination, Variable Scoring, and Descriptive Statistics Before presenting results that address your research ...

  4. PDF Descriptive analysis in education: A guide for researchers

    Chapter 3. Conducting Descriptive Analysis. Focuses on the specific components of description— including the research question, constructs, measur es, samples, and methods of distillation and anal-ysis—that are of primary importance when designing and conducting effective descriptive research. Chapter 4. Communicating Descriptive Analysis.

  5. Chapter 4 Descriptive Analysis

    Chapter 4 Descriptive Analysis. Chapter 4. Descriptive Analysis. The goal of descriptive analysis is to describe or summarize a set of data. Whenever you get a new dataset to examine, this is the first analysis you will perform. In fact, if you never summarize the data, it's not a data analysis. Descriptive Analysis summarizes the dataset.

  6. PDF Essentials of Descriptive-Interpretive Qualitative Research: A Generic

    Therefore, we talk about "generic" or "descriptive-interpretive" approaches to qualitative research that share in common an effort to describe, summarize, and classify what is present in the data, which always, as we explain in Chapter 4, involves a degree of interpretation. 3.

  7. Descriptive Research

    Video 2.4.1. Descriptive Research Design provides explanation and examples for quantitative descriptive research.A closed-captioned version of this video is available here.. Descriptive research is distinct from correlational research, in which researchers formally test whether a relationship exists between two or more variables. Experimental research goes a step further beyond descriptive and ...

  8. Descriptive Research

    Descriptive research aims to accurately and systematically describe a population, situation or phenomenon. It can answer what, where, when and how questions, but not why questions. A descriptive research design can use a wide variety of research methods to investigate one or more variables. Unlike in experimental research, the researcher does ...

  9. The Elements of Chapter 4

    Chapter 4. What needs to be included in the chapter? The topics below are typically included in this chapter, and often in this order (check with your Chair): Introduction. Remind the reader what your research questions were. In a qualitative study you will restate the research questions. In a quantitative study you will present the hypotheses.

  10. Chapter 4 Considerations

    Descriptive statistics; In quantitative research, when presenting important results. Consult APA to ensure that you use the appropriate format for tables, charts, and figures. You will want to consider what information goes in an appendix as opposed to in the body of the chapter.

  11. PDF Writing Chapters 4 & 5 of the Research Study

    Present Demographics. Present the descriptive data: explaining the age, gender, or relevant related information on the population (describe the sample). Summarize the demographics of the sample, and present in a table format after the narration (Simon, 2006). Otherwise, the table is included as an Appendix and referred to in the narrative of ...

  12. Dissertation Results/Findings Chapter (Quantitative)

    As a general guide, your results chapter will typically include the following: Some demographic data about your sample; Reliability tests (if you used measurement scales); Descriptive statistics; Inferential statistics (if your research objectives and questions require these); Hypothesis tests (again, if your research objectives and questions require these); We'll discuss each of these ...

  13. Dissertation Chapter 4: Results

    The results chapter, or dissertation chapter 4, is an integral part of any dissertation research. ... dissertation results chapters include descriptive statistics of the demographic variables (means, standard deviation, frequencies and percentages), as well as the reliabilities of any composite scores. The analyses should then be focused on ...

  14. PDF CHAPTER 4 Research design and methodology

    4.1.1 Introduction. Every type of empirical research has implicit, if not explicit, research design. In the most elementary sense, the design is a logical sequence that connects empirical data to a study's initial research questions and ultimately, to its conclusions. In a sense the research design is a blueprint of research, dealing with at ...

  15. PDF Chapter 4 Analysis and Interpretation of Research Results

    Chapter 4 of this research study. Results are presented using graphs and tables, followed by a relevant discussion. A summary on correlations, findings and the like, appear after the ... The results, which are descriptive in nature, are indicated by means of frequency tables and pie charts. 4.4.1 Demographic location of organisations ...

  16. PDF Writing a Dissertation's Chapter 4 and 5 1 By Dr. Kimberly Blum Rita

    Sharing an outline of chapter four and five general sections enables dissertation. online mentors teach how to write chapter four and five to dissertation students. Gathering and analyzing data should be fun; the student's passion clearly present in the. last two chapters of the dissertation.

  17. Chapter IV

    CHAPTER IV PRESENTATION, ANALYSIS AND INTERPRETATION OF DATA. This chapter presents the results, the analysis and interpretation of data gathered. from the answers to the questionnaires distributed to the field. The said data were. presented in tabular form in accordance with the specific questions posited on the. statement of the problem.

  18. PDF CHAPTER 4 Data analysis and discussion

    4.1 INTRODUCTION. This chapter presents the data and a discussion of the findings. A quantitative, descriptive survey design was used to collect data from subjects. Two questionnaires, one for diabetic patients and the other for family members of diabetic patients, were administered to subjects by the researcher personally.

  19. PDF Chapter 4 Research Methodology

    Finally, Section 4.6 summarizes this chapter. 4.2 Research Design The role of research design is to connect the questions to data. Design sits between the two, showing how the research questions will be connected to the data, and the tools and ... descriptive study sets out to collect, organize, and summarize information about the matter ...

  20. (Pdf) Chapter 4 Research Design and Methodology

    100. CHAPTER 4. RESEARCH DESIGN AND METHODOLOGY. 4.1 INTRODUCTION. Chapter three discussed conditions influencing teaching and learning in rural schools. and established the characteristics for ...

  21. Chapter 4. Finding a Research Question and Approaches to Qualitative

    A good research question for a descriptive study would specify the actions, events, beliefs, attitudes, structures, and/or processes that will be described. Most researchers find that their topic has already been explored and described, so they move to trying to explain a relationship or phenomenon.

  22. PDF CHAPTER 4 QUALITATIVE DATA ANALYSIS

    4.1 INTRODUCTION. In this chapter, I describe the qualitative analysis of the data, including the practical steps involved in the analysis. A quantitative analysis of the data follows in Chapter 5. In the qualitative phase, I analyzed the data into generative themes, which will be described individually. I describe how the themes overlap.