The left-hand side of assignment expression may not be an optional property access

avatar

Last updated: Jan 23, 2023 Reading time · 4 min

banner

# The left-hand side of assignment expression may not be an optional property access

The error "The left-hand side of an assignment expression may not be an optional property access" occurs when we try to use optional chaining (?.) to assign a property to an object.

To solve the error, use an if statement that serves as a type guard instead.

Here is an example of how the error occurs.

left hand side of assignment expression may not be optional property

We aren't allowed to use the optional chaining (?.) operator on the left-hand side of an assignment.

# Use an if statement as a type guard to solve the error

To solve the error, use an if statement as a type guard before the assignment.

use if statement as type guard to solve the error

We used the loose not equals operator (!=), to check if the variable is NOT equal to null and undefined .

This works because when compared loosely, null is equal to undefined .

The if block is only run if employee doesn't store an undefined or a null value.

This is similar to what the optional chaining (?.) operator does.

# Using the non-null assertion operator to solve the error

You might also see examples online that use the non-null assertion operator to solve the error.

The exclamation mark is the non-null assertion operator in TypeScript.

When you use this approach, you basically tell TypeScript that this value will never be null or undefined .

Here is an example of using this approach to set a property on an object.

using non null assertion to solve the error

In most cases, you should use a simple if statement that serves as a type guard as we did in the previous code sample.

# Avoiding the error with a type assertion

You can also use a type assertion to avoid getting the error. However, this isn't recommended.

avoiding the error with type assertion

The (employee as Employee) syntax is called a type assertion.

Type assertions are used when we have information about the type of a value that TypeScript can't know about.

We effectively tell TypeScript that the employee variable will have a type of Employee and not to worry about it.

This could go wrong if the variable is null or undefined as accessing a property on a null or an undefined value would cause a runtime error.

# Using the logical AND (&&) operator to get around the error

You can also use the logical AND (&&) operator to avoid getting the error.

using logical and operator to get around the error

The logical AND (&&) operator checks if the value to the left is truthy before evaluating the statement in the parentheses.

If the employee variable stores a falsy value (e.g. null or undefined ), the code to the right of the logical AND (&&) operator won't run at all.

The falsy values in JavaScript are: false , undefined , null , 0 , "" (empty string), NaN (not a number).

All other values are truthy.

However, this approach can only be used to assign a single property at a time if the value is not equal to null and undefined .

# The optional chaining operator should only be used when accessing properties

The optional chaining (?.) operator short-circuits if the reference is equal to null or undefined .

The optional chaining (?.) operator will simply return undefined in the example because employee has a value of undefined .

The purpose of the optional chaining (?.) operator is accessing deeply nested properties without erroring out if a value in the chain is equal to null or undefined .

However, the optional chaining operator cannot be used on the left-hand side of an assignment expression.

# Additional Resources

You can learn more about the related topics by checking out the following tutorials:

  • How to Check the Type of a Variable in TypeScript
  • Exclamation Mark (non-null assertion) operator in TypeScript
  • The ?. operator (optional chaining) in TypeScript
  • Declare and Type a nested Object in TypeScript
  • How to Add a property to an Object in TypeScript
  • Check if a Property exists in an Object in TypeScript
  • The left-hand side of an arithmetic operation must be type 'any', 'number', 'bigint' or an enum type

book cover

Borislav Hadzhiev

Web Developer

buy me a coffee

Copyright © 2024 Borislav Hadzhiev

ReferenceError: invalid assignment left-hand side

The JavaScript exception "invalid assignment left-hand side" occurs when there was an unexpected assignment somewhere. For example, a single " = " sign was used instead of " == " or " === ".

ReferenceError .

What went wrong?

There was an unexpected assignment somewhere. This might be due to a mismatch of a assignment operator and an equality operator , for example. While a single " = " sign assigns a value to a variable, the " == " or " === " operators compare a value.

Typical invalid assignments

In the if statement, you want to use an equality operator ("=="), and for the string concatenation, the plus ("+") operator is needed.

  • Assignment operators
  • Equality operators

© 2005–2021 MDN contributors. Licensed under the Creative Commons Attribution-ShareAlike License v2.5 or later. https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Errors/Invalid_assignment_left-hand_side

How to fix SyntaxError: invalid assignment left-hand side

by Nathan Sebhastian

Posted on Jul 10, 2023

Reading time: 3 minutes

babel invalid left hand side in assignment expression

When running JavaScript code, you might encounter an error that says:

Both errors are the same, and they occured when you use the single equal = sign instead of double == or triple === equals when writing a conditional statement with multiple conditions.

Let me show you an example that causes this error and how I fix it.

How to reproduce this error

Suppose you have an if statement with two conditions that use the logical OR || operator.

You proceed to write the statement as follows:

When you run the code above, you’ll get the error:

This error occurs because you used the assignment operator with the logical OR operator.

An assignment operator doesn’t return anything ( undefined ), so using it in a logical expression is a wrong syntax.

How to fix this error

To fix this error, you need to replace the single equal = operator with the double == or triple === equals.

Here’s an example:

By replacing the assignment operator with the comparison operator, the code now runs without any error.

The double equal is used to perform loose comparison, while the triple equal performs a strict comparison. You should always use the strict comparison operator to avoid bugs in your code.

Other causes for this error

There are other kinds of code that causes this error, but the root cause is always the same: you used a single equal = when you should be using a double or triple equals.

For example, you might use the addition assignment += operator when concatenating a string:

The code above is wrong. You should use the + operator without the = operator:

Another common cause is that you assign a value to another value:

This is wrong because you can’t assign a value to another value.

You need to declare a variable using either let or const keyword, and you don’t need to wrap the variable name in quotations:

You can also see this error when you use optional chaining as the assignment target.

For example, suppose you want to add a property to an object only when the object is defined:

Here, we want to assign the age property to the person object only when the person object is defined.

But this will cause the invalid assignment left-hand side error. You need to use the old if statement to fix this:

Now the error is resolved.

The JavaScript error SyntaxError: invalid assignment left-hand side occurs when you have an invalid syntax on the left-hand side of the assignment operator.

This error usually occurs because you used the assignment operator = when you should be using comparison operators == or === .

Once you changed the operator, the error would be fixed.

I hope this tutorial helps. Happy coding!

Take your skills to the next level ⚡️

I'm sending out an occasional email with the latest tutorials on programming, web development, and statistics. Drop your email in the box below and I'll send new stuff straight into your inbox!

Hello! This website is dedicated to help you learn tech and data science skills with its step-by-step, beginner-friendly tutorials. Learn statistics, JavaScript and other programming languages using clear examples written for people.

Learn more about this website

Connect with me on Twitter

Or LinkedIn

Type the keyword below and hit enter

Click to see all tutorials tagged with:

  • Skip to main content
  • Select language
  • Skip to search
  • ReferenceError: invalid assignment left-hand side

ReferenceError .

What went wrong?

There was an unexpected assignment somewhere. This might be due to a mismatch of a assignment operator and a comparison operator , for example. While a single " = " sign assigns a value to a variable, the " == " or " === " operators compare a value.

In the if statement, you want to use a comparison operator ("=="), and for the string concatenation, the plus ("+") operator is needed.

  • Assignment operators
  • Comparison operators

Document Tags and Contributors

  • ReferenceError
  • Introduction
  • Grammar and types
  • Control flow and error handling
  • Loops and iteration
  • Expressions and operators
  • Numbers and dates
  • Text formatting
  • Regular expressions
  • Indexed collections
  • Keyed collections
  • Working with objects
  • Details of the object model
  • Iterators and generators
  • Meta programming
  • JavaScript basics
  • JavaScript technologies overview
  • Introduction to Object Oriented JavaScript
  • A re-introduction to JavaScript
  • JavaScript data structures
  • Equality comparisons and sameness
  • Inheritance and the prototype chain
  • Strict mode
  • JavaScript typed arrays
  • Memory Management
  • Concurrency model and Event Loop
  • References:
  • ArrayBuffer
  • AsyncFunction
  • Float32Array
  • Float64Array
  • GeneratorFunction
  • InternalError
  • Intl.Collator
  • Intl.DateTimeFormat
  • Intl.NumberFormat
  • ParallelArray
  • SIMD.Bool16x8
  • SIMD.Bool32x4
  • SIMD.Bool64x2
  • SIMD.Bool8x16
  • SIMD.Float32x4
  • SIMD.Float64x2
  • SIMD.Int16x8
  • SIMD.Int32x4
  • SIMD.Int8x16
  • SIMD.Uint16x8
  • SIMD.Uint32x4
  • SIMD.Uint8x16
  • SharedArrayBuffer
  • StopIteration
  • SyntaxError
  • Uint16Array
  • Uint32Array
  • Uint8ClampedArray
  • decodeURI()
  • decodeURIComponent()
  • encodeURI()
  • encodeURIComponent()
  • parseFloat()
  • Arithmetic operators
  • Array comprehensions
  • Bitwise operators
  • Comma operator
  • Conditional (ternary) Operator
  • Destructuring assignment
  • Expression closures
  • Generator comprehensions
  • Grouping operator
  • Legacy generator function expression
  • Logical Operators
  • Object initializer
  • Operator precedence
  • Property accessors
  • Spread syntax
  • async function expression
  • class expression
  • delete operator
  • function expression
  • function* expression
  • in operator
  • new operator
  • void operator
  • Legacy generator function
  • async function
  • for each...in
  • try...catch
  • Arguments object
  • Arrow functions
  • Default parameters
  • Method definitions
  • Rest parameters
  • constructor
  • Error: Permission denied to access property "x"
  • InternalError: too much recursion
  • RangeError: argument is not a valid code point
  • RangeError: invalid array length
  • RangeError: precision is out of range
  • RangeError: radix must be an integer
  • RangeError: repeat count must be less than infinity
  • RangeError: repeat count must be non-negative
  • ReferenceError: "x" is not defined
  • ReferenceError: assignment to undeclared variable "x"
  • ReferenceError: deprecated caller or arguments usage
  • ReferenceError: reference to undefined property "x"
  • SyntaxError: "use strict" not allowed in function with non-simple parameters
  • SyntaxError: "x" is not a legal ECMA-262 octal constant
  • SyntaxError: JSON.parse: bad parsing
  • SyntaxError: Malformed formal parameter
  • SyntaxError: Unexpected token
  • SyntaxError: Using //@ to indicate sourceURL pragmas is deprecated. Use //# instead
  • SyntaxError: missing ) after argument list
  • SyntaxError: missing ; before statement
  • SyntaxError: missing ] after element list
  • SyntaxError: missing } after property list
  • SyntaxError: redeclaration of formal parameter "x"
  • SyntaxError: return not in function
  • SyntaxError: test for equality (==) mistyped as assignment (=)?
  • SyntaxError: unterminated string literal
  • TypeError: "x" has no properties
  • TypeError: "x" is (not) "y"
  • TypeError: "x" is not a constructor
  • TypeError: "x" is not a function
  • TypeError: "x" is read-only
  • TypeError: More arguments needed
  • TypeError: invalid Array.prototype.sort argument
  • TypeError: property "x" is non-configurable and can't be deleted
  • TypeError: variable "x" redeclares argument
  • Warning: -file- is being assigned a //# sourceMappingURL, but already has one
  • Warning: JavaScript 1.6's for-each-in loops are deprecated
  • Warning: unreachable code after return statement
  • Lexical grammar
  • Enumerability and ownership of properties
  • Iteration protocols
  • Transitioning to strict mode
  • Template literals
  • Deprecated features
  • ECMAScript 5 support in Mozilla
  • ECMAScript 6 support in Mozilla
  • ECMAScript Next support in Mozilla
  • Firefox JavaScript changelog
  • New in JavaScript 1.1
  • New in JavaScript 1.2
  • New in JavaScript 1.3
  • New in JavaScript 1.4
  • New in JavaScript 1.5
  • New in JavaScript 1.6
  • New in JavaScript 1.7
  • New in JavaScript 1.8
  • New in JavaScript 1.8.1
  • New in JavaScript 1.8.5
  • Documentation:
  • All pages index
  • Methods index
  • Properties index
  • Pages tagged "JavaScript"
  • JavaScript doc status
  • The MDN project

Invalid left-hand side in assignment expression

Hello. I am attempting to create a self-generating biology question that randomly generates three numbers for the problem question, then asks a yes or no question. When I was attempting to create the function that checks for the answer to the question and compared it to the student input, I get the “Invalid left-hand side in assignment expression”

My code is here, line 33 in the JavaScript window: https://codepen.io/KDalang/pen/OJpEdQB

Here is the specific line in question: if (chiTotal <= 3.841 && input=“Yes”) What did I do wrong?

= is assignment of a value to a variable == is weak comparison (with type coercion) === is strong comparison (probably what you want)

Hey thanks for the quick reply! I actually want it to be a “less than or equal to” and I used <=. <== and <=== don’t do anything either.

Edit: Nevermind, I understand now.

Do you try to compare values or do you try to assign a value?

Oh my gosh! Sorry its 2a.m. over here I understand what you and JeremyLT are saying now. Thanks so much!

This topic was automatically closed 182 days after the last reply. New replies are no longer allowed.

  • 90% Refund @Courses
  • DSA with JS - Self Paced
  • JS Tutorial
  • JS Exercise
  • JS Interview Questions
  • JS Operator
  • JS Projects
  • JS Cheat Sheet
  • JS Examples
  • JS Free JS Course
  • JS A to Z Guide
  • JS Formatter
  • JS Web Technology

Related Articles

  • Solve Coding Problems
  • JavaScript SyntaxError - Missing } after property list
  • JavaScript ReferenceError - Reference to undefined property "x"
  • JavaScript ReferenceError - Can't access lexical declaration`variable' before initialization
  • JavaScript SyntaxError - Applying the 'delete' operator to an unqualified name is deprecated
  • JavaScript SyntaxError - Test for equality (==) mistyped as assignment (=)?
  • JavaScript SyntaxError - Missing formal parameter
  • JavaScript RangeError - Repeat count must be non-negative
  • JavaScript ReferenceError Deprecated caller or arguments usage
  • JavaScript SyntaxError - Missing } after function body
  • JavaScript Warning - Date.prototype.toLocaleFormat is deprecated
  • JavaScript SyntaxError "variable" is a reserved identifier
  • JavaScript TypeError - Setting getter-only property "x"
  • JavaScript TypeError - Invalid 'instanceof' operand 'x'
  • JavaScript TypeError - Invalid Array.prototype.sort argument
  • JavaScript RangeError - Invalid date
  • JavaScript TypeError - X.prototype.y called on incompatible type
  • JavaScript SyntaxError: Unterminated string literal
  • JavaScript TypeError - "X" is not a non-null object
  • JavaScript TypeError - "X" is not a function

JavaScript ReferenceError – Invalid assignment left-hand side

This JavaScript exception invalid assignment left-hand side occurs if there is a wrong assignment somewhere in code. A single “=” sign instead of “==” or “===” is an Invalid assignment.

Error Type:

Cause of the error: There may be a misunderstanding between the assignment operator and a comparison operator.

Basic Example of ReferenceError – Invalid assignment left-hand side, run the code and check the console

Example 1: In this example, “=” operator is misused as “==”, So the error occurred.

Example 2: In this example, the + operator is used with the declaration, So the error has not occurred.

Output: 

Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape, GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out - check it out now !

Please Login to comment...

  • JavaScript-Errors
  • Web Technologies
  • shobhit_sharma
  • vishalkumar2204

Improve your Coding Skills with Practice

 alt=

What kind of Experience do you want to share?

identify the thesis statement

The Writing Center • University of North Carolina at Chapel Hill

Thesis Statements

What this handout is about.

This handout describes what a thesis statement is, how thesis statements work in your writing, and how you can craft or refine one for your draft.

Introduction

Writing in college often takes the form of persuasion—convincing others that you have an interesting, logical point of view on the subject you are studying. Persuasion is a skill you practice regularly in your daily life. You persuade your roommate to clean up, your parents to let you borrow the car, your friend to vote for your favorite candidate or policy. In college, course assignments often ask you to make a persuasive case in writing. You are asked to convince your reader of your point of view. This form of persuasion, often called academic argument, follows a predictable pattern in writing. After a brief introduction of your topic, you state your point of view on the topic directly and often in one sentence. This sentence is the thesis statement, and it serves as a summary of the argument you’ll make in the rest of your paper.

What is a thesis statement?

A thesis statement:

  • tells the reader how you will interpret the significance of the subject matter under discussion.
  • is a road map for the paper; in other words, it tells the reader what to expect from the rest of the paper.
  • directly answers the question asked of you. A thesis is an interpretation of a question or subject, not the subject itself. The subject, or topic, of an essay might be World War II or Moby Dick; a thesis must then offer a way to understand the war or the novel.
  • makes a claim that others might dispute.
  • is usually a single sentence near the beginning of your paper (most often, at the end of the first paragraph) that presents your argument to the reader. The rest of the paper, the body of the essay, gathers and organizes evidence that will persuade the reader of the logic of your interpretation.

If your assignment asks you to take a position or develop a claim about a subject, you may need to convey that position or claim in a thesis statement near the beginning of your draft. The assignment may not explicitly state that you need a thesis statement because your instructor may assume you will include one. When in doubt, ask your instructor if the assignment requires a thesis statement. When an assignment asks you to analyze, to interpret, to compare and contrast, to demonstrate cause and effect, or to take a stand on an issue, it is likely that you are being asked to develop a thesis and to support it persuasively. (Check out our handout on understanding assignments for more information.)

How do I create a thesis?

A thesis is the result of a lengthy thinking process. Formulating a thesis is not the first thing you do after reading an essay assignment. Before you develop an argument on any topic, you have to collect and organize evidence, look for possible relationships between known facts (such as surprising contrasts or similarities), and think about the significance of these relationships. Once you do this thinking, you will probably have a “working thesis” that presents a basic or main idea and an argument that you think you can support with evidence. Both the argument and your thesis are likely to need adjustment along the way.

Writers use all kinds of techniques to stimulate their thinking and to help them clarify relationships or comprehend the broader significance of a topic and arrive at a thesis statement. For more ideas on how to get started, see our handout on brainstorming .

How do I know if my thesis is strong?

If there’s time, run it by your instructor or make an appointment at the Writing Center to get some feedback. Even if you do not have time to get advice elsewhere, you can do some thesis evaluation of your own. When reviewing your first draft and its working thesis, ask yourself the following :

  • Do I answer the question? Re-reading the question prompt after constructing a working thesis can help you fix an argument that misses the focus of the question. If the prompt isn’t phrased as a question, try to rephrase it. For example, “Discuss the effect of X on Y” can be rephrased as “What is the effect of X on Y?”
  • Have I taken a position that others might challenge or oppose? If your thesis simply states facts that no one would, or even could, disagree with, it’s possible that you are simply providing a summary, rather than making an argument.
  • Is my thesis statement specific enough? Thesis statements that are too vague often do not have a strong argument. If your thesis contains words like “good” or “successful,” see if you could be more specific: why is something “good”; what specifically makes something “successful”?
  • Does my thesis pass the “So what?” test? If a reader’s first response is likely to  be “So what?” then you need to clarify, to forge a relationship, or to connect to a larger issue.
  • Does my essay support my thesis specifically and without wandering? If your thesis and the body of your essay do not seem to go together, one of them has to change. It’s okay to change your working thesis to reflect things you have figured out in the course of writing your paper. Remember, always reassess and revise your writing as necessary.
  • Does my thesis pass the “how and why?” test? If a reader’s first response is “how?” or “why?” your thesis may be too open-ended and lack guidance for the reader. See what you can add to give the reader a better take on your position right from the beginning.

Suppose you are taking a course on contemporary communication, and the instructor hands out the following essay assignment: “Discuss the impact of social media on public awareness.” Looking back at your notes, you might start with this working thesis:

Social media impacts public awareness in both positive and negative ways.

You can use the questions above to help you revise this general statement into a stronger thesis.

  • Do I answer the question? You can analyze this if you rephrase “discuss the impact” as “what is the impact?” This way, you can see that you’ve answered the question only very generally with the vague “positive and negative ways.”
  • Have I taken a position that others might challenge or oppose? Not likely. Only people who maintain that social media has a solely positive or solely negative impact could disagree.
  • Is my thesis statement specific enough? No. What are the positive effects? What are the negative effects?
  • Does my thesis pass the “how and why?” test? No. Why are they positive? How are they positive? What are their causes? Why are they negative? How are they negative? What are their causes?
  • Does my thesis pass the “So what?” test? No. Why should anyone care about the positive and/or negative impact of social media?

After thinking about your answers to these questions, you decide to focus on the one impact you feel strongly about and have strong evidence for:

Because not every voice on social media is reliable, people have become much more critical consumers of information, and thus, more informed voters.

This version is a much stronger thesis! It answers the question, takes a specific position that others can challenge, and it gives a sense of why it matters.

Let’s try another. Suppose your literature professor hands out the following assignment in a class on the American novel: Write an analysis of some aspect of Mark Twain’s novel Huckleberry Finn. “This will be easy,” you think. “I loved Huckleberry Finn!” You grab a pad of paper and write:

Mark Twain’s Huckleberry Finn is a great American novel.

You begin to analyze your thesis:

  • Do I answer the question? No. The prompt asks you to analyze some aspect of the novel. Your working thesis is a statement of general appreciation for the entire novel.

Think about aspects of the novel that are important to its structure or meaning—for example, the role of storytelling, the contrasting scenes between the shore and the river, or the relationships between adults and children. Now you write:

In Huckleberry Finn, Mark Twain develops a contrast between life on the river and life on the shore.
  • Do I answer the question? Yes!
  • Have I taken a position that others might challenge or oppose? Not really. This contrast is well-known and accepted.
  • Is my thesis statement specific enough? It’s getting there–you have highlighted an important aspect of the novel for investigation. However, it’s still not clear what your analysis will reveal.
  • Does my thesis pass the “how and why?” test? Not yet. Compare scenes from the book and see what you discover. Free write, make lists, jot down Huck’s actions and reactions and anything else that seems interesting.
  • Does my thesis pass the “So what?” test? What’s the point of this contrast? What does it signify?”

After examining the evidence and considering your own insights, you write:

Through its contrasting river and shore scenes, Twain’s Huckleberry Finn suggests that to find the true expression of American democratic ideals, one must leave “civilized” society and go back to nature.

This final thesis statement presents an interpretation of a literary work based on an analysis of its content. Of course, for the essay itself to be successful, you must now present evidence from the novel that will convince the reader of your interpretation.

Works consulted

We consulted these works while writing this handout. This is not a comprehensive list of resources on the handout’s topic, and we encourage you to do your own research to find additional publications. Please do not use this list as a model for the format of your own reference list, as it may not match the citation style you are using. For guidance on formatting citations, please see the UNC Libraries citation tutorial . We revise these tips periodically and welcome feedback.

Anson, Chris M., and Robert A. Schwegler. 2010. The Longman Handbook for Writers and Readers , 6th ed. New York: Longman.

Lunsford, Andrea A. 2015. The St. Martin’s Handbook , 8th ed. Boston: Bedford/St Martin’s.

Ramage, John D., John C. Bean, and June Johnson. 2018. The Allyn & Bacon Guide to Writing , 8th ed. New York: Pearson.

Ruszkiewicz, John J., Christy Friend, Daniel Seward, and Maxine Hairston. 2010. The Scott, Foresman Handbook for Writers , 9th ed. Boston: Pearson Education.

You may reproduce it for non-commercial use if you use the entire handout and attribute the source: The Writing Center, University of North Carolina at Chapel Hill

Make a Gift

Developing a Thesis Statement

Many papers you write require developing a thesis statement. In this section you’ll learn what a thesis statement is and how to write one.

Keep in mind that not all papers require thesis statements . If in doubt, please consult your instructor for assistance.

A thesis statement . . .

  • Makes an argumentative assertion about a topic; it states the conclusions that you have reached about your topic.
  • Makes a promise to the reader about the scope, purpose, and direction of your paper.
  • Is focused and specific enough to be “proven” within the boundaries of your paper.
  • Is generally located near the end of the introduction ; sometimes, in a long paper, the thesis will be expressed in several sentences or in an entire paragraph.
  • Identifies the relationships between the pieces of evidence that you are using to support your argument.

Not all papers require thesis statements! Ask your instructor if you’re in doubt whether you need one.

Identify a topic

Your topic is the subject about which you will write. Your assignment may suggest several ways of looking at a topic; or it may name a fairly general concept that you will explore or analyze in your paper.

Consider what your assignment asks you to do

Inform yourself about your topic, focus on one aspect of your topic, ask yourself whether your topic is worthy of your efforts, generate a topic from an assignment.

Below are some possible topics based on sample assignments.

Sample assignment 1

Analyze Spain’s neutrality in World War II.

Identified topic

Franco’s role in the diplomatic relationships between the Allies and the Axis

This topic avoids generalities such as “Spain” and “World War II,” addressing instead on Franco’s role (a specific aspect of “Spain”) and the diplomatic relations between the Allies and Axis (a specific aspect of World War II).

Sample assignment 2

Analyze one of Homer’s epic similes in the Iliad.

The relationship between the portrayal of warfare and the epic simile about Simoisius at 4.547-64.

This topic focuses on a single simile and relates it to a single aspect of the Iliad ( warfare being a major theme in that work).

Developing a Thesis Statement–Additional information

Your assignment may suggest several ways of looking at a topic, or it may name a fairly general concept that you will explore or analyze in your paper. You’ll want to read your assignment carefully, looking for key terms that you can use to focus your topic.

Sample assignment: Analyze Spain’s neutrality in World War II Key terms: analyze, Spain’s neutrality, World War II

After you’ve identified the key words in your topic, the next step is to read about them in several sources, or generate as much information as possible through an analysis of your topic. Obviously, the more material or knowledge you have, the more possibilities will be available for a strong argument. For the sample assignment above, you’ll want to look at books and articles on World War II in general, and Spain’s neutrality in particular.

As you consider your options, you must decide to focus on one aspect of your topic. This means that you cannot include everything you’ve learned about your topic, nor should you go off in several directions. If you end up covering too many different aspects of a topic, your paper will sprawl and be unconvincing in its argument, and it most likely will not fulfull the assignment requirements.

For the sample assignment above, both Spain’s neutrality and World War II are topics far too broad to explore in a paper. You may instead decide to focus on Franco’s role in the diplomatic relationships between the Allies and the Axis , which narrows down what aspects of Spain’s neutrality and World War II you want to discuss, as well as establishes a specific link between those two aspects.

Before you go too far, however, ask yourself whether your topic is worthy of your efforts. Try to avoid topics that already have too much written about them (i.e., “eating disorders and body image among adolescent women”) or that simply are not important (i.e. “why I like ice cream”). These topics may lead to a thesis that is either dry fact or a weird claim that cannot be supported. A good thesis falls somewhere between the two extremes. To arrive at this point, ask yourself what is new, interesting, contestable, or controversial about your topic.

As you work on your thesis, remember to keep the rest of your paper in mind at all times . Sometimes your thesis needs to evolve as you develop new insights, find new evidence, or take a different approach to your topic.

Derive a main point from topic

Once you have a topic, you will have to decide what the main point of your paper will be. This point, the “controlling idea,” becomes the core of your argument (thesis statement) and it is the unifying idea to which you will relate all your sub-theses. You can then turn this “controlling idea” into a purpose statement about what you intend to do in your paper.

Look for patterns in your evidence

Compose a purpose statement.

Consult the examples below for suggestions on how to look for patterns in your evidence and construct a purpose statement.

  • Franco first tried to negotiate with the Axis
  • Franco turned to the Allies when he couldn’t get some concessions that he wanted from the Axis

Possible conclusion:

Spain’s neutrality in WWII occurred for an entirely personal reason: Franco’s desire to preserve his own (and Spain’s) power.

Purpose statement

This paper will analyze Franco’s diplomacy during World War II to see how it contributed to Spain’s neutrality.
  • The simile compares Simoisius to a tree, which is a peaceful, natural image.
  • The tree in the simile is chopped down to make wheels for a chariot, which is an object used in warfare.

At first, the simile seems to take the reader away from the world of warfare, but we end up back in that world by the end.

This paper will analyze the way the simile about Simoisius at 4.547-64 moves in and out of the world of warfare.

Derive purpose statement from topic

To find out what your “controlling idea” is, you have to examine and evaluate your evidence . As you consider your evidence, you may notice patterns emerging, data repeated in more than one source, or facts that favor one view more than another. These patterns or data may then lead you to some conclusions about your topic and suggest that you can successfully argue for one idea better than another.

For instance, you might find out that Franco first tried to negotiate with the Axis, but when he couldn’t get some concessions that he wanted from them, he turned to the Allies. As you read more about Franco’s decisions, you may conclude that Spain’s neutrality in WWII occurred for an entirely personal reason: his desire to preserve his own (and Spain’s) power. Based on this conclusion, you can then write a trial thesis statement to help you decide what material belongs in your paper.

Sometimes you won’t be able to find a focus or identify your “spin” or specific argument immediately. Like some writers, you might begin with a purpose statement just to get yourself going. A purpose statement is one or more sentences that announce your topic and indicate the structure of the paper but do not state the conclusions you have drawn . Thus, you might begin with something like this:

  • This paper will look at modern language to see if it reflects male dominance or female oppression.
  • I plan to analyze anger and derision in offensive language to see if they represent a challenge of society’s authority.

At some point, you can turn a purpose statement into a thesis statement. As you think and write about your topic, you can restrict, clarify, and refine your argument, crafting your thesis statement to reflect your thinking.

As you work on your thesis, remember to keep the rest of your paper in mind at all times. Sometimes your thesis needs to evolve as you develop new insights, find new evidence, or take a different approach to your topic.

Compose a draft thesis statement

If you are writing a paper that will have an argumentative thesis and are having trouble getting started, the techniques in the table below may help you develop a temporary or “working” thesis statement.

Begin with a purpose statement that you will later turn into a thesis statement.

Assignment: Discuss the history of the Reform Party and explain its influence on the 1990 presidential and Congressional election.

Purpose Statement: This paper briefly sketches the history of the grassroots, conservative, Perot-led Reform Party and analyzes how it influenced the economic and social ideologies of the two mainstream parties.

Question-to-Assertion

If your assignment asks a specific question(s), turn the question(s) into an assertion and give reasons why it is true or reasons for your opinion.

Assignment : What do Aylmer and Rappaccini have to be proud of? Why aren’t they satisfied with these things? How does pride, as demonstrated in “The Birthmark” and “Rappaccini’s Daughter,” lead to unexpected problems?

Beginning thesis statement: Alymer and Rappaccinni are proud of their great knowledge; however, they are also very greedy and are driven to use their knowledge to alter some aspect of nature as a test of their ability. Evil results when they try to “play God.”

Write a sentence that summarizes the main idea of the essay you plan to write.

Main idea: The reason some toys succeed in the market is that they appeal to the consumers’ sense of the ridiculous and their basic desire to laugh at themselves.

Make a list of the ideas that you want to include; consider the ideas and try to group them.

  • nature = peaceful
  • war matériel = violent (competes with 1?)
  • need for time and space to mourn the dead
  • war is inescapable (competes with 3?)

Use a formula to arrive at a working thesis statement (you will revise this later).

  • although most readers of _______ have argued that _______, closer examination shows that _______.
  • _______ uses _______ and _____ to prove that ________.
  • phenomenon x is a result of the combination of __________, __________, and _________.

What to keep in mind as you draft an initial thesis statement

Beginning statements obtained through the methods illustrated above can serve as a framework for planning or drafting your paper, but remember they’re not yet the specific, argumentative thesis you want for the final version of your paper. In fact, in its first stages, a thesis statement usually is ill-formed or rough and serves only as a planning tool.

As you write, you may discover evidence that does not fit your temporary or “working” thesis. Or you may reach deeper insights about your topic as you do more research, and you will find that your thesis statement has to be more complicated to match the evidence that you want to use.

You must be willing to reject or omit some evidence in order to keep your paper cohesive and your reader focused. Or you may have to revise your thesis to match the evidence and insights that you want to discuss. Read your draft carefully, noting the conclusions you have drawn and the major ideas which support or prove those conclusions. These will be the elements of your final thesis statement.

Sometimes you will not be able to identify these elements in your early drafts, but as you consider how your argument is developing and how your evidence supports your main idea, ask yourself, “ What is the main point that I want to prove/discuss? ” and “ How will I convince the reader that this is true? ” When you can answer these questions, then you can begin to refine the thesis statement.

Refine and polish the thesis statement

To get to your final thesis, you’ll need to refine your draft thesis so that it’s specific and arguable.

  • Ask if your draft thesis addresses the assignment
  • Question each part of your draft thesis
  • Clarify vague phrases and assertions
  • Investigate alternatives to your draft thesis

Consult the example below for suggestions on how to refine your draft thesis statement.

Sample Assignment

Choose an activity and define it as a symbol of American culture. Your essay should cause the reader to think critically about the society which produces and enjoys that activity.

  • Ask The phenomenon of drive-in facilities is an interesting symbol of american culture, and these facilities demonstrate significant characteristics of our society.This statement does not fulfill the assignment because it does not require the reader to think critically about society.
Drive-ins are an interesting symbol of American culture because they represent Americans’ significant creativity and business ingenuity.
Among the types of drive-in facilities familiar during the twentieth century, drive-in movie theaters best represent American creativity, not merely because they were the forerunner of later drive-ins and drive-throughs, but because of their impact on our culture: they changed our relationship to the automobile, changed the way people experienced movies, and changed movie-going into a family activity.
While drive-in facilities such as those at fast-food establishments, banks, pharmacies, and dry cleaners symbolize America’s economic ingenuity, they also have affected our personal standards.
While drive-in facilities such as those at fast- food restaurants, banks, pharmacies, and dry cleaners symbolize (1) Americans’ business ingenuity, they also have contributed (2) to an increasing homogenization of our culture, (3) a willingness to depersonalize relationships with others, and (4) a tendency to sacrifice quality for convenience.

This statement is now specific and fulfills all parts of the assignment. This version, like any good thesis, is not self-evident; its points, 1-4, will have to be proven with evidence in the body of the paper. The numbers in this statement indicate the order in which the points will be presented. Depending on the length of the paper, there could be one paragraph for each numbered item or there could be blocks of paragraph for even pages for each one.

Complete the final thesis statement

The bottom line.

As you move through the process of crafting a thesis, you’ll need to remember four things:

  • Context matters! Think about your course materials and lectures. Try to relate your thesis to the ideas your instructor is discussing.
  • As you go through the process described in this section, always keep your assignment in mind . You will be more successful when your thesis (and paper) responds to the assignment than if it argues a semi-related idea.
  • Your thesis statement should be precise, focused, and contestable ; it should predict the sub-theses or blocks of information that you will use to prove your argument.
  • Make sure that you keep the rest of your paper in mind at all times. Change your thesis as your paper evolves, because you do not want your thesis to promise more than your paper actually delivers.

In the beginning, the thesis statement was a tool to help you sharpen your focus, limit material and establish the paper’s purpose. When your paper is finished, however, the thesis statement becomes a tool for your reader. It tells the reader what you have learned about your topic and what evidence led you to your conclusion. It keeps the reader on track–well able to understand and appreciate your argument.

identify the thesis statement

Writing Process and Structure

This is an accordion element with a series of buttons that open and close related content panels.

Getting Started with Your Paper

Interpreting Writing Assignments from Your Courses

Generating Ideas for

Creating an Argument

Thesis vs. Purpose Statements

Architecture of Arguments

Working with Sources

Quoting and Paraphrasing Sources

Using Literary Quotations

Citing Sources in Your Paper

Drafting Your Paper

Generating Ideas for Your Paper

Introductions

Paragraphing

Developing Strategic Transitions

Conclusions

Revising Your Paper

Peer Reviews

Reverse Outlines

Revising an Argumentative Paper

Revision Strategies for Longer Projects

Finishing Your Paper

Twelve Common Errors: An Editing Checklist

How to Proofread your Paper

Writing Collaboratively

Collaborative and Group Writing

  • Skip to Content
  • Skip to Main Navigation
  • Skip to Search

identify the thesis statement

Indiana University Bloomington Indiana University Bloomington IU Bloomington

Open Search

  • Mission, Vision, and Inclusive Language Statement
  • Locations & Hours
  • Undergraduate Employment
  • Graduate Employment
  • Frequently Asked Questions
  • Newsletter Archive
  • Support WTS
  • Schedule an Appointment
  • Online Tutoring
  • Before your Appointment
  • WTS Policies
  • Group Tutoring
  • Students Referred by Instructors
  • Paid External Editing Services
  • Writing Guides
  • Scholarly Write-in
  • Dissertation Writing Groups
  • Journal Article Writing Groups
  • Early Career Graduate Student Writing Workshop
  • Workshops for Graduate Students
  • Teaching Resources
  • Syllabus Information
  • Course-specific Tutoring
  • Nominate a Peer Tutor
  • Tutoring Feedback
  • Schedule Appointment
  • Campus Writing Program

Writing Tutorial Services

How to write a thesis statement, what is a thesis statement.

Almost all of us—even if we don’t do it consciously—look early in an essay for a one- or two-sentence condensation of the argument or analysis that is to follow. We refer to that condensation as a thesis statement.

Why Should Your Essay Contain a Thesis Statement?

  • to test your ideas by distilling them into a sentence or two
  • to better organize and develop your argument
  • to provide your reader with a “guide” to your argument

In general, your thesis statement will accomplish these goals if you think of the thesis as the answer to the question your paper explores.

How Can You Write a Good Thesis Statement?

Here are some helpful hints to get you started. You can either scroll down or select a link to a specific topic.

How to Generate a Thesis Statement if the Topic is Assigned How to Generate a Thesis Statement if the Topic is not Assigned How to Tell a Strong Thesis Statement from a Weak One

How to Generate a Thesis Statement if the Topic is Assigned

Almost all assignments, no matter how complicated, can be reduced to a single question. Your first step, then, is to distill the assignment into a specific question. For example, if your assignment is, “Write a report to the local school board explaining the potential benefits of using computers in a fourth-grade class,” turn the request into a question like, “What are the potential benefits of using computers in a fourth-grade class?” After you’ve chosen the question your essay will answer, compose one or two complete sentences answering that question.

Q: “What are the potential benefits of using computers in a fourth-grade class?” A: “The potential benefits of using computers in a fourth-grade class are . . .”
A: “Using computers in a fourth-grade class promises to improve . . .”

The answer to the question is the thesis statement for the essay.

[ Back to top ]

How to Generate a Thesis Statement if the Topic is not Assigned

Even if your assignment doesn’t ask a specific question, your thesis statement still needs to answer a question about the issue you’d like to explore. In this situation, your job is to figure out what question you’d like to write about.

A good thesis statement will usually include the following four attributes:

  • take on a subject upon which reasonable people could disagree
  • deal with a subject that can be adequately treated given the nature of the assignment
  • express one main idea
  • assert your conclusions about a subject

Let’s see how to generate a thesis statement for a social policy paper.

Brainstorm the topic . Let’s say that your class focuses upon the problems posed by changes in the dietary habits of Americans. You find that you are interested in the amount of sugar Americans consume.

You start out with a thesis statement like this:

Sugar consumption.

This fragment isn’t a thesis statement. Instead, it simply indicates a general subject. Furthermore, your reader doesn’t know what you want to say about sugar consumption.

Narrow the topic . Your readings about the topic, however, have led you to the conclusion that elementary school children are consuming far more sugar than is healthy.

You change your thesis to look like this:

Reducing sugar consumption by elementary school children.

This fragment not only announces your subject, but it focuses on one segment of the population: elementary school children. Furthermore, it raises a subject upon which reasonable people could disagree, because while most people might agree that children consume more sugar than they used to, not everyone would agree on what should be done or who should do it. You should note that this fragment is not a thesis statement because your reader doesn’t know your conclusions on the topic.

Take a position on the topic. After reflecting on the topic a little while longer, you decide that what you really want to say about this topic is that something should be done to reduce the amount of sugar these children consume.

You revise your thesis statement to look like this:

More attention should be paid to the food and beverage choices available to elementary school children.

This statement asserts your position, but the terms more attention and food and beverage choices are vague.

Use specific language . You decide to explain what you mean about food and beverage choices , so you write:

Experts estimate that half of elementary school children consume nine times the recommended daily allowance of sugar.

This statement is specific, but it isn’t a thesis. It merely reports a statistic instead of making an assertion.

Make an assertion based on clearly stated support. You finally revise your thesis statement one more time to look like this:

Because half of all American elementary school children consume nine times the recommended daily allowance of sugar, schools should be required to replace the beverages in soda machines with healthy alternatives.

Notice how the thesis answers the question, “What should be done to reduce sugar consumption by children, and who should do it?” When you started thinking about the paper, you may not have had a specific question in mind, but as you became more involved in the topic, your ideas became more specific. Your thesis changed to reflect your new insights.

How to Tell a Strong Thesis Statement from a Weak One

1. a strong thesis statement takes some sort of stand..

Remember that your thesis needs to show your conclusions about a subject. For example, if you are writing a paper for a class on fitness, you might be asked to choose a popular weight-loss product to evaluate. Here are two thesis statements:

There are some negative and positive aspects to the Banana Herb Tea Supplement.

This is a weak thesis statement. First, it fails to take a stand. Second, the phrase negative and positive aspects is vague.

Because Banana Herb Tea Supplement promotes rapid weight loss that results in the loss of muscle and lean body mass, it poses a potential danger to customers.

This is a strong thesis because it takes a stand, and because it's specific.

2. A strong thesis statement justifies discussion.

Your thesis should indicate the point of the discussion. If your assignment is to write a paper on kinship systems, using your own family as an example, you might come up with either of these two thesis statements:

My family is an extended family.

This is a weak thesis because it merely states an observation. Your reader won’t be able to tell the point of the statement, and will probably stop reading.

While most American families would view consanguineal marriage as a threat to the nuclear family structure, many Iranian families, like my own, believe that these marriages help reinforce kinship ties in an extended family.

This is a strong thesis because it shows how your experience contradicts a widely-accepted view. A good strategy for creating a strong thesis is to show that the topic is controversial. Readers will be interested in reading the rest of the essay to see how you support your point.

3. A strong thesis statement expresses one main idea.

Readers need to be able to see that your paper has one main point. If your thesis statement expresses more than one idea, then you might confuse your readers about the subject of your paper. For example:

Companies need to exploit the marketing potential of the Internet, and Web pages can provide both advertising and customer support.

This is a weak thesis statement because the reader can’t decide whether the paper is about marketing on the Internet or Web pages. To revise the thesis, the relationship between the two ideas needs to become more clear. One way to revise the thesis would be to write:

Because the Internet is filled with tremendous marketing potential, companies should exploit this potential by using Web pages that offer both advertising and customer support.

This is a strong thesis because it shows that the two ideas are related. Hint: a great many clear and engaging thesis statements contain words like because , since , so , although , unless , and however .

4. A strong thesis statement is specific.

A thesis statement should show exactly what your paper will be about, and will help you keep your paper to a manageable topic. For example, if you're writing a seven-to-ten page paper on hunger, you might say:

World hunger has many causes and effects.

This is a weak thesis statement for two major reasons. First, world hunger can’t be discussed thoroughly in seven to ten pages. Second, many causes and effects is vague. You should be able to identify specific causes and effects. A revised thesis might look like this:

Hunger persists in Glandelinia because jobs are scarce and farming in the infertile soil is rarely profitable.

This is a strong thesis statement because it narrows the subject to a more specific and manageable topic, and it also identifies the specific causes for the existence of hunger.

Produced by Writing Tutorial Services, Indiana University, Bloomington, IN

Writing Tutorial Services social media channels

Purdue Online Writing Lab Purdue OWL® College of Liberal Arts

Developing Strong Thesis Statements

OWL logo

Welcome to the Purdue OWL

This page is brought to you by the OWL at Purdue University. When printing this page, you must include the entire legal notice.

Copyright ©1995-2018 by The Writing Lab & The OWL at Purdue and Purdue University. All rights reserved. This material may not be published, reproduced, broadcast, rewritten, or redistributed without permission. Use of this site constitutes acceptance of our terms and conditions of fair use.

These OWL resources will help you develop and refine the arguments in your writing.

The thesis statement or main claim must be debatable

An argumentative or persuasive piece of writing must begin with a debatable thesis or claim. In other words, the thesis must be something that people could reasonably have differing opinions on. If your thesis is something that is generally agreed upon or accepted as fact then there is no reason to try to persuade people.

Example of a non-debatable thesis statement:

This thesis statement is not debatable. First, the word pollution implies that something is bad or negative in some way. Furthermore, all studies agree that pollution is a problem; they simply disagree on the impact it will have or the scope of the problem. No one could reasonably argue that pollution is unambiguously good.

Example of a debatable thesis statement:

This is an example of a debatable thesis because reasonable people could disagree with it. Some people might think that this is how we should spend the nation's money. Others might feel that we should be spending more money on education. Still others could argue that corporations, not the government, should be paying to limit pollution.

Another example of a debatable thesis statement:

In this example there is also room for disagreement between rational individuals. Some citizens might think focusing on recycling programs rather than private automobiles is the most effective strategy.

The thesis needs to be narrow

Although the scope of your paper might seem overwhelming at the start, generally the narrower the thesis the more effective your argument will be. Your thesis or claim must be supported by evidence. The broader your claim is, the more evidence you will need to convince readers that your position is right.

Example of a thesis that is too broad:

There are several reasons this statement is too broad to argue. First, what is included in the category "drugs"? Is the author talking about illegal drug use, recreational drug use (which might include alcohol and cigarettes), or all uses of medication in general? Second, in what ways are drugs detrimental? Is drug use causing deaths (and is the author equating deaths from overdoses and deaths from drug related violence)? Is drug use changing the moral climate or causing the economy to decline? Finally, what does the author mean by "society"? Is the author referring only to America or to the global population? Does the author make any distinction between the effects on children and adults? There are just too many questions that the claim leaves open. The author could not cover all of the topics listed above, yet the generality of the claim leaves all of these possibilities open to debate.

Example of a narrow or focused thesis:

In this example the topic of drugs has been narrowed down to illegal drugs and the detriment has been narrowed down to gang violence. This is a much more manageable topic.

We could narrow each debatable thesis from the previous examples in the following way:

Narrowed debatable thesis 1:

This thesis narrows the scope of the argument by specifying not just the amount of money used but also how the money could actually help to control pollution.

Narrowed debatable thesis 2:

This thesis narrows the scope of the argument by specifying not just what the focus of a national anti-pollution campaign should be but also why this is the appropriate focus.

Qualifiers such as " typically ," " generally ," " usually ," or " on average " also help to limit the scope of your claim by allowing for the almost inevitable exception to the rule.

Types of claims

Claims typically fall into one of four categories. Thinking about how you want to approach your topic, or, in other words, what type of claim you want to make, is one way to focus your thesis on one particular aspect of your broader topic.

Claims of fact or definition: These claims argue about what the definition of something is or whether something is a settled fact. Example:

Claims of cause and effect: These claims argue that one person, thing, or event caused another thing or event to occur. Example:

Claims about value: These are claims made of what something is worth, whether we value it or not, how we would rate or categorize something. Example:

Claims about solutions or policies: These are claims that argue for or against a certain solution or policy approach to a problem. Example:

Which type of claim is right for your argument? Which type of thesis or claim you use for your argument will depend on your position and knowledge of the topic, your audience, and the context of your paper. You might want to think about where you imagine your audience to be on this topic and pinpoint where you think the biggest difference in viewpoints might be. Even if you start with one type of claim you probably will be using several within the paper. Regardless of the type of claim you choose to utilize it is key to identify the controversy or debate you are addressing and to define your position early on in the paper.

Have a language expert improve your writing

Run a free plagiarism check in 10 minutes, generate accurate citations for free.

  • Knowledge Base
  • Dissertation
  • What Is a Thesis? | Ultimate Guide & Examples

What Is a Thesis? | Ultimate Guide & Examples

Published on September 14, 2022 by Tegan George . Revised on November 21, 2023.

A thesis is a type of research paper based on your original research. It is usually submitted as the final step of a master’s program or a capstone to a bachelor’s degree.

Writing a thesis can be a daunting experience. Other than a dissertation , it is one of the longest pieces of writing students typically complete. It relies on your ability to conduct research from start to finish: choosing a relevant topic , crafting a proposal , designing your research , collecting data , developing a robust analysis, drawing strong conclusions , and writing concisely .

Thesis template

You can also download our full thesis template in the format of your choice below. Our template includes a ready-made table of contents , as well as guidance for what each chapter should include. It’s easy to make it your own, and can help you get started.

Download Word template Download Google Docs template

Table of contents

Thesis vs. thesis statement, how to structure a thesis, acknowledgements or preface, list of figures and tables, list of abbreviations, introduction, literature review, methodology, reference list, proofreading and editing, defending your thesis, other interesting articles, frequently asked questions about theses.

You may have heard the word thesis as a standalone term or as a component of academic writing called a thesis statement . Keep in mind that these are two very different things.

  • A thesis statement is a very common component of an essay, particularly in the humanities. It usually comprises 1 or 2 sentences in the introduction of your essay , and should clearly and concisely summarize the central points of your academic essay .
  • A thesis is a long-form piece of academic writing, often taking more than a full semester to complete. It is generally a degree requirement for Master’s programs, and is also sometimes required to complete a bachelor’s degree in liberal arts colleges.
  • In the US, a dissertation is generally written as a final step toward obtaining a PhD.
  • In other countries (particularly the UK), a dissertation is generally written at the bachelor’s or master’s level.

Here's why students love Scribbr's proofreading services

Discover proofreading & editing

The final structure of your thesis depends on a variety of components, such as:

  • Your discipline
  • Your theoretical approach

Humanities theses are often structured more like a longer-form essay . Just like in an essay, you build an argument to support a central thesis.

In both hard and social sciences, theses typically include an introduction , literature review , methodology section ,  results section , discussion section , and conclusion section . These are each presented in their own dedicated section or chapter. In some cases, you might want to add an appendix .

Thesis examples

We’ve compiled a short list of thesis examples to help you get started.

  • Example thesis #1:   “Abolition, Africans, and Abstraction: the Influence of the ‘Noble Savage’ on British and French Antislavery Thought, 1787-1807” by Suchait Kahlon.
  • Example thesis #2: “’A Starving Man Helping Another Starving Man’: UNRRA, India, and the Genesis of Global Relief, 1943-1947″ by Julian Saint Reiman.

The very first page of your thesis contains all necessary identifying information, including:

  • Your full title
  • Your full name
  • Your department
  • Your institution and degree program
  • Your submission date.

Sometimes the title page also includes your student ID, the name of your supervisor, or the university’s logo. Check out your university’s guidelines if you’re not sure.

Read more about title pages

The acknowledgements section is usually optional. Its main point is to allow you to thank everyone who helped you in your thesis journey, such as supervisors, friends, or family. You can also choose to write a preface , but it’s typically one or the other, not both.

Read more about acknowledgements Read more about prefaces

Prevent plagiarism. Run a free check.

An abstract is a short summary of your thesis. Usually a maximum of 300 words long, it’s should include brief descriptions of your research objectives , methods, results, and conclusions. Though it may seem short, it introduces your work to your audience, serving as a first impression of your thesis.

Read more about abstracts

A table of contents lists all of your sections, plus their corresponding page numbers and subheadings if you have them. This helps your reader seamlessly navigate your document.

Your table of contents should include all the major parts of your thesis. In particular, don’t forget the the appendices. If you used heading styles, it’s easy to generate an automatic table Microsoft Word.

Read more about tables of contents

While not mandatory, if you used a lot of tables and/or figures, it’s nice to include a list of them to help guide your reader. It’s also easy to generate one of these in Word: just use the “Insert Caption” feature.

Read more about lists of figures and tables

If you have used a lot of industry- or field-specific abbreviations in your thesis, you should include them in an alphabetized list of abbreviations . This way, your readers can easily look up any meanings they aren’t familiar with.

Read more about lists of abbreviations

Relatedly, if you find yourself using a lot of very specialized or field-specific terms that may not be familiar to your reader, consider including a glossary . Alphabetize the terms you want to include with a brief definition.

Read more about glossaries

An introduction sets up the topic, purpose, and relevance of your thesis, as well as expectations for your reader. This should:

  • Ground your research topic , sharing any background information your reader may need
  • Define the scope of your work
  • Introduce any existing research on your topic, situating your work within a broader problem or debate
  • State your research question(s)
  • Outline (briefly) how the remainder of your work will proceed

In other words, your introduction should clearly and concisely show your reader the “what, why, and how” of your research.

Read more about introductions

A literature review helps you gain a robust understanding of any extant academic work on your topic, encompassing:

  • Selecting relevant sources
  • Determining the credibility of your sources
  • Critically evaluating each of your sources
  • Drawing connections between sources, including any themes, patterns, conflicts, or gaps

A literature review is not merely a summary of existing work. Rather, your literature review should ultimately lead to a clear justification for your own research, perhaps via:

  • Addressing a gap in the literature
  • Building on existing knowledge to draw new conclusions
  • Exploring a new theoretical or methodological approach
  • Introducing a new solution to an unresolved problem
  • Definitively advocating for one side of a theoretical debate

Read more about literature reviews

Theoretical framework

Your literature review can often form the basis for your theoretical framework, but these are not the same thing. A theoretical framework defines and analyzes the concepts and theories that your research hinges on.

Read more about theoretical frameworks

Your methodology chapter shows your reader how you conducted your research. It should be written clearly and methodically, easily allowing your reader to critically assess the credibility of your argument. Furthermore, your methods section should convince your reader that your method was the best way to answer your research question.

A methodology section should generally include:

  • Your overall approach ( quantitative vs. qualitative )
  • Your research methods (e.g., a longitudinal study )
  • Your data collection methods (e.g., interviews or a controlled experiment
  • Any tools or materials you used (e.g., computer software)
  • The data analysis methods you chose (e.g., statistical analysis , discourse analysis )
  • A strong, but not defensive justification of your methods

Read more about methodology sections

Your results section should highlight what your methodology discovered. These two sections work in tandem, but shouldn’t repeat each other. While your results section can include hypotheses or themes, don’t include any speculation or new arguments here.

Your results section should:

  • State each (relevant) result with any (relevant) descriptive statistics (e.g., mean , standard deviation ) and inferential statistics (e.g., test statistics , p values )
  • Explain how each result relates to the research question
  • Determine whether the hypothesis was supported

Additional data (like raw numbers or interview transcripts ) can be included as an appendix . You can include tables and figures, but only if they help the reader better understand your results.

Read more about results sections

Your discussion section is where you can interpret your results in detail. Did they meet your expectations? How well do they fit within the framework that you built? You can refer back to any relevant source material to situate your results within your field, but leave most of that analysis in your literature review.

For any unexpected results, offer explanations or alternative interpretations of your data.

Read more about discussion sections

Your thesis conclusion should concisely answer your main research question. It should leave your reader with an ultra-clear understanding of your central argument, and emphasize what your research specifically has contributed to your field.

Why does your research matter? What recommendations for future research do you have? Lastly, wrap up your work with any concluding remarks.

Read more about conclusions

In order to avoid plagiarism , don’t forget to include a full reference list at the end of your thesis, citing the sources that you used. Choose one citation style and follow it consistently throughout your thesis, taking note of the formatting requirements of each style.

Which style you choose is often set by your department or your field, but common styles include MLA , Chicago , and APA.

Create APA citations Create MLA citations

In order to stay clear and concise, your thesis should include the most essential information needed to answer your research question. However, chances are you have many contributing documents, like interview transcripts or survey questions . These can be added as appendices , to save space in the main body.

Read more about appendices

Once you’re done writing, the next part of your editing process begins. Leave plenty of time for proofreading and editing prior to submission. Nothing looks worse than grammar mistakes or sloppy spelling errors!

Consider using a professional thesis editing service or grammar checker to make sure your final project is perfect.

Once you’ve submitted your final product, it’s common practice to have a thesis defense, an oral component of your finished work. This is scheduled by your advisor or committee, and usually entails a presentation and Q&A session.

After your defense , your committee will meet to determine if you deserve any departmental honors or accolades. However, keep in mind that defenses are usually just a formality. If there are any serious issues with your work, these should be resolved with your advisor way before a defense.

If you want to know more about AI for academic writing, AI tools, or research bias, make sure to check out some of our other articles with explanations and examples or go directly to our tools!

Research bias

  • Survivorship bias
  • Self-serving bias
  • Availability heuristic
  • Halo effect
  • Hindsight bias
  • Deep learning
  • Generative AI
  • Machine learning
  • Reinforcement learning
  • Supervised vs. unsupervised learning

 (AI) Tools

  • Grammar Checker
  • Paraphrasing Tool
  • Text Summarizer
  • AI Detector
  • Plagiarism Checker
  • Citation Generator

The conclusion of your thesis or dissertation shouldn’t take up more than 5–7% of your overall word count.

If you only used a few abbreviations in your thesis or dissertation , you don’t necessarily need to include a list of abbreviations .

If your abbreviations are numerous, or if you think they won’t be known to your audience, it’s never a bad idea to add one. They can also improve readability, minimizing confusion about abbreviations unfamiliar to your reader.

When you mention different chapters within your text, it’s considered best to use Roman numerals for most citation styles. However, the most important thing here is to remain consistent whenever using numbers in your dissertation .

A thesis or dissertation outline is one of the most critical first steps in your writing process. It helps you to lay out and organize your ideas and can provide you with a roadmap for deciding what kind of research you’d like to undertake.

Generally, an outline contains information on the different sections included in your thesis or dissertation , such as:

  • Your anticipated title
  • Your abstract
  • Your chapters (sometimes subdivided into further topics like literature review , research methods , avenues for future research, etc.)

A thesis is typically written by students finishing up a bachelor’s or Master’s degree. Some educational institutions, particularly in the liberal arts, have mandatory theses, but they are often not mandatory to graduate from bachelor’s degrees. It is more common for a thesis to be a graduation requirement from a Master’s degree.

Even if not mandatory, you may want to consider writing a thesis if you:

  • Plan to attend graduate school soon
  • Have a particular topic you’d like to study more in-depth
  • Are considering a career in research
  • Would like a capstone experience to tie up your academic experience

Cite this Scribbr article

If you want to cite this source, you can copy and paste the citation or click the “Cite this Scribbr article” button to automatically add the citation to our free Citation Generator.

George, T. (2023, November 21). What Is a Thesis? | Ultimate Guide & Examples. Scribbr. Retrieved December 18, 2023, from https://www.scribbr.com/dissertation/thesis/

Is this article helpful?

Tegan George

Tegan George

Other students also liked, dissertation & thesis outline | example & free templates, writing strong research questions | criteria & examples, 10 research question examples to guide your research project, what is your plagiarism score.

Logo for VIVA Open Publishing

Want to create or adapt books like this? Learn more about how Pressbooks supports open publishing practices.

Identifying Thesis Statements, Claims, and Evidence

Thesis statements, claims, and evidence, introduction.

The three important parts of an argumentative essay are:

  • A thesis statement is a sentence, usually in the first paragraph of an article, that expresses the article’s main point. It is not a fact; it’s a statement that you could disagree with.  Therefore, the author has to convince you that the statement is correct.
  • Claims are statements that support the thesis statement, but like the thesis statement,  are not facts.  Because a claim is not a fact, it requires supporting evidence.
  • Evidence is factual information that shows a claim is true.  Usually, writers have to conduct their own research to find evidence that supports their ideas.  The evidence may include statistical (numerical) information, the opinions of experts, studies, personal experience, scholarly articles, or reports.

Each paragraph in the article is numbered at the beginning of the first sentence.

Paragraphs 1-7

Identifying the Thesis Statement. Paragraph 2 ends with this thesis statement:  “People’s prior convictions should not be held against them in their pursuit of higher learning.”  It is a thesis statement for three reasons:

  • It is the article’s main argument.
  • It is not a fact. Someone could think that peoples’ prior convictions should affect their access to higher education.
  • It requires evidence to show that it is true.

Finding Claims.  A claim is statement that supports a thesis statement.  Like a thesis, it is not a fact so it needs to be supported by evidence.

You have already identified the article’s thesis statement: “People’s prior convictions should not be held against them in their pursuit of higher learning.”

Like the thesis, a claim be an idea that the author believes to be true, but others may not agree.  For this reason, a claim needs support.

  • Question 1.  Can you find a claim in paragraph 3? Look for a statement that might be true, but needs to be supported by evidence.

Finding Evidence. 

Paragraphs 5-7 offer one type of evidence to support the claim you identified in the last question.  Reread paragraphs 5-7.

  • Question 2.  Which word best describes the kind of evidence included in those paragraphs:  A report, a study, personal experience of the author, statistics, or the opinion of an expert?

Paragraphs 8-10

Finding Claims

Paragraph 8 makes two claims:

  • “The United States needs to have more of this transformative power of education.”
  • “The country [the United States] incarcerates more people and at a higher rate than any other nation in the world.”

Finding Evidence

Paragraphs 8 and 9 include these statistics as evidence:

  • “The U.S. accounts for less than 5 percent of the world population but nearly 25 percent of the incarcerated population around the globe.”
  • “Roughly 2.2 million people in the United States are essentially locked away in cages. About 1 in 5 of those people are locked up for drug offenses.”

Question 3. Does this evidence support claim 1 from paragraph 8 (about the transformative power of education) or claim 2 (about the U.S.’s high incarceration rate)?

Question 4. Which word best describes this kind of evidence:  A report, a study, personal experience of the author, statistics, or the opinion of an expert?

Paragraphs 11-13

Remember that in paragraph 2, Andrisse writes that:

  • “People’s prior convictions should not be held against them in their pursuit of higher learning.” (Thesis statement)
  • “More must be done to remove the various barriers that exist between formerly incarcerated individuals such as myself and higher education.” (Claim)

Now, review paragraphs 11-13 (Early life of crime). In these paragraphs, Andrisse shares more of his personal story.

Question 5. Do you think his personal story is evidence for statement 1 above, statement 2, both, or neither one?

Question 6. Is yes, which one(s)?

Question 7. Do you think his personal story is good evidence?  Does it persuade you to agree with him?

Paragraphs 14-16

Listed below are some claims that Andrisse makes in paragraph 14.  Below each claim, please write the supporting evidence from paragraphs 15 and 16.  If you can’t find any evidence,  write “none.”

Claim:  The more education a person has, the higher their income.

Claim: Similarly, the more education a person has, the less likely they are to return to prison.

Paragraphs 17-19

Evaluating Evidence

In these paragraphs, Andrisse returns to his personal story. He explains how his father’s illness inspired him to become a doctor and shares that he was accepted to only one of six biomedical graduate programs.

Do you think that this part of Andrisse’s story serves as evidence (support) for any claims that you’ve identified so far?   Or does it support his general thesis that “people’s prior convictions should not be held against them in pursuit of higher learning?” Please explain your answer.

Paragraphs 20-23

Andrisse uses his personal experience to repeat a claim he makes in paragraph 3, that “more must be done to remove the various barriers that exist between formerly incarcerated individuals such as myself and higher education.”

To support this statement, he has to show that barriers exist.  One barrier he identifies is the cost of college. He then explains the advantages of offering Pell grants to incarcerated people.

What evidence in paragraphs 21-23 support his claim about the success of Pell grants?

Paragraphs  24-28 (Remove questions about drug crimes from federal aid forms)

In this section, Andrisse argues that federal aid forms should not ask students about prior drug convictions.  To support that claim, he includes a statistic about students who had to answer a similar question on their college application.

What statistic does he include?

In paragraph 25, he assumes that if a question about drug convictions discourages students from applying to college, it will probably also discourage them from applying for federal aid.

What do you think about this assumption?   Do you think it’s reasonable or do you think Andrisse needs stronger evidence to show that federal aid forms should not ask students about prior drug convictions?

Supporting English Language Learners in First-Year College Composition Copyright © by Breana Bayraktar is licensed under a Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International License , except where otherwise noted.

Share This Book

Enago Academy

What Makes a Thesis Statement Spectacular? — 5 things to know

' src=

Table of Contents

What Is a Thesis Statement?

A thesis statement is a declarative sentence that states the primary idea of an essay or a research paper . In this statement, the authors declare their beliefs or what they intend to argue in their research study. The statement is clear and concise, with only one or two sentences.

Thesis Statement — An Essential in Thesis Writing

A thesis statement distills the research paper idea into one or two sentences. This summary organizes your paper and develops the research argument or opinion. The statement is important because it lets the reader know what the research paper will talk about and how the author is approaching the issue. Moreover, the statement also serves as a map for the paper and helps the authors to track and organize their thoughts more efficiently.

A thesis statement can keep the writer from getting lost in a convoluted and directionless argument. Finally, it will also ensure that the research paper remains relevant and focused on the objective.

Where to Include the Thesis Statement?

The thesis statement is typically placed at the end of the introduction section of your essay or research paper. It usually consists of a single sentence of the writer’s opinion on the topic and provides a specific guide to the readers throughout the paper.

6 Steps to Write an Impactful Thesis Statement

Step 1 – analyze the literature.

Identify the knowledge gaps in the relevant research paper. Analyze the deeper implications of the author’s research argument. Was the research objective mentioned in the thesis statement reversed later in the discussion or conclusion? Does the author contradict themselves? Is there a major knowledge gap in creating a relevant research objective? Has the author understood and validated the fundamental theories correctly? Does the author support an argument without having supporting literature to cite? Answering these or related questions will help authors develop a working thesis and give their thesis an easy direction and structure.

Step 2 – Start with a Question

While developing a working thesis, early in the writing process, you might already have a research question to address. Strong research questions guide the design of studies and define and identify specific objectives. These objectives will assist the author in framing the thesis statement.

Step 3 – Develop the Answer

After initial research, the author could formulate a tentative answer to the research question. At this stage, the answer could be simple enough to guide the research and the writing process. After writing the initial answer, the author could elaborate further on why this is the chosen answer. After reading more about the research topic, the author could write and refine the answers to address the research question.

Step 4 – Write the First Draft of the Thesis Statement

After ideating the working thesis statement, make sure to write it down. It is disheartening to create a great idea for a thesis and then forget it when you lose concentration. The first draft will help you think clearly and logically. It will provide you with an option to align your thesis statement with the defined research objectives.

Step 5 – Anticipate Counter Arguments Against the Statement

After developing a working thesis, you should think about what might be said against it. This list of arguments will help you refute the thesis later. Remember that every argument has a counterargument, and if yours does not have one, what you state is not an argument — it may be a fact or opinion, but not an argument.

Step 6 – Refine the Statement

Anticipating counterarguments will help you refine your statement further. A strong thesis statement should address —

  • Why does your research hold this stand?
  • What will readers learn from the essay?
  • Are the key points of your argumentative or narrative?
  • Does the final thesis statement summarize your overall argument or the entire topic you aim to explain in the research paper?

identify the thesis statement

5 Tips to Create a Compelling Thesis Statement

A thesis statement is a crucial part of any academic paper. Clearly stating the main idea of your research helps you focus on the objectives of your paper. Refer to the following tips while drafting your statement:

1. Keep it Concise

The statement should be short and precise. It should contain no more than a couple of sentences.

2. Make it Specific

The statement should be focused on a specific topic or argument. Covering too many topics will only make your paper weaker.

3. Express an Opinion

The statement should have an opinion on an issue or controversy. This will make your paper arguable and interesting to read.

4. Be Assertive

The statement should be stated assertively and not hesitantly or apologetically. Remember, you are making an argument — you need to sound convincing!

5. Support with Evidence

The thesis should be supported with evidence from your paper. Make sure you include specific examples from your research to reinforce your objectives.

Thesis Statement Examples *

Example 1 – alcohol consumption.

High levels of alcohol consumption have harmful effects on your health, such as weight gain, heart disease, and liver complications.

This thesis statement states specific reasons why alcohol consumption is detrimental. It is not required to mention every single detriment in your thesis.

Example 2 – Benefits of the Internet

The internet serves as a means of expediently connecting people across the globe, fostering new friendships and an exchange of ideas that would not have occurred before its inception.

While the internet offers a host of benefits, this thesis statement is about choosing the ability that fosters new friendships and exchange ideas. Also, the research needs to prove how connecting people across the globe could not have happened before the internet’s inception — which is a focused research statement.

*The following thesis statements are not fully researched and are merely examples shown to understand how to write a thesis statement. Also, you should avoid using these statements for your own research paper purposes.

A gripping thesis statement is developed by understanding it from the reader’s point of view. Be aware of not developing topics that only interest you and have less reader attraction. A harsh yet necessary question to ask oneself is — Why should readers read my paper? Is this paper worth reading? Would I read this paper if I weren’t its author?

A thesis statement hypes your research paper. It makes the readers excited about what specific information is coming their way. This helps them learn new facts and possibly embrace new opinions.

Writing a thesis statement (although two sentences) could be a daunting task. Hope this blog helps you write a compelling one! Do consider using the steps to create your thesis statement and tell us about it in the comment section below.

' src=

Great in impactation of knowledge

Rate this article Cancel Reply

Your email address will not be published.

identify the thesis statement

Enago Academy's Most Popular

Networking in Academic Conferences

  • Career Corner

Unlocking the Power of Networking in Academic Conferences

Embarking on your first academic conference experience? Fear not, we got you covered! Academic conferences…

Research recommendation

  • Reporting Research

Research Recommendations – Guiding policy-makers for evidence-based decision making

Research recommendations play a crucial role in guiding scholars and researchers toward fruitful avenues of…

Concept Papers

  • Promoting Research

Concept Papers in Research: Deciphering the blueprint of brilliance

Concept papers hold significant importance as a precursor to a full-fledged research proposal in academia…

Confounding Variables

Demystifying the Role of Confounding variables in Research

In the realm of scientific research, the pursuit of knowledge often involves complex investigations, meticulous…

Writing Argumentative Essays

8 Effective Strategies to Write Argumentative Essays

In a bustling university town, there lived a student named Alex. Popular for creativity and…

Language as a Bridge, Not a Barrier: ESL researchers’ path to successful…

identify the thesis statement

Sign-up to read more

Subscribe for free to get unrestricted access to all our resources on research writing and academic publishing including:

  • 2000+ blog articles
  • 50+ Webinars
  • 10+ Expert podcasts
  • 50+ Infographics
  • 10+ Checklists
  • Research Guides

We hate spam too. We promise to protect your privacy and never spam you.

Identifying the Thesis Statement

Learning objectives.

  • identify explicit thesis statements in texts
  • identify implicit thesis statements in texts

You’ll remember that the first step of the reading process, previewing ,  allows you to get a big-picture view of the document you’re reading. This way, you can begin to understand the structure of the overall text. The most important step in getting a good understanding of an essay or book is to find the thesis statement.

A thesis consists of a specific topic and a position statement on the topic. All of the other ideas in the text support and develop the thesis. The thesis statement is often found in the introduction, sometimes after an initial “hook” or interesting story; sometimes, however, the thesis is not explicitly stated until the end of an essay, and sometimes it is not stated at all. In those instances, there is an implied thesis statement, in which you can generally extract the thesis statement by looking for a few key sentences and ideas.

According to author Pavel Zemliansky,

Arguments then, can be explicit and implicit, or implied. Explicit arguments contain noticeable and definable thesis statements and lots of specific proofs. Implicit arguments, on the other hand, work by weaving together facts and narratives, logic and emotion, personal experiences and statistics. Unlike explicit arguments, implicit ones do not have a one-sentence thesis statement. Instead, authors of implicit arguments use evidence of many different kinds in effective and creative ways to build and convey their point of view to their audience. Research is essential for creative effective arguments of both kinds.

Even if what you’re reading is an informative text, rather than an argumentative one, it might still rely on an implicit thesis statement. It might ask you to piece together the overall purpose of the text based on a series of content along the way.

Most readers expect to see the point of your argument (the thesis statement) within the first few paragraphs. This does not mean that you have to place it there every time. Some writers place it at the very end, slowly building up to it throughout their work, to explain a point after the fact. Others don’t bother with one at all, but feel that their thesis is “implied” anyway. Beginning writers, however, should avoid the implied thesis unless certain of the audience. Almost every professor will expect to see a clearly discernible thesis sentence in the introduction.

Thesis statements vary based on the rhetorical strategy of the essay, but thesis statements typically share the following characteristics:

  • Presents the main idea
  • Most often is one sentence
  • Tells the reader what to expect
  • Is a summary of the essay topic
  • Usually worded to have an argumentative edge
  • Written in the third person

In academic writing, the thesis is often explicit : it is included as a sentence as part of the text. It might be near the beginning of the work, but not always–some types of academic writing leave the thesis until the conclusion.

Journalism and reporting also rely on explicit thesis statements that appear very early in the piece–the first paragraph or even the first sentence.

Works of literature, on the other hand, usually do not contain a specific sentence that sums up the core concept of the writing. However, readers should finish the piece with a good understanding of what the work was trying to convey. This is what’s called an implicit thesis statement: the primary point of the reading is conveyed indirectly, in multiple locations throughout the work. (In literature, this is also referred to as the theme of the work.)

Academic writing sometimes relies on implicit thesis statements, as well.

This video offers excellent guidance in identifying the thesis statement of a work, no matter if it’s explicit or implicit. As the video below argues, every piece of writing has a thesis statement.

Click here to download a transcript for this video

  • Identify the Thesis Statement. Provided by : Lumen Learning. License : CC BY: Attribution
  • Checklist for a Thesis Statement. Provided by : Excelsior OWL. Located at : https://owl.excelsior.edu/esl-wow/getting-ready-to-write/developing-a-thesis/esl-checklist-for-a-thesis-statement/ . License : CC BY: Attribution
  • Research Writing and Argument. Authored by : Pavel Zemliansky. Located at : https://learn.saylor.org/mod/page/view.php?id=7163 . Project : Methods of Discovery: A Guide to Research Writing. License : CC BY: Attribution
  • How to Identify the Thesis Statement. Authored by : Martha Ann Kennedy. Located at : https://youtu.be/di1cQgc1akg . License : All Rights Reserved . License Terms : Standard YouTube License

Footer Logo Lumen Waymaker

Please log in to save materials. Log in

  • Thesis Statement

Thesis Statements: How to Identify and Write Them

Thesis Statements: How to Identify and Write Them

Students read about and watch videos about how to identify and write thesis statements. 

Then, students complete two exercises where they identify and write thesis statements. 

*Conditions of Use: While the content on each page is licensed under an  Attribution Non-Commercial Share Alike  license, some pages contain content and/or references with other types of licenses or copyrights. Please look at the bottom of each page to view this information. 

Learning Objectives

By the end of these readings and exercises, students will be able to: 

  • define the term thesis statement
  • read about two recommended thesis statement models 
  • practice identifying thesis statements in other texts
  • write your own effective thesis statements

detective

Attributions:

  • The banner image is licensed under  Adobe Stock .
  • The untitled image of a detective by Peggy_Marco is licensed under Pixabay . 

The thesis statement is the key to most academic writing. The purpose of academic writing is to offer your own insights, analyses, and ideas—to show not only that you understand the concepts you’re studying, but also that you have thought about those concepts in your own way and agreed or disagreed, or developed your own unique ideas as a result of your analysis. The  thesis statement  is the one sentence that encapsulates the result of your thinking, as it offers your main insight or argument in condensed form.

We often use the word “argument” in English courses, but we do not mean it in the traditional sense of a verbal fight with someone else. Instead, you “argue” by taking a position on an issue and supporting it with evidence. Because you’ve taken a position about your topic, someone else may be in a position to disagree (or argue) with the stance you have taken. Think about how a lawyer presents an argument or states their case in a courtroom—similarly, you want to build a case around the main idea of your essay. For example, in 1848, when Elizabeth Cady Stanton drafted “The Declaration of Sentiments,” she was thinking about how to convince New York State policymakers to change the laws to allow women to vote. Stanton was making an argument.

Some consider all writing a form of argument—or at least of persuasion. After all, even if you’re writing a letter or an informative essay, you’re implicitly trying to persuade your audience to care about what you’re saying. Your thesis statement represents the main idea—or point—about a topic or issue that you make in an argument. For example, let’s say that your topic is social media. A thesis statement about social media could look like one of the following sentences:

  • Social media harms the self-esteem of American pre-teen girls.
  • Social media can help connect researchers when they use hashtags to curate their work.
  • Social media tools are not tools for social movements, they are marketing tools.

Please take a look at this video which explains the basic definition of a thesis statement further (we will be building upon these ideas through the rest of the readings and exercises): 

Attributions: 

  • The content about thesis statements has been modified from English Composition 1 by Lumen Learning and Audrey Fisch et al. and appears under an  Attribution 4.0 International (CC BY 4.0) license. 
  • The video "Purdue OWL: Thesis Statements" by the Purdue University Online Writing Lab appears under a YouTube license . 

The Two-Story Model (basic)

First, we will cover the two-story thesis statement model. This is the most basic model, but that doesn't mean it's bad or that you shouldn't use it. If you have a hard time with thesis statements or if you just want to keep things simple, this model is perfect for you. Think of it like a two-story building with two layers. 

A basic thesis sentence has two main parts:

  • Topic:  What you’re writing about
  • Angle:  What your main idea is about that topic, or your claim

Examples: 

When you read all of the thesis statement examples, can you see areas where the writer could be more specific with their angle? The more specific you are with your topic and your claims, the more focused your essay will be for your reader.

Thesis:  A regular exercise regime leads to multiple benefits, both physical and emotional.

  • Topic:  Regular exercise regime
  • Angle:  Leads to multiple benefits

Thesis:  Adult college students have different experiences than typical, younger college students.

  • Topic:  Adult college students
  • Angle:  Have different experiences

Thesis:  The economics of television have made the viewing experience challenging for many viewers because shows are not offered regularly, similar programming occurs at the same time, and commercials are rampant.

  • Topic:  Television viewing
  • Angle:  Challenging because shows shifted, similar programming, and commercials

Please watch how Dr. Cielle Amundson demonstrates the two-story thesis statement model in this video:

  • The video "Thesis Statement Definition" by  Dr. Cielle Amundson  appears under a YouTube license . 

The Three-Story Model (advanced)

Now, it's time to challenge yourself. The three-story model is like a building with three stories. Adding multiple levels to your thesis statement makes it more specific and sophisticated. Though you'll be trying your hand with this model in the activity later on, throughout our course, you are free to choose either the two-story or three-story thesis statement model. Still, it's good to know what the three-story model entails. 

A thesis statement can have three parts: 

  • Relevance : Why your argument is meaningful

Conceptualizing the Three-Story Model: 

A helpful metaphor based on this passage by Oliver Wendell Holmes Sr.:

There are one-story intellects, two-story intellects, and three-story intellects with skylights. All fact collectors who have no aim beyond their facts are one-story men. Two-story men compare, reason, generalize using the labor of fact collectors as their own. Three-story men idealize, imagine, predict—their best illumination comes from above the skylight.

One-story theses state inarguable facts. Two-story theses bring in an arguable (interpretive or analytical) point. Three-story theses nest that point within its larger, compelling implications. 

The biggest benefit of the three-story metaphor is that it describes a process for building a thesis. To build the first story, you first have to get familiar with the complex, relevant facts surrounding the problem or question. You have to be able to describe the situation thoroughly and accurately. Then, with that first story built, you can layer on the second story by formulating the insightful, arguable point that animates the analysis. That’s often the most effortful part: brainstorming, elaborating and comparing alternative ideas, finalizing your point. With that specified, you can frame up the third story by articulating why the point you make matters beyond its particular topic or case.

Though the three-story thesis statement model appears a little bit differently in this video, you can still see how it follows the patterns mentioned within this section: 

  • The content about thesis statements has been modified from Writing in College by Amy Guptill from Milne Publishing and appears under an  Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) license. 
  • The video "How to Write a STRONG Thesis Statement" by Scribbr  appears under a YouTube license . 

Identifying Thesis Statements

You’ll remember that the first step of the reading process, previewing ,  allows you to get a big-picture view of the document you’re reading. This way, you can begin to understand the structure of the overall text. The most important step of understanding an essay or a book is to find the thesis statement.

Pinpointing a Thesis Statement

A thesis consists of a specific topic and an angle on the topic. All of the other ideas in the text support and develop the thesis. The thesis statement is often found in the introduction, sometimes after an initial “hook” or interesting story; sometimes, however, the thesis is not explicitly stated until the end of an essay. Sometimes it is not stated at all. In those instances, there is an  implied thesis statement.  You can generally extract the thesis statement by looking for a few key sentences and ideas.

Most readers expect to see the point of your argument (the thesis statement) within the first few paragraphs. This does not mean that it has to be placed there every time. Some writers place it at the very end, slowly building up to it throughout their work, to explain a point after the fact. Others don’t bother with one at all but feel that their thesis is “implied” anyway. Beginning writers, however, should avoid the implied thesis unless certain of the audience. Almost every professor will expect to see a clearly discernible thesis sentence in the introduction.

Shared Characteristics of Thesis Statements:

  • present the main idea
  • are one sentence
  • tell the reader what to expect
  • summarize the essay topic
  • present an argument
  • are written in the third person (does not include the “I” pronoun)

The following “How to Identify a Thesis Statement” video offers advice for locating a text’s thesis statement. It asks you to write one or two sentences that summarize the text. When you write that summary, without looking at the text itself, you’ve most likely paraphrased the thesis statement.

You can view the  transcript for “How to Identify the Thesis Statement” here (download).

Try it! 

Try to check your thesis statement identification skills with this interactive exercise from the Excelsior University Online Writing Lab. 

  • The video "How to Identidy the Thesis Statement" by  Martha Ann Kennedy  appears under a YouTube license . 
  • The "Judging Thesis Statements" exercise from the Purdue University Online Writing Lab appears under an Attribution 4.0 International (CC BY 4.0) license. 

Writing Your Own Thesis Statements

A thesis statement is a single sentence (or sometimes two) that provides the answers to these questions clearly and concisely. Ask yourself, “What is my paper about, exactly?” Answering this question will help you develop a precise and directed thesis, not only for your reader, but for you as well.

Key Elements of an Effective Thesis Statement: 

  • A good thesis is non-obvious. High school teachers needed to make sure that you and all your classmates mastered the basic form of the academic essay. Thus, they were mostly concerned that you had a clear and consistent thesis, even if it was something obvious like “sustainability is important.” A thesis statement like that has a wide-enough scope to incorporate several supporting points and concurring evidence, enabling the writer to demonstrate his or her mastery of the five-paragraph form. Good enough! When they can, high school teachers nudge students to develop arguments that are less obvious and more engaging. College instructors, though, fully expect you to produce something more developed.
  • A good thesis is arguable . In everyday life, “arguable” is often used as a synonym for “doubtful.” For a thesis, though, “arguable” means that it’s worth arguing: it’s something with which a reasonable person might disagree. This arguability criterion dovetails with the non-obvious one: it shows that the author has deeply explored a problem and arrived at an argument that legitimately needs 3, 5, 10, or 20 pages to explain and justify. In that way, a good thesis sets an ambitious agenda for a paper. A thesis like “sustainability is important” isn’t at all difficult to argue for, and the reader would have little intrinsic motivation to read the rest of the paper. However, an arguable thesis like “sustainability policies will inevitably fail if they do not incorporate social justice,” brings up some healthy skepticism. Thus, the arguable thesis makes the reader want to keep reading.
  • A good thesis is well specified. Some student writers fear that they’re giving away the game if they specify their thesis up front; they think that a purposefully vague thesis might be more intriguing to the reader. However, consider movie trailers: they always include the most exciting and poignant moments from the film to attract an audience. In academic papers, too, a well specified thesis indicates that the author has thought rigorously about an issue and done thorough research, which makes the reader want to keep reading. Don’t just say that a particular policy is effective or fair; say what makes it is so. If you want to argue that a particular claim is dubious or incomplete, say why in your thesis.
  • A good thesis includes implications. Suppose your assignment is to write a paper about some aspect of the history of linen production and trade, a topic that may seem exceedingly arcane. And suppose you have constructed a well supported and creative argument that linen was so widely traded in the ancient Mediterranean that it actually served as a kind of currency. 2  That’s a strong, insightful, arguable, well specified thesis. But which of these thesis statements do you find more engaging?

How Can You Write Your Thesis Statements?

A good basic structure for a thesis statement is “they say, I say.” What is the prevailing view, and how does your position differ from it? However, avoid limiting the scope of your writing with an either/or thesis under the assumption that your view must be strictly contrary to their view.

  • focus on one, interesting idea
  • choose the two-story or three-story model
  • be as specific as possible
  • write clearly
  • have evidence to support it (for later on)

Thesis Statement Examples: 

  • Although many readers believe Romeo and Juliet to be a tale about the ill fate of two star-crossed lovers, it can also be read as an allegory concerning a playwright and his audience.
  • The “War on Drugs” has not only failed to reduce the frequency of drug-related crimes in America but actually enhanced the popular image of dope peddlers by romanticizing them as desperate rebels fighting for a cause.
  • The bulk of modern copyright law was conceived in the age of commercial printing, long before the Internet made it so easy for the public to compose and distribute its own texts. Therefore, these laws should be reviewed and revised to better accommodate modern readers and writers.
  • The usual moral justification for capital punishment is that it deters crime by frightening would-be criminals. However, the statistics tell a different story.
  • If students really want to improve their writing, they must read often, practice writing, and receive quality feedback from their peers.
  • Plato’s dialectical method has much to offer those engaged in online writing, which is far more conversational in nature than print.

You can gather more thesis statement tips and tricks from this video titled "How to Create a Thesis Statement" from the Florida SouthWestern State College Academic Support Centers: 

  • The video "How to Create a Thesis Statement" by the Florida SouthWestern State College Academic Support Centers appears under a YouTube license . 

Additional, Optional Resources

stack of books

If you feel like you might need more support with thesis statements, please check out these helpful resources for some extra, optional instruction: 

  • "Checklist for a Thesis Statement"  from the  Excelsior University Online Writing Lab  which appears under an Attribution 4.0 International (CC BY 4.0) license. 
  • "Developing Your Thesis" from Hamiliton College which appears under a copyright. 
  • "Parts of a Thesis Sentence and Common Problems"  from the  Excelsior University Online Writing Lab  which appears under an Attribution 4.0 International (CC BY 4.0) license.
  • "Tips and Examples for Writing Thesis Statements" from the Purdue University Writing Lab which appears under a copyright. 
  • "Writing Thesis Statements & Hypotheses" by Hope Matis from Clarkson University which appears under a copyright. 
  • The content about these resources has been modified from English Composition 1 by Lumen Learning and Audrey Fisch et al. and appears under an  Attribution 4.0 International (CC BY 4.0) license. 
  • The content about these resources has been modified from Writing in College by Amy Guptill from Milne Publishing and appears under an  Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) license. 
  • The untitled image of the books by OpenClipart-Vectors is licensed under Pixabay . 

Exercise #1: Identify Thesis Statements

Throughout the readings, we have been learning what an effective thesis statement is and what it is not. Before we even get to writing our own thesis statements, let's look for real-world examples. It's your turn to locate and identify thesis statements!

map with an X indicating a location

Objectives/Goals

By completeting this exercise students will be able to: 

  • identify the main ideas within a text 
  • summarize the main ideas within a text
  • choose one sentence from the text which you believe is the thesis statement
  • argue why you believe that's the true thesis statement of the text

Instructions

  • Any print or online text (probably something around a page in length) will be fine for this exercise. 
  • If you have trouble finding a text, I recommend looking at this collection from  88 Open Essays – A Reader for Students of Composition & Rhetoric  by Sarah Wangler and Tina Ulrich. 
  • Write the title of the text that you selected and the full name(s) of the author (this is called the full citation). 
  • Provide a hyperlink for that text. 
  • Write one paragraph (5+ sentences) summarizing the main points of the text. 
  • Write one more argumentative paragraph (5+ sentences) where you discuss which sentence (make sure it appears within quotation marks, but don't worry about in-text citations for now) you think is the author's thesis statement and why. 

Submitting the Assignment

You will be submitting Exercise #1: Identify Thesis Statements within Canvas in our weekly module. 

Please check the assignment page for deadlines and Canvas Guides to help you in case you have trouble submitting your document. 

  • "88 Open Essays - A Reader for Students of Composition & Rhetoric" by Sarah Wangler and Tina Ulrich from LibreTexts appears under an  Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license. 

Exercise #2: Write Your Own Thesis Statements

Now that you've had some practice with locating and identifying thesis statements, you are ready to write some practice thesis statements yourself. 

writing supplies/tools

  • write a two-story thesis statement 
  • write a three-story thesis statement
  • reflect on your thesis statement skills
  • Using the same text from Exercise #1, write a two-story thesis statement in response to that text. 
  • Using the same text from Exercise #1, write a three-story thesis statement in response to that text. 
  • Is it easy for you to identify thesis statements in other texts? Why or why not?
  • What methods do you use to identify/locate thesis statements?
  • In the past, how have you felt when you needed to write a thesis statement?
  • How did you feel about writing your own thesis statements in Exercise #2?
  • Which thesis statement writing strategies were the most beneficial to you? Why?
  • What challenges did you face when you were writing you thesis statement for Exercise #2?

You will be submitting Exercise #2: Write Your Own Thesis Statements within Canvas in our weekly module. 

  • The untitled image of the writing supplies by ptra  is licensed under Pixabay . 

Version History

Practice in identifying effective thesis statements.

Adrian Samson/Getty Images

  • An Introduction to Punctuation
  • Ph.D., Rhetoric and English, University of Georgia
  • M.A., Modern English and American Literature, University of Leicester
  • B.A., English, State University of New York

This exercise will help you understand the difference between an effective and ineffective thesis statement , ie a sentence that identifies the main idea and central purpose of an essay .

For each pair of sentences below, select the one that you think would make the more effective thesis in the introductory paragraph of a short essay (approximately 400 to 600 words). Keep in mind that an effective thesis statement should be sharply focused and specific , not just a general statement of fact.

When you're done, you may want to discuss your answers with your classmates, and then compare your responses with the suggested answers on page two. Be ready to defend your choices. Because these thesis statements appear outside the context of complete essays, all responses are judgment calls, not absolute certainties.

  • (a) The Hunger Games is a science fiction adventure film based on the novel of the same name by Suzanne Collins. (b) The Hunger Games is a morality tale about the dangers of a political system that is dominated by the wealthy.
  • (a) There is no question that cell phones have changed our lives in a very big way. (b) While cell phones provide freedom and mobility, they can also become a leash, compelling users to answer them anywhere and at any time.
  • (a) Finding a job is never easy, but it can be especially hard when the economy is still feeling the effects of a recession and employers are reluctant to hire new workers. (b) College students looking for part-time work should begin their search by taking advantage of job-finding resources on campus.
  • (a) For the past three decades, coconut oil has been unjustly criticized as an artery-clogging saturated fat. (b) Cooking oil is plant, animal, or synthetic fat that is used in frying, baking, and other types of cooking.
  • (a) There have been over 200 movies about Count Dracula, most of them only very loosely based on the novel published by Bram Stoker in 1897. (b) Despite its title, Bram Stoker's Dracula , a film directed by Francis Ford Coppola, takes considerable liberties with Stoker's novel.
  • (a) There are several steps that teachers can take to encourage academic integrity and curtail cheating in their classes. (b) There is an epidemic of cheating in America's schools and colleges, and there are no easy solutions to this problem.
  • (a) J. Robert Oppenheimer, the American physicist who directed the building of the first atomic bombs during World War II, had technical, moral, and political reasons for opposing the development of the hydrogen bomb. (b) J. Robert Oppenheimer often referred to as "the father of the atomic bomb," was born in New York City in 1904.
  • (a) The iPad has revolutionized the mobile-computing landscape and created a huge profit stream for Apple. (b) The iPad, with its relatively large high-definition screen, has helped to revitalize the comic book industry.
  • (a) Like other addictive behaviors, Internet addiction may have serious negative consequences, including academic failure, job loss, and a breakdown in personal relationships. (b) Drug and alcohol addiction is a major problem in the world today, and many people suffer from it.
  • (a) When I was a child I used to visit my grandmother in Moline every Sunday. (b) Every Sunday we visited my grandmother, who lived in a tiny house that was undeniably haunted.
  • (a)  The bicycle was introduced in the nineteenth century and rapidly grew into a worldwide phenomenon. (b) In several ways, bicycles today are better than they were 100 or even 50 years ago.
  • (a) Although many varieties of beans belong in a healthy diet, among the most nutritious are black beans, kidney beans, chickpeas, and pinto beans. (b) Although beans are generally good for you, some kinds of raw beans can be dangerous if they're not well cooked.

Suggested Answers

  • (b)   The Hunger Games  is a morality tale about the dangers of a political system that is dominated by the wealthy.
  • (b) While cell phones provide freedom and mobility, they can also become a leash, compelling users to answer them anywhere and at any time.
  • (b) College students looking for part-time work should begin their search by taking advantage of job-finding resources on campus.
  • (a) For the past three decades, coconut oil has been unjustly criticized as an artery-clogging saturated fat.
  • (b) Despite its title,  Bram Stoker's Dracula , a film directed by Francis Ford Coppola, takes considerable liberties with Stoker's novel.
  • (a) There are several steps that teachers can take to encourage academic integrity and curtail cheating in their classes.
  • (a) J. Robert Oppenheimer , the American physicist who directed the building of the first atomic bombs during World War II, had technical, moral, and political reasons for opposing the development of the hydrogen bomb.
  • (b) The iPad, with its relatively large high-definition screen, has helped to revitalize the comic book industry.
  • (a) Like other addictive behaviors, Internet addiction may have serious negative consequences, including academic failure, job loss, and a breakdown in personal relationships.
  • (b) Every Sunday we visited my grandmother, who lived in a tiny house that was undeniably haunted.
  • (b) In several ways, bicycles today are better than they were 100 or even 50 years ago.
  • (a) Although many varieties of beans belong in a healthy diet, among the most nutritious are black beans, kidney beans, chickpeas, and pinto beans. 
  • Biography of J. Robert Oppenheimer, Director of the Manhattan Project
  • How to Write a Good Thesis Statement
  • Thesis: Definition and Examples in Composition
  • How to Write a Solid Thesis Statement
  • Free Desktop Wallpapers
  • The Manhattan Project and the Invention of the Atomic Bomb
  • Definition and Examples of Metanoia
  • Franklin D. Roosevelt Fast Facts
  • Biography of Physicist Paul Dirac
  • Exercises in Identifying Subjects and Verbs
  • Exercise in Identifying Sentences by Structure
  • Proofreading for Errors in Verb Tense
  • Review Exercises in Subject-Verb Agreement
  • Definition and Examples of Primary Verbs in English
  • An Introduction to Academic Writing
  • Censorship and Book Banning in America

By clicking “Accept All Cookies”, you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts.

Carnegie Mellon University

Toward Computational Argumentation with Reasoning and Knowledge

 Our society today is overloaded with information and opinions. While they are important resources for decision-making for the general public and policy makers in organizations, the staggering amount of them is making people more passive and dependent on information delivered by technologies. This issues an urgent call for technologies that support human decision-making in a truthful way. Truthful language technologies need the ability to reason and use knowledge, beyond memorizing patterns in data and relying on irrelevant statistics and biases. To achieve this goal, our field needs a better understanding of how humans reason and how to incorporate human-like reasoning and knowledge into computational models. 

In response to this need, this thesis studies one of the most common communication modes that is full of reasoning: argumentation. The first goal is to provide computational models for analyzing argumentation quantitatively and shedding light on human reasoning reflected in language. The second goal is to incorporate the findings from our study and argumentation theory into computational models via proper knowledge to improve their predictive power and fidelity. By doing so, this thesis argues that integrating reasoning and knowledge, along with argumentation theory, into computational models improves their explanatory and predictive power for argumentative phenomena. 

This thesis begins with a study of individual statements in argumentation, in terms of asserted propositions, propositional types, and their effects. We build a model that identifies argumentatively meaningful text spans in text and recovers asserted propositions. Next, we present a methodology for identifying various surface types of propositions (e.g., statistics and comparison) that underlie dialogues and analyzing their associations with different argumentation outcomes (e.g., persuasion). Applying the model on four argumentative corpora, we find 24 generic surface types of propositions in argumentation and their associations with successful editing in Wikipedia, moderation in political debates, persuasion, and formation of pro- and counter-arguments. 

We take a step further and study argumentative relations between statements (support, attack, and neutral) by drawing upon argumentation schemes. We first address the challenging problem of annotation in application of argumentation schemes to computational linguistics. We develop a human-machine hybrid annotation protocol to improve the speed and robustness of annotation. By applying it to annotating four main types of statements in argumentation schemes, we demonstrate the natural affinity between the statement types to form arguments and argumentation schemes. Next, we hypothesize four logical mechanisms in argumentative relations informed by argumentation theory: factual consistency, sentiment coherence, causal relation, and normative relation. Not only do they explain argumentative relations effectively, but incorporating them into a supervised classifier through representation learning further improves the predictive power by exploiting intuitive correlations between argumentative relations and logical relations. 

Lastly, we take a closer look at counter-argumentation and study counterargument generation. We first present two computational models to detect attackable sentences in arguments via persuasion outcomes as guidance. Modeling sentence attackability improves prediction of persuasion outcomes. Further, they reveal interesting and counterintuitive characteristics of attackable sentences. Next, given statements to attack, we build a system to retrieve counterevidence from various sources on the Web. At the core of this system is a natural language inference (NLI) model that classifies whether a candidate sentence is valid counterevidence to the given statement. To overcome the lack of reasoning abilities in most NLI models, we present a knowledge-enhanced NLI model that targets causality- and example-based inference. This NLI model improves performance in NLI tasks, especially for instances that require the targeted inference, as well as the overall retrieval system. We conclude by making a connection of this system with the argumentative relation classifier and attackability detection. 

The contributions of the thesis include the following: 

  • This thesis contributes computational tools and findings to the growing literature of argumentation theory on quantitative understanding of argumentation. 
  • This thesis provides insights into human reasoning and incorporates them into computational models. For instance, logical mechanisms are incorporated into an argumentative relation classifier, and two types of inference are incorporated into counterevidence retrieval through relevant knowledge graphs. 
  •  This thesis draws largely on and borrows frameworks from argumentation theory, thereby bridging argumentation theory, language technologies, and computational linguistics. 

Degree Type

  • Language Technologies Institute

Degree Name

  • Doctor of Philosophy (PhD)

Usage metrics

  • Natural Language Processing

CC BY 4.0

Step 1: Start with a question Step 2: Write your initial answer Step 3: Develop your answer Step 4: Refine your thesis statement Types of thesis statements Other interesting articles Frequently asked questions about thesis statements What is a thesis statement? A thesis statement summarizes the central points of your essay.

A thesis is an interpretation of a question or subject, not the subject itself. The subject, or topic, of an essay might be World War II or Moby Dick; a thesis must then offer a way to understand the war or the novel. makes a claim that others might dispute.

A thesis statement . . . Makes an argumentative assertion about a topic; it states the conclusions that you have reached about your topic. Makes a promise to the reader about the scope, purpose, and direction of your paper. Is focused and specific enough to be "proven" within the boundaries of your paper.

A thesis statement is a sentence in a paper or essay (in the opening paragraph) that introduces the main topic to the reader. As one of the first things your reader sees, your thesis statement is one of the most important sentences in your entire paper—but also one of the hardest to write!

Strong thesis statements address specific intellectual questions, have clear positions, and use a structure that reflects the overall structure of the paper. ... Identifying similarities and differences is a good first step, but strong academic argument goes further, analyzing what those similarities and differences might mean or imply.

4. A strong thesis statement is specific. A thesis statement should show exactly what your paper will be about, and will help you keep your paper to a manageable topic. For example, if you're writing a seven-to-ten page paper on hunger, you might say: World hunger has many causes and effects. This is a weak thesis statement for two major reasons.

1. Determine what kind of paper you are writing: An analytical paper breaks down an issue or an idea into its component parts, evaluates the issue or idea, and presents this breakdown and evaluation to the audience. An expository (explanatory) paper explains something to the audience.

The thesis statement is the one sentence that encapsulates the result of your thinking, as it offers your main insight or argument in condensed form. We often use the word "argument" in English courses, but we do not mean it in the traditional sense of a verbal fight with someone else.

Hand-drawn Mind Map Locating Explicit and Implicit Thesis Statements In academic writing, the thesis is often explicit: it is included as a sentence as part of the text. It might be near the beginning of the work, but not always-some types of academic writing leave the thesis until the conclusion.

A basic thesis statement has two main parts: Topic: What you're writing about Angle: What your main idea is about that topic Sample Thesis #1 Sample Thesis #2 Sample Thesis #3 Previous Next Grumble... Applaud... Please give us your feedback!

Another example of a debatable thesis statement: America's anti-pollution efforts should focus on privately owned cars. ... Regardless of the type of claim you choose to utilize it is key to identify the controversy or debate you are addressing and to define your position early on in the paper. Resources. Communication. OneCampus Portal ...

A thesis statement is a very common component of an essay, particularly in the humanities. It usually comprises 1 or 2 sentences in the introduction of your essay, and should clearly and concisely summarize the central points of your academic essay. A thesis is a long-form piece of academic writing, often taking more than a full semester to ...

Each paragraph will have a topic sentence. Figure 2.5.2 2.5. 2. It might be helpful to think of a topic sentence as working in two directions simultaneously. It relates the paragraph to the essay's thesis, and thereby acts as a signpost for the argument of the paper as a whole, but it also defines the scope of the paragraph itself.

EXERCISE 1: Identify the Topic and Focus. Self-Check. Being able to identify the purpose and thesis of a text, as you're reading it, takes practice. This section will offer you that practice. One fun strategy for developing a deeper understanding the material you're reading is to make a visual "map" of the ideas.

Identifying the Thesis Statement. Paragraph 2 ends with this thesis statement: "People's prior convictions should not be held against them in their pursuit of higher learning." It is a thesis statement for three reasons: It is the article's main argument.

A thesis statement can keep the writer from getting lost in a convoluted and directionless argument. Finally, it will also ensure that the research paper remains relevant and focused on the objective. ... Identify the knowledge gaps in the relevant research paper. Analyze the deeper implications of the author's research argument.

Remember that the thesis statement is a kind of "mapping tool" that helps you organize your ideas, and it helps your reader follow your argument. After the topic sentence, include any evidence in this body paragraph, such as a quotation, statistic, or data point, that supports this first point. Explain what the evidence means. Show the reader ...

According to author Pavel Zemliansky, Arguments then, can be explicit and implicit, or implied. Explicit arguments contain noticeable and definable thesis statements and lots of specific proofs. Implicit arguments, on the other hand, work by weaving together facts and narratives, logic and emotion, personal experiences and statistics.

The following "How to Identify a Thesis Statement" video offers advice for locating a text's thesis statement. It asks you to write one or two sentences that summarize the text. When you write that summary, without looking at the text itself, you've most likely paraphrased the thesis statement. How to Identify the Thesis Statement

Identifying the Thesis Statement. Paragraph 2 ends with this thesis statement: "People's prior convictions should not be held against them in their pursuit of higher learning." It is a thesis statement for three reasons: It is the article's main argument. It is not a fact. Someone could think that peoples' prior convictions should ...

Practice in Identifying Effective Thesis Statements Adrian Samson/Getty Images By Richard Nordquist Updated on August 07, 2019 This exercise will help you understand the difference between an effective and ineffective thesis statement, ie a sentence that identifies the main idea and central purpose of an essay . Instructions

This thesis begins with a study of individual statements in argumentation, in terms of asserted propositions, propositional types, and their effects. ... Next, we present a methodology for identifying various surface types of propositions (e.g., statistics and comparison) that underlie dialogues and analyzing their associations with different ...

Search code, repositories, users, issues, pull requests...

Provide feedback.

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly.

To see all available qualifiers, see our documentation .

  • Notifications

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement . We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Prettier failed to parse when using babel-ts #14934

@so1ve

so1ve commented Jun 11, 2023 • edited

@sosukesuzuki

sosukesuzuki commented Jun 13, 2023

  • 👍 1 reaction

Sorry, something went wrong.

@sosukesuzuki

so1ve commented Jun 13, 2023

@github-actions

No branches or pull requests

@sosukesuzuki

IMAGES

  1. "Invalid left-hand side in assignment": incorrectly reported as

    babel invalid left hand side in assignment expression

  2. javascript

    babel invalid left hand side in assignment expression

  3. Invalid Left Hand Side In Assignment

    babel invalid left hand side in assignment expression

  4. 解决babel es5语法一个奇怪的问题Invalid left-hand side in assignment_invalid for/in

    babel invalid left hand side in assignment expression

  5. Salesforce: Invalid left-hand side in assignment?

    babel invalid left hand side in assignment expression

  6. @babel/preset-typescript "Binding invalid left-hand side in function

    babel invalid left hand side in assignment expression

VIDEO

  1. Dactyl Manuform Home Stretch

  2. FNF Invalid Data S-side

  3. MIRACLES ON THE LEFT HAND SIDE

  4. Ballin

  5. Hand hith game #shorts 😱#rispact #HSfunny

  6. Mysterious Left Hand Rule #indianitalian #comedy

COMMENTS

  1. Babel build causing Invalid left-hand side in assignment expression

    Babel build causing Invalid left-hand side in assignment expression Ask Question Asked 5 years, 3 months ago Modified 5 years, 3 months ago Viewed 765 times 0 I am not sure what I am doing wrong here but when I bundle my code using web pack and babel. One of linter within babel throwing a left-hand side in an assignment expression.

  2. "Invalid left-hand side in assignment": incorrectly reported as

    OS: OSX 10.14 Bug Report Current Behavior Code like 2++ or 3 = 2 result in a SyntaxError ("Invalid left-hand side assignment"), when they should be resulting in an error of type ReferenceError. According to the ...

  3. TypeScript: Invalid left-hand side in assignment expression (2:0)

    ( Fixes bab… 0c6aa53 mmantel mentioned this issue on May 8, 2018 TypeScript: Allow non-null and type assertions as lvalues. (Fixes #7638) #7888 Merged existentialism added the Has PR label on May 9, 2018 existentialism closed this as completed in #7888 on May 9, 2018 existentialism pushed a commit that referenced this issue on May 9, 2018

  4. The left-hand side of an assignment expression may not be an optional

    New issue The left-hand side of an assignment expression may not be an optional property #12995 Closed shuerguo999 opened this issue on Mar 12, 2021 · 2 comments shuerguo999 on Mar 12, 2021 shuerguo999 added i: enhancement i: needs triage labels on Mar 12, 2021

  5. SyntaxError: invalid assignment left-hand side

    Sometimes the syntax is almost correct, but at runtime, the left hand side expression evaluates to a value instead of a reference, so the assignment is still invalid. Such errors occur later in execution, when the statement is actually executed. js function foo() { return { a: 1 }; } foo() = 1; // ReferenceError: invalid assignment left-hand side

  6. The left-hand side of assignment expression may not be an optional

    The optional chaining (?.) operator will simply return undefined in the example because employee has a value of undefined.. The purpose of the optional chaining (?.) operator is accessing deeply nested properties without erroring out if a value in the chain is equal to null or undefined. However, the optional chaining operator cannot be used on the left-hand side of an assignment expression.

  7. Invalid left-hand side in assignment with _getOuter() #861

    Webpack says Module parse failed: Invalid left-hand side in assignment sebmck closed this as completed in e11b943 on Feb 22, 2015 sebmck added a commit that referenced this issue on Feb 22, 2015 optimise named functions depending on whether they contain an assignm… … f2d60aa commented on Feb 22, 2015

  8. Errors: Invalid assignment left-hand side

    ReferenceError: invalid assignment left-hand side The JavaScript exception "invalid assignment left-hand side" occurs when there was an unexpected assignment somewhere. For example, a single "=" sign was used instead of "==" or "===". ... Errors: Deprecated expression closures. Errors: Deprecated octal. Errors: Deprecated source map pragma ...

  9. How to fix SyntaxError: invalid assignment left-hand side

    To fix this error, you need to replace the single equal = operator with the double == or triple === equals. Here's an example: let score = 1 if (score === 1 || score === 2) { console.log("Inside if statement") } By replacing the assignment operator with the comparison operator, the code now runs without any error.

  10. ReferenceError: invalid assignment left-hand side

    There was an unexpected assignment somewhere. This might be due to a mismatch of a assignment operator and a comparison operator, for example. While a single " = " sign assigns a value to a variable, the " == " or " === " operators compare a value.

  11. Invalid left-hand side in assignment expression

    Invalid left-hand side in assignment expression JavaScript KDalang June 8, 2021, 5:43am 1 Hello. I am attempting to create a self-generating biology question that randomly generates three numbers for the problem question, then asks a yes or no question.

  12. Invalid left-hand side in assignment (T6927) #3954

    New issue Invalid left-hand side in assignment (T6927) #3954 Closed babel-bot opened this issue on Jan 6, 2016 · 1 comment Collaborator babel-bot commented on Jan 6, 2016 Babel version: 6.4 Node version: 4.2.2 npm version: 3.5 babel-bot closed this as completed on Jan 6, 2016 bot added the outdated label on May 8, 2018

  13. JavaScript ReferenceError

    This JavaScript exception invalid assignment left-hand side occurs if there is a wrong assignment somewhere in code. A single "=" sign instead of "==" or "===" is an Invalid assignment. Message:

  14. ReferenceError: invalid assignment left-hand side

    ReferenceError: invalid assignment left-hand side. JavaScript の例外 "invalid assignment left-hand side" は、どこかで予想外の代入が行われたときに発生します。. 例えば、単一の " = " の記号が " == " や " === " の代わりに使用された場合です。.

  15. Why is this an invalid assignment left hand side?

    You must assign a value to variable, as value-to-value assignment is semantically and logically invalid. Another way to think about the above is to realize this: 1 + 1 is a value. 2 is a value. You cannot assign a value to a value, as that value already has a value. A constant such as 2 has value 2, it cannot be changed.

  16. [parser] validation for parentheses in the left-hand side of assignment

    Q A Fixed Issues? Fixes #8796, fixes #9899 Patch: Bug Fix? Yes Major: Breaking Change? No Minor: New Feature? No Tests Added + Pass? Yes Documentation PR Link No...

  17. babel invalid left hand side in assignment expression

    The JavaScript exception "invalid assignment left-hand side" occurs when there was an unexpected assignment somewhere. For example, a single " = " sign was... 刚开始不知道怎么解决,就直接搜Invalid left-hand side in assignment,搜出来的都是常见的js语法上的问题,然后加了关键字npm babel es5去搜,甚至...

  18. ReferenceError: Invalid left-hand side in assignment

    3 Answers Sorted by: 64 You have to use == to compare (or even ===, if you want to compare types). A single = is for assignment. if (one == 'rock' && two == 'rock') { console.log ('Tie! Try again!'); } Share

  19. Prettier failed to parse when using babel-ts #14934

    Prettier 2.8.8 Playground link # Options (if any): --parser babel-ts Input: a(bar < 1, 2 >= (bar)) Output: SyntaxError: Invalid left-hand side in assignment ...