SlideShare a Scribd company logo
1 of 15
Rhetorical Analysis
Since the beginning of the semester, we have discussed
Aristotle's Rhetorical Triangle to understand the roles that
ethos, pathos, and logos play in constructing a successful and
balanced argument. In our second essay of the semester, we will
closely examine one of our readings and rhetorically analyze the
argument in terms of its audience, the author’s intrinsic and
extrinsic ethos, and the logical and emotional appeals of the
argument. Your thesis, which will establish your persona in the
essay using the first person “I” will articulate whether or not
you think that the argument is persuasive based on the
rhetorical appeals; a strong thesis will tell why you feel the
argument successfully persuades the audience, based on the
writer’s ethos, and the logos and pathos of the argument.
(NOTE: your thesis will not tell how you feel about the issue or
whether or not you agree with the author’s position; since your
purpose here is to analyze, your thesis must tell whether or not
the essay successfully persuades the audience based on its
rhetorical appeals)
The length requirement for this essay is four to five pages in
MLA format. You must include a citation for the text on your
works cited list. You are not required to bring in outside
sources, since the purpose of this paper is to analyze one text
closely, but if you do wish to include any outside information,
your sources should be properly cited both in text and on the
works cited list. Please organize your essay into the following
sections (include bold headings): Intro, Audience, Ethos, Logos,
Pathos, Conclusion.
INTRO
In the introduction of this paper, you will open by fully
contextualizing the text for readers (assume that the reader
needs explanation and background about the text!) First, you
must introduce the author and title of the piece. You should
then provide a brief summary of the argument, identifying the
target audience and what the author’s is trying to persuade this
audience to believe. The final sentence of the intro will be your
thesis sentence, telling whether or not you feel the author makes
a successful argument based on the author’s ethos, and use of
pathos, and logos.
AUDIENCE
In this paragraph, you will identify the text’s target audience,
and list other possible secondary audiences. Does the writer
succeed in persuading this audience? Explain in a well
developed paragraph.
ETHOS
Here, you will discuss the author’s extrinsic (ie credibility
outside of the “Letter”) and intrinsic ethos (ie the credibility
established in the argument based on tone, word choice, appeals
to shared values, etc.) Does the author’s credibility outside of
the essay strengthen the persuasiveness of the text? What about
the author’s credibility inside of the essay? How would you
describe the author? Educated? Reasonable? Respectful? Of
good moral and ethical character? What examples inside and
outside of the text reveal this? Provide specific examples and
explain/analyze the examples thoroughly.
PATHOS
In this section, you will analyze how the author appeals to the
emotions of the audience through the use of strategic examples
and elevated/heightened word choice. You should introduce and
discuss at least two examples and thoroughly explain how these
examples contribute to the overall persuasiveness of the
argument.
LOGOS
Here, you will examine, discuss, and analyze the logical appeals
made in the text (facts, comparison, cause and effect reasoning,
analogies).
CONCLUSION
Your conclusion must restate your thesis and the main points
made in the sections of your paper. You can develop your
conclusion through a variety of strategies: you can end with an
incorporation of a key quote, question, or point; return to an
opening example or quote; discuss how the paper relates to
current conditions; discuss the topic's overall importance to
society.
Remember that our audience this semester is an academic
audience that requires a formal tone; always refer to an author
by their last name! While you can use the first person I, try not
to use the second person you, since it tends to make the tone
less formal and more conversational.
I will read your “final for now” with the purpose of providing
feedback for further improvement of the draft for the Portfolio.
Therefore, I will not assign the essay a grade until that point,
but will instead read your draft and discuss your success at
meeting the following guidelines:
An intro paragraph that contextualizes the text for the audience
thoroughlyA thesis sentence that expresses, using an I plus a
strong verb, whether or not the text is rhetorically successful
overall and specifies reasons whyA conclusion that rephrases
the thesis sentence and all of the main ideas of the essay in
order, then ends with a meaningful thought about the text
Bolded headings to organize the ideas of the paper
Strong body paragraphs (ie “hamburger” academic paragraphs)
with clear topic sentences
Relevant and strategically chosen examples from the text to
illustrate the author’s ethos, pathos, and logos appeals
Solid and insightful analysis that thoroughly explains WHY the
examples chosen are successful and persuasive appeals to the
target/secondary audience (or not)
Smooth flow of ideas via transition words/phrases both inside
and between paragraphsProfessionalism/Editing—at the final
for now stage, the essay should have limited errors in spelling,
grammar, punctuation and demonstrate effective use of
academic English
Audience awareness: maintaining an academic tone and keeping
the reader interested and engaged
MLA—correct MLA formatting, in text citations, works cited
list
Length—4-5 pages (1200-1500 words)
/****************************************************
****
* This script creates the database named my_guitar_shop
*****************************************************
****/
DROP DATABASE IF EXISTS my_guitar_shop;
CREATE DATABASE my_guitar_shop;
USE my_guitar_shop;
-- create the tables for the database
CREATE TABLE categories (
category_id INT PRIMARY KEY AUTO_INCREMENT,
category_name VARCHAR(255) NOT NULL UNIQUE
);
CREATE TABLE products (
product_id INT PRIMARY KEY AUTO_INCREMENT,
category_id INT NOT NULL,
product_code VARCHAR(10) NOT NULL UNIQUE,
product_name VARCHAR(255) NOT NULL,
description TEXT NOT NULL,
list_price DECIMAL(10,2) NOT NULL,
discount_percent DECIMAL(10,2) NOT NULL DEFAULT
0.00,
date_added DATETIME DEFAULT NULL,
CONSTRAINT products_fk_categories
FOREIGN KEY (category_id)
REFERENCES categories (category_id)
);
CREATE TABLE customers (
customer_id INT PRIMARY KEY AUTO_INCREMENT,
email_address VARCHAR(255) NOT NULL UNIQUE,
password VARCHAR(60) NOT NULL,
first_name VARCHAR(60) NOT NULL,
last_name VARCHAR(60) NOT NULL,
shipping_address_id INT DEFAULT NULL,
billing_address_id INT DEFAULT NULL
);
CREATE TABLE addresses (
address_id INT PRIMARY KEY AUTO_INCREMENT,
customer_id INT NOT NULL,
line1 VARCHAR(60) NOT NULL,
line2 VARCHAR(60) DEFAULT NULL,
city VARCHAR(40) NOT NULL,
state VARCHAR(2) NOT NULL,
zip_code VARCHAR(10) NOT NULL,
phone VARCHAR(12) NOT NULL,
disabled TINYINT(1) NOT NULL DEFAULT 0,
CONSTRAINT addresses_fk_customers
FOREIGN KEY (customer_id)
REFERENCES customers (customer_id)
);
CREATE TABLE orders (
order_id INT PRIMARY KEY AUTO_INCREMENT,
customer_id INT NOT NULL,
order_date DATETIME NOT NULL,
ship_amount DECIMAL(10,2) NOT NULL,
tax_amount DECIMAL(10,2) NOT NULL,
ship_date DATETIME DEFAULT NULL,
ship_address_id INT NOT NULL,
card_type VARCHAR(50) NOT NULL,
card_number CHAR(16) NOT NULL,
card_expires CHAR(7) NOT NULL,
billing_address_id INT NOT NULL,
CONSTRAINT orders_fk_customers
FOREIGN KEY (customer_id)
REFERENCES customers (customer_id)
);
CREATE TABLE order_items (
item_id INT PRIMARY KEY AUTO_INCREMENT,
order_id INT NOT NULL,
product_id INT NOT NULL,
item_price DECIMAL(10,2) NOT NULL,
discount_amount DECIMAL(10,2) NOT NULL,
quantity INT NOT NULL,
CONSTRAINT items_fk_orders
FOREIGN KEY (order_id)
REFERENCES orders (order_id),
CONSTRAINT items_fk_products
FOREIGN KEY (product_id)
REFERENCES products (product_id)
);
CREATE TABLE administrators (
admin_id INT PRIMARY KEY AUTO_INCREMENT,
email_address VARCHAR(255) NOT NULL,
password VARCHAR(255) NOT NULL,
first_name VARCHAR(255) NOT NULL,
last_name VARCHAR(255) NOT NULL
);
-- Insert data into the tables
INSERT INTO categories (category_id, category_name)
VALUES
(1, 'Guitars'),
(2, 'Basses'),
(3, 'Drums'),
(4, 'Keyboards');
INSERT INTO products (product_id, category_id,
product_code, product_name, description, list_price,
discount_percent, date_added) VALUES
(1, 1, 'strat', 'Fender Stratocaster', 'The Fender Stratocaster is
the electric guitar design that changed the world. New features
include a tinted neck, parchment pickguard and control knobs,
and a ''70s-style logo. Includes select alder body, 21-fret maple
neck with your choice of a rosewood or maple fretboard, 3
single-coil pickups, vintage-style tremolo, and die-cast tuning
keys. This guitar features a thicker bridge block for increased
sustain and a more stable point of contact with the strings. At
this low price, why play anything but the real
thing?rnrnFeatures:rnrn* New features:rn* Thicker
bridge blockrn* 3-ply parchment pick guardrn* Tinted neck',
'699.00', '30.00', '2014-10-30 09:32:40'),
(2, 1, 'les_paul', 'Gibson Les Paul', 'This Les Paul guitar offers a
carved top and humbucking pickups. It has a simple yet elegant
design. Cutting-yet-rich tone?the hallmark of the Les
Paul?pours out of the 490R and 498T Alnico II magnet
humbucker pickups, which are mounted on a carved maple top
with a mahogany back. The faded finish models are equipped
with BurstBucker Pro pickups and a mahogany top. This guitar
includes a Gibson hardshell case (Faded and satin finish models
come with a gig bag) and a limited lifetime
warranty.rnrnFeatures:rnrn* Carved maple top and
mahogany back (Mahogany top on faded finish models)rn*
Mahogany neck, ''59 Rounded Les Paulrn* Rosewood
fingerboard (Ebony on Alpine white)rn* Tune-O-Matic bridge
with stopbarrn* Chrome or gold hardwarern* 490R and 498T
Alnico 2 magnet humbucker pickups (BurstBucker Pro on faded
finish models)rn* 2 volume and 2 tone knobs, 3-way switch',
'1199.00', '30.00', '2014-12-05 16:33:13'),
(3, 1, 'sg', 'Gibson SG', 'This Gibson SG electric guitar takes the
best of the ''62 original and adds the longer and sturdier neck
joint of the late ''60s models. All the classic features you''d
expect from a historic guitar. Hot humbuckers go from rich,
sweet lightning to warm, tingling waves of sustain. A silky-fast
rosewood fretboard plays like a dream. The original-style
beveled mahogany body looks like a million bucks. Plus, Tune-
O-Matic bridge and chrome hardware. Limited lifetime
warranty. Includes hardshell case.rnrnFeatures:rnrn*
Double-cutaway beveled mahogany bodyrn* Set mahogany
neck with rounded ''50s profilern* Bound rosewood
fingerboard with trapezoid inlaysrn* Tune-O-Matic bridge
with stopbar tailpiecern* Chrome hardwarern* 490R
humbucker in the neck positionrn* 498T humbucker in the
bridge positionrn* 2 volume knobs, 2 tone knobs, 3-way
switchrn* 24-3/4" scale', '2517.00', '52.00', '2015-02-04
11:04:31'),
(4, 1, 'fg700s', 'Yamaha FG700S', 'The Yamaha FG700S solid
top acoustic guitar has the ultimate combo for projection and
pure tone. The expertly braced spruce top speaks clearly atop
the rosewood body. It has a rosewood fingerboard, rosewood
bridge, die-cast tuners, body and neck binding, and a tortoise
pickguard.rnrnFeatures:rnrn* Solid Sitka spruce toprn*
Rosewood back and sidesrn* Rosewood fingerboardrn*
Rosewood bridgern* White/black body and neck bindingrn*
Die-cast tunersrn* Tortoise pickguardrn* Limited lifetime
warranty', '489.99', '38.00', '2015-06-01 11:12:59'),
(5, 1, 'washburn', 'Washburn D10S', 'The Washburn D10S
acoustic guitar is superbly crafted with a solid spruce top and
mahogany back and sides for exceptional tone. A mahogany
neck and rosewood fingerboard make fretwork a breeze, while
chrome Grover-style machines keep you perfectly tuned. The
Washburn D10S comes with a limited lifetime
warranty.rnrnFeatures:rnrn * Spruce toprn * Mahogany
back, sidesrn * Mahogany neck Rosewood fingerboardrn *
Chrome Grover-style machines', '299.00', '0.00', '2015-07-30
13:58:35'),
(6, 1, 'rodriguez', 'Rodriguez Caballero 11', 'Featuring a
carefully chosen, solid Canadian cedar top and laminated
bubinga back and sides, the Caballero 11 classical guitar is a
beauty to behold and play. The headstock and fretboard are of
Indian rosewood. Nickel-plated tuners and Silver-plated frets
are installed to last a lifetime. The body binding and wood
rosette are exquisite.rnrnThe Rodriguez Guitar is hand
crafted and glued to create precise balances. From the invisible
careful sanding, even inside the body, that ensures the finished
instrument''s purity of tone, to the beautifully unique rosette
inlays around the soundhole and on the back of the neck, each
guitar is a credit to its luthier and worthy of being handed down
from one generation to another.rnrnThe tone, resonance and
beauty of fine guitars are all dependent upon the wood from
which they are made. The wood used in the construction of
Rodriguez guitars is carefully chosen and aged to guarantee the
highest quality. No wood is purchased before the tree has been
cut down, and at least 2 years must elapse before the tree is
turned into lumber. The wood has to be well cut from the log.
The grain must be close and absolutely vertical. The shop is
totally free from humidity.', '415.00', '39.00', '2015-07-30
14:12:41'),
(7, 2, 'precision', 'Fender Precision', 'The Fender Precision bass
guitar delivers the sound, look, and feel today''s bass players
demand. This bass features that classic P-Bass old-school
design. Each Precision bass boasts contemporary features and
refinements that make it an excellent value. Featuring an alder
body and a split single-coil pickup, this classic electric bass
guitar lives up to its Fender legacy.rnrnFeatures:rnrn*
Body: Alderrn* Neck: Maple, modern C shape, tinted satin
urethane finishrn* Fingerboard: Rosewood or maple
(depending on color)rn* 9-1/2" Radius (241 mm)rn* Frets:
20 Medium-jumbo fretsrn* Pickups: 1 Standard Precision Bass
split single-coil pickup (Mid)rn* Controls: Volume, Tonern*
Bridge: Standard vintage style with single groove saddlesrn*
Machine heads: Standardrn* Hardware: Chromern*
Pickguard: 3-Ply Parchmentrn* Scale Length: 34" (864
mm)rn* Width at Nut: 1-5/8" (41.3 mm)rn* Unique features:
Knurled chrome P Bass knobs, Fender transition logo', '799.99',
'30.00', '2015-06-01 11:29:35'),
(8, 2, 'hofner', 'Hofner Icon', 'With authentic details inspired by
the original, the Hofner Icon makes the legendary violin bass
available to the rest of us. Don''t get the idea that this a just a
"nowhere man" look-alike. This quality instrument features a
real spruce top and beautiful flamed maple back and sides. The
semi-hollow body and set neck will give you the warm, round
tone you expect from the violin bass.rnrnFeatures:rnrn*
Authentic details inspired by the originalrn* Spruce toprn*
Flamed maple back and sidesrn* Set neckrn* Rosewood
fretboardrn* 30" scalern* 22 fretsrn* Dot inlay', '499.99',
'25.00', '2015-07-30 14:18:33'),
(9, 3, 'ludwig', 'Ludwig 5-piece Drum Set with Cymbals', 'This
product includes a Ludwig 5-piece drum set and a Zildjian
starter cymbal pack.rnrnWith the Ludwig drum set, you get
famous Ludwig quality. This set features a bass drum, two toms,
a floor tom, and a snare?each with a wrapped finish. Drum
hardware includes LA214FP bass pedal, snare stand, cymbal
stand, hi-hat stand, and a throne.rnrnWith the Zildjian
cymbal pack, you get a 14" crash, 18" crash/ride, and a pair of
13" hi-hats. Sound grooves and round hammer strikes in a
simple circular pattern on the top surface of these cymbals
magnify the basic sound of the distinctive
alloy.rnrnFeatures:rnrn* Famous Ludwig qualityrn*
Wrapped finishesrn* 22" x 16" kick drumrn* 12" x 10" and
13" x 11" tomsrn* 16" x 16" floor tomrn* 14" x 6-1/2" snare
drum kick pedalrn* Snare standrn* Straight cymbal stand hi-
hat standrn* FREE throne', '699.99', '30.00', '2015-07-30
12:46:40'),
(10, 3, 'tama', 'Tama 5-Piece Drum Set with Cymbals', 'The
Tama 5-piece Drum Set is the most affordable Tama drum kit
ever to incorporate so many high-end features.rnrnWith over
40 years of experience, Tama knows what drummers really
want. Which is why, no matter how long you''ve been playing
the drums, no matter what budget you have to work with, Tama
has the set you need, want, and can afford. Every aspect of the
modern drum kit was exhaustively examined and reexamined
and then improved before it was accepted as part of the Tama
design. Which is why, if you start playing Tama now as a
beginner, you''ll still enjoy playing it when you''ve achieved
pro-status. That''s how good these groundbreaking new drums
are.rnrnOnly Tama comes with a complete set of genuine
Meinl HCS cymbals. These high-quality brass cymbals are made
in Germany and are sonically matched so they sound great
together. They are even lathed for a more refined tonal
character. The set includes 14" hi-hats, 16" crash cymbal, and a
20" ride cymbal.rnrnFeatures:rnrn* 100% poplar 6-
ply/7.5mm shellsrn* Precise bearing edgesrn* 100% glued
finishesrn* Original small lugsrn* Drum headsrn* Accu-
tune bass drum hoopsrn* Spur bracketsrn* Tom holderrn*
Tom brackets', '799.99', '15.00', '2015-07-30 13:14:15');
INSERT INTO customers (customer_id, email_address,
password, first_name, last_name, shipping_address_id,
billing_address_id) VALUES
(1, '[email protected]',
'650215acec746f0e32bdfff387439eefc1358737', 'Allan',
'Sherwood', 1, 2),
(2, '[email protected]',
'3f563468d42a448cb1e56924529f6e7bbe529cc7', 'Barry',
'Zimmer', 3, 3),
(3, '[email protected]',
'ed19f5c0833094026a2f1e9e6f08a35d26037066', 'Christine',
'Brown', 4, 4),
(4, '[email protected]',
'b444ac06613fc8d63795be9ad0beaf55011936ac', 'David',
'Goldstein', 5, 6),
(5, '[email protected]',
'109f4b3c50d7b0df729d299bc6f8e9ef9066971f', 'Erin',
'Valentino', 7, 7),
(6, '[email protected]',
'3ebfa301dc59196f18593c45e519287a23297589', 'Frank Lee',
'Wilson', 8, 8),
(7, '[email protected]',
'1ff2b3704aede04eecb51e50ca698efd50a1379b', 'Gary',
'Hernandez', 9, 10),
(8, '[email protected]',
'911ddc3b8f9a13b5499b6bc4638a2b4f3f68bf23', 'Heather',
'Esway', 11, 12);
INSERT INTO addresses (address_id, customer_id, line1, line2,
city, state, zip_code, phone, disabled) VALUES
(1, 1, '100 East Ridgewood Ave.', '', 'Paramus', 'NJ', '07652',
'201-653-4472', 0),
(2, 1, '21 Rosewood Rd.', '', 'Woodcliff Lake', 'NJ', '07677',
'201-653-4472', 0),
(3, 2, '16285 Wendell St.', '', 'Omaha', 'NE', '68135', '402-896-
2576', 0),
(4, 3, '19270 NW Cornell Rd.', '', 'Beaverton', 'OR', '97006',
'503-654-1291', 0),
(5, 4, '186 Vermont St.', 'Apt. 2', 'San Francisco', 'CA', '94110',
'415-292-6651', 0),
(6, 4, '1374 46th Ave.', '', 'San Francisco', 'CA', '94129', '415-
292-6651', 0),
(7, 5, '6982 Palm Ave.', '', 'Fresno', 'CA', '93711', '559-431-
2398', 0),
(8, 6, '23 Mountain View St.', '', 'Denver', 'CO', '80208', '303-
912-3852', 0),
(9, 7, '7361 N. 41st St.', 'Apt. B', 'New York', 'NY', '10012',
'212-335-2093', 0),
(10, 7, '3829 Broadway Ave.', 'Suite 2', 'New York', 'NY',
'10012', '212-239-1208', 0),
(11, 8, '2381 Buena Vista St.', '', 'Los Angeles', 'CA', '90023',
'213-772-5033', 0),
(12, 8, '291 W. Hollywood Blvd.', '', 'Los Angeles', 'CA',
'90024', '213-391-2938', 0);
INSERT INTO orders (order_id, customer_id, order_date,
ship_amount, tax_amount, ship_date, ship_address_id,
card_type, card_number, card_expires, billing_address_id)
VALUES
(1, 1, '2015-03-28 09:40:28', '5.00', '32.32', '2015-03-30
15:32:51', 1, 'Visa', '4111111111111111', '04/2020', 2),
(2, 2, '2015-03-28 11:23:20', '5.00', '0.00', '2015-03-29
12:52:14', 3, 'Visa', '4012888888881881', '08/2019', 3),
(3, 1, '2015-03-29 09:44:58', '10.00', '89.92', '2015-03-31
9:11:41', 1, 'Visa', '4111111111111111', '04/2017', 2),
(4, 3, '2015-03-30 15:22:31', '5.00', '0.00', '2015-04-03
16:32:21', 4, 'American Express', '378282246310005', '04/2016',
4),
(5, 4, '2015-03-31 05:43:11', '5.00', '0.00', '2015-04-02
14:21:12', 5, 'Visa', '4111111111111111', '04/2019', 6),
(6, 5, '2015-03-31 18:37:22', '5.00', '0.00', NULL, 7, 'Discover',
'6011111111111117', '04/2019', 7),
(7, 6, '2015-04-01 23:11:12', '15.00', '0.00', '2015-04-03
10:21:35', 8, 'MasterCard', '5555555555554444', '04/2019', 8),
(8, 7, '2015-04-02 11:26:38', '5.00', '0.00', NULL, 9, 'Visa',
'4012888888881881', '04/2019', 10),
(9, 4, '2015-04-03 12:22:31', '5.00', '0.00', NULL, 5, 'Visa',
'4111111111111111', '04/2019', 6);
INSERT INTO order_items (item_id, order_id, product_id,
item_price, discount_amount, quantity) VALUES
(1, 1, 2, '1199.00', '359.70', 1),
(2, 2, 4, '489.99', '186.20', 1),
(3, 3, 3, '2517.00', '1308.84', 1),
(4, 3, 6, '415.00', '161.85', 1),
(5, 4, 2, '1199.00', '359.70', 2),
(6, 5, 5, '299.00', '0.00', 1),
(7, 6, 5, '299.00', '0.00', 1),
(8, 7, 1, '699.00', '209.70', 1),
(9, 7, 7, '799.99', '240.00', 1),
(10, 7, 9, '699.99', '210.00', 1),
(11, 8, 10, '799.99', '120.00', 1),
(12, 9, 1, '699.00', '209.70', 1);
INSERT INTO administrators (admin_id, email_address,
password, first_name, last_name) VALUES
(1, '[email protected]',
'6a718fbd768c2378b511f8249b54897f940e9022', 'Admin',
'User'),
(2, '[email protected]',
'971e95957d3b74d70d79c20c94e9cd91b85f7aae', 'Joel',
'Murach'),
(3, '[email protected]',
'3f2975c819cefc686282456aeae3a137bf896ee8', 'Mike',
'Murach');
-- Create a user named mgs_user
GRANT SELECT, INSERT, UPDATE, DELETE
ON *
TO [email protected]
IDENTIFIED BY 'pa55word';
These exercises all use the create_my_guitar_shop.sql (Links to
an external site.). Write the code for each and save the code
(each code segment identified and separated) in Notepad.
Submit your completed assignment via Canvas.
To test whether a table has been modified correctly as you do
these exercises, you can write and run an appropriate SELECT
statement.
1) Write an INSERT statement that adds this row to the
Categories table: category_name: Brass
and Code the INSERT statement so MySQL automatically
generates the category_id column.
2) Write an UPDATE statement that modifies the row you just
added to the Categories table. This statement should change the
category_name column to “Woodwinds”, and it should use the
category_id column to identify the row.
3) Write a DELETE statement that deletes the row you added to
the Categories table in exercise 1.
This statement should use the category_id column to identify
the row.

More Related Content

Similar to Rhetorical AnalysisSince the beginning of the semester, we hav.docx

Writing Assignment Illustration Essay You are required to s.docx
Writing Assignment Illustration Essay You are required to s.docxWriting Assignment Illustration Essay You are required to s.docx
Writing Assignment Illustration Essay You are required to s.docxericbrooks84875
 
HUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fi
HUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fiHUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fi
HUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fiLizbethQuinonez813
 
ENGL 309 Final Portfolio Assignment Sheet
ENGL 309 Final Portfolio Assignment SheetENGL 309 Final Portfolio Assignment Sheet
ENGL 309 Final Portfolio Assignment SheetJodie Nicotra
 
Lague 1 Writing about Literature The type of pape.docx
Lague 1 Writing about Literature  The type of pape.docxLague 1 Writing about Literature  The type of pape.docx
Lague 1 Writing about Literature The type of pape.docxDIPESH30
 
Proposal EssayThis assignment has three interrelated goals1. To.docx
Proposal EssayThis assignment has three interrelated goals1. To.docxProposal EssayThis assignment has three interrelated goals1. To.docx
Proposal EssayThis assignment has three interrelated goals1. To.docxsimonlbentley59018
 
Essay due on or before 22616 at noonWrite a critical analysi.docx
Essay due on or before 22616 at noonWrite a critical analysi.docxEssay due on or before 22616 at noonWrite a critical analysi.docx
Essay due on or before 22616 at noonWrite a critical analysi.docxSALU18
 
© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx
© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx
© 2016 Fidel Fajardo-AcostaThis document and all its conte.docxsusanschei
 
ENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docxENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docxYASHU40
 
ENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docxENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docxbudabrooks46239
 
Review Instructions for Essay 4--The Research Paper      The ins.docx
Review Instructions for Essay 4--The Research Paper      The ins.docxReview Instructions for Essay 4--The Research Paper      The ins.docx
Review Instructions for Essay 4--The Research Paper      The ins.docxmichael591
 
Essay structurepptx
Essay structurepptxEssay structurepptx
Essay structurepptxTy171
 
Pages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docx
Pages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docxPages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docx
Pages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docxloganta
 
I have term paper the descreption is down. the bulding I choose H.docx
I have term paper the descreption is down. the bulding I choose H.docxI have term paper the descreption is down. the bulding I choose H.docx
I have term paper the descreption is down. the bulding I choose H.docxtroutmanboris
 

Similar to Rhetorical AnalysisSince the beginning of the semester, we hav.docx (15)

Writing Assignment Illustration Essay You are required to s.docx
Writing Assignment Illustration Essay You are required to s.docxWriting Assignment Illustration Essay You are required to s.docx
Writing Assignment Illustration Essay You are required to s.docx
 
HUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fi
HUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fiHUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fi
HUM 201 FINAL COMPARECONTRAST ESSAYPreliminary components and fi
 
ENGL 309 Final Portfolio Assignment Sheet
ENGL 309 Final Portfolio Assignment SheetENGL 309 Final Portfolio Assignment Sheet
ENGL 309 Final Portfolio Assignment Sheet
 
Lague 1 Writing about Literature The type of pape.docx
Lague 1 Writing about Literature  The type of pape.docxLague 1 Writing about Literature  The type of pape.docx
Lague 1 Writing about Literature The type of pape.docx
 
Ewrt 1 c class 11
Ewrt 1 c class 11Ewrt 1 c class 11
Ewrt 1 c class 11
 
Writing a summary
Writing a summaryWriting a summary
Writing a summary
 
Proposal EssayThis assignment has three interrelated goals1. To.docx
Proposal EssayThis assignment has three interrelated goals1. To.docxProposal EssayThis assignment has three interrelated goals1. To.docx
Proposal EssayThis assignment has three interrelated goals1. To.docx
 
Essay due on or before 22616 at noonWrite a critical analysi.docx
Essay due on or before 22616 at noonWrite a critical analysi.docxEssay due on or before 22616 at noonWrite a critical analysi.docx
Essay due on or before 22616 at noonWrite a critical analysi.docx
 
© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx
© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx
© 2016 Fidel Fajardo-AcostaThis document and all its conte.docx
 
ENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docxENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docx
 
ENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docxENGL 102Use the following template as a cover page for each writ.docx
ENGL 102Use the following template as a cover page for each writ.docx
 
Review Instructions for Essay 4--The Research Paper      The ins.docx
Review Instructions for Essay 4--The Research Paper      The ins.docxReview Instructions for Essay 4--The Research Paper      The ins.docx
Review Instructions for Essay 4--The Research Paper      The ins.docx
 
Essay structurepptx
Essay structurepptxEssay structurepptx
Essay structurepptx
 
Pages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docx
Pages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docxPages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docx
Pages 2Topic Vietnam warStyle ChicagoSources 5Level Col.docx
 
I have term paper the descreption is down. the bulding I choose H.docx
I have term paper the descreption is down. the bulding I choose H.docxI have term paper the descreption is down. the bulding I choose H.docx
I have term paper the descreption is down. the bulding I choose H.docx
 

More from SUBHI7

The material for this moduleweek has led us from Europe, through fi.docx
The material for this moduleweek has led us from Europe, through fi.docxThe material for this moduleweek has led us from Europe, through fi.docx
The material for this moduleweek has led us from Europe, through fi.docxSUBHI7
 
The media informs many viewers of deviance and crime, victims of cri.docx
The media informs many viewers of deviance and crime, victims of cri.docxThe media informs many viewers of deviance and crime, victims of cri.docx
The media informs many viewers of deviance and crime, victims of cri.docxSUBHI7
 
The midterm is already late.  I would like to submit ASAP.Illust.docx
The midterm is already late.  I would like to submit ASAP.Illust.docxThe midterm is already late.  I would like to submit ASAP.Illust.docx
The midterm is already late.  I would like to submit ASAP.Illust.docxSUBHI7
 
The major assignment for this week is to compose a 900-word essay co.docx
The major assignment for this week is to compose a 900-word essay co.docxThe major assignment for this week is to compose a 900-word essay co.docx
The major assignment for this week is to compose a 900-word essay co.docxSUBHI7
 
The minimum length for this assignment is 1,200 wordsMust use APA .docx
The minimum length for this assignment is 1,200 wordsMust use APA .docxThe minimum length for this assignment is 1,200 wordsMust use APA .docx
The minimum length for this assignment is 1,200 wordsMust use APA .docxSUBHI7
 
The Military•Select three characteristics of the early America.docx
The Military•Select three characteristics of the early America.docxThe Military•Select three characteristics of the early America.docx
The Military•Select three characteristics of the early America.docxSUBHI7
 
The minimum length for this assignment is 2,000 wordsDiscoveries.docx
The minimum length for this assignment is 2,000 wordsDiscoveries.docxThe minimum length for this assignment is 2,000 wordsDiscoveries.docx
The minimum length for this assignment is 2,000 wordsDiscoveries.docxSUBHI7
 
The Mini Project Task Instructions Read about validity and reliab.docx
The Mini Project Task Instructions Read about validity and reliab.docxThe Mini Project Task Instructions Read about validity and reliab.docx
The Mini Project Task Instructions Read about validity and reliab.docxSUBHI7
 
The Mexican ceramics folk-art firm signs a contract for the Mexican .docx
The Mexican ceramics folk-art firm signs a contract for the Mexican .docxThe Mexican ceramics folk-art firm signs a contract for the Mexican .docx
The Mexican ceramics folk-art firm signs a contract for the Mexican .docxSUBHI7
 
The maximum size of the Layer 2 frame has become a source of ineffic.docx
The maximum size of the Layer 2 frame has become a source of ineffic.docxThe maximum size of the Layer 2 frame has become a source of ineffic.docx
The maximum size of the Layer 2 frame has become a source of ineffic.docxSUBHI7
 
The menu structure for Holiday Travel Vehicles existing character-b.docx
The menu structure for Holiday Travel Vehicles existing character-b.docxThe menu structure for Holiday Travel Vehicles existing character-b.docx
The menu structure for Holiday Travel Vehicles existing character-b.docxSUBHI7
 
The marks are the actual grades which I got in the exam. So, if .docx
The marks are the actual grades which I got in the exam. So, if .docxThe marks are the actual grades which I got in the exam. So, if .docx
The marks are the actual grades which I got in the exam. So, if .docxSUBHI7
 
the main discussion will be Schwarzenegger and fitness,talk about ho.docx
the main discussion will be Schwarzenegger and fitness,talk about ho.docxthe main discussion will be Schwarzenegger and fitness,talk about ho.docx
the main discussion will be Schwarzenegger and fitness,talk about ho.docxSUBHI7
 
The minimum length for this assignment is 1,500 words. Cellular .docx
The minimum length for this assignment is 1,500 words. Cellular .docxThe minimum length for this assignment is 1,500 words. Cellular .docx
The minimum length for this assignment is 1,500 words. Cellular .docxSUBHI7
 
The Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docx
The Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docxThe Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docx
The Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docxSUBHI7
 
The main characters in Tay Garnetts film The Postman Always Rings.docx
The main characters in Tay Garnetts film The Postman Always Rings.docxThe main characters in Tay Garnetts film The Postman Always Rings.docx
The main characters in Tay Garnetts film The Postman Always Rings.docxSUBHI7
 
The minimum length for this assignment is 2,000 words and MUST inclu.docx
The minimum length for this assignment is 2,000 words and MUST inclu.docxThe minimum length for this assignment is 2,000 words and MUST inclu.docx
The minimum length for this assignment is 2,000 words and MUST inclu.docxSUBHI7
 
The mafia is a well organized enterprise that deals with drugs, pros.docx
The mafia is a well organized enterprise that deals with drugs, pros.docxThe mafia is a well organized enterprise that deals with drugs, pros.docx
The mafia is a well organized enterprise that deals with drugs, pros.docxSUBHI7
 
The minimum length for this assignment is 1,500 words. Be sure to ch.docx
The minimum length for this assignment is 1,500 words. Be sure to ch.docxThe minimum length for this assignment is 1,500 words. Be sure to ch.docx
The minimum length for this assignment is 1,500 words. Be sure to ch.docxSUBHI7
 
The madrigal was a very popular musical genre in the Renaissance. Ex.docx
The madrigal was a very popular musical genre in the Renaissance. Ex.docxThe madrigal was a very popular musical genre in the Renaissance. Ex.docx
The madrigal was a very popular musical genre in the Renaissance. Ex.docxSUBHI7
 

More from SUBHI7 (20)

The material for this moduleweek has led us from Europe, through fi.docx
The material for this moduleweek has led us from Europe, through fi.docxThe material for this moduleweek has led us from Europe, through fi.docx
The material for this moduleweek has led us from Europe, through fi.docx
 
The media informs many viewers of deviance and crime, victims of cri.docx
The media informs many viewers of deviance and crime, victims of cri.docxThe media informs many viewers of deviance and crime, victims of cri.docx
The media informs many viewers of deviance and crime, victims of cri.docx
 
The midterm is already late.  I would like to submit ASAP.Illust.docx
The midterm is already late.  I would like to submit ASAP.Illust.docxThe midterm is already late.  I would like to submit ASAP.Illust.docx
The midterm is already late.  I would like to submit ASAP.Illust.docx
 
The major assignment for this week is to compose a 900-word essay co.docx
The major assignment for this week is to compose a 900-word essay co.docxThe major assignment for this week is to compose a 900-word essay co.docx
The major assignment for this week is to compose a 900-word essay co.docx
 
The minimum length for this assignment is 1,200 wordsMust use APA .docx
The minimum length for this assignment is 1,200 wordsMust use APA .docxThe minimum length for this assignment is 1,200 wordsMust use APA .docx
The minimum length for this assignment is 1,200 wordsMust use APA .docx
 
The Military•Select three characteristics of the early America.docx
The Military•Select three characteristics of the early America.docxThe Military•Select three characteristics of the early America.docx
The Military•Select three characteristics of the early America.docx
 
The minimum length for this assignment is 2,000 wordsDiscoveries.docx
The minimum length for this assignment is 2,000 wordsDiscoveries.docxThe minimum length for this assignment is 2,000 wordsDiscoveries.docx
The minimum length for this assignment is 2,000 wordsDiscoveries.docx
 
The Mini Project Task Instructions Read about validity and reliab.docx
The Mini Project Task Instructions Read about validity and reliab.docxThe Mini Project Task Instructions Read about validity and reliab.docx
The Mini Project Task Instructions Read about validity and reliab.docx
 
The Mexican ceramics folk-art firm signs a contract for the Mexican .docx
The Mexican ceramics folk-art firm signs a contract for the Mexican .docxThe Mexican ceramics folk-art firm signs a contract for the Mexican .docx
The Mexican ceramics folk-art firm signs a contract for the Mexican .docx
 
The maximum size of the Layer 2 frame has become a source of ineffic.docx
The maximum size of the Layer 2 frame has become a source of ineffic.docxThe maximum size of the Layer 2 frame has become a source of ineffic.docx
The maximum size of the Layer 2 frame has become a source of ineffic.docx
 
The menu structure for Holiday Travel Vehicles existing character-b.docx
The menu structure for Holiday Travel Vehicles existing character-b.docxThe menu structure for Holiday Travel Vehicles existing character-b.docx
The menu structure for Holiday Travel Vehicles existing character-b.docx
 
The marks are the actual grades which I got in the exam. So, if .docx
The marks are the actual grades which I got in the exam. So, if .docxThe marks are the actual grades which I got in the exam. So, if .docx
The marks are the actual grades which I got in the exam. So, if .docx
 
the main discussion will be Schwarzenegger and fitness,talk about ho.docx
the main discussion will be Schwarzenegger and fitness,talk about ho.docxthe main discussion will be Schwarzenegger and fitness,talk about ho.docx
the main discussion will be Schwarzenegger and fitness,talk about ho.docx
 
The minimum length for this assignment is 1,500 words. Cellular .docx
The minimum length for this assignment is 1,500 words. Cellular .docxThe minimum length for this assignment is 1,500 words. Cellular .docx
The minimum length for this assignment is 1,500 words. Cellular .docx
 
The Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docx
The Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docxThe Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docx
The Main Post needs to be 3-5 Paragraphs At a minimum, each stud.docx
 
The main characters in Tay Garnetts film The Postman Always Rings.docx
The main characters in Tay Garnetts film The Postman Always Rings.docxThe main characters in Tay Garnetts film The Postman Always Rings.docx
The main characters in Tay Garnetts film The Postman Always Rings.docx
 
The minimum length for this assignment is 2,000 words and MUST inclu.docx
The minimum length for this assignment is 2,000 words and MUST inclu.docxThe minimum length for this assignment is 2,000 words and MUST inclu.docx
The minimum length for this assignment is 2,000 words and MUST inclu.docx
 
The mafia is a well organized enterprise that deals with drugs, pros.docx
The mafia is a well organized enterprise that deals with drugs, pros.docxThe mafia is a well organized enterprise that deals with drugs, pros.docx
The mafia is a well organized enterprise that deals with drugs, pros.docx
 
The minimum length for this assignment is 1,500 words. Be sure to ch.docx
The minimum length for this assignment is 1,500 words. Be sure to ch.docxThe minimum length for this assignment is 1,500 words. Be sure to ch.docx
The minimum length for this assignment is 1,500 words. Be sure to ch.docx
 
The madrigal was a very popular musical genre in the Renaissance. Ex.docx
The madrigal was a very popular musical genre in the Renaissance. Ex.docxThe madrigal was a very popular musical genre in the Renaissance. Ex.docx
The madrigal was a very popular musical genre in the Renaissance. Ex.docx
 

Recently uploaded

Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Celine George
 
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdfEnzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdfSumit Tiwari
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Educationpboyjonauth
 
MARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized GroupMARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized GroupJonathanParaisoCruz
 
Earth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatEarth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatYousafMalik24
 
EPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptxEPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptxRaymartEstabillo3
 
Capitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptxCapitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptxCapitolTechU
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentInMediaRes1
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationnomboosow
 
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptxPOINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptxSayali Powar
 
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...Marc Dusseiller Dusjagr
 
Framing an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdf
Framing an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdfFraming an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdf
Framing an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdfUjwalaBharambe
 
internship ppt on smartinternz platform as salesforce developer
internship ppt on smartinternz platform as salesforce developerinternship ppt on smartinternz platform as salesforce developer
internship ppt on smartinternz platform as salesforce developerunnathinaik
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxJiesonDelaCerna
 
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxiammrhaywood
 
Proudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptxProudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptxthorishapillay1
 
Painted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of IndiaPainted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of IndiaVirag Sontakke
 
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...M56BOOKSTORE PRODUCT/SERVICE
 
History Class XII Ch. 3 Kinship, Caste and Class (1).pptx
History Class XII Ch. 3 Kinship, Caste and Class (1).pptxHistory Class XII Ch. 3 Kinship, Caste and Class (1).pptx
History Class XII Ch. 3 Kinship, Caste and Class (1).pptxsocialsciencegdgrohi
 

Recently uploaded (20)

Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17
 
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdfEnzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
Enzyme, Pharmaceutical Aids, Miscellaneous Last Part of Chapter no 5th.pdf
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Education
 
MARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized GroupMARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized Group
 
Earth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatEarth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice great
 
EPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptxEPANDING THE CONTENT OF AN OUTLINE using notes.pptx
EPANDING THE CONTENT OF AN OUTLINE using notes.pptx
 
Capitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptxCapitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptx
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media Component
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communication
 
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptxPOINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
 
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
 
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdfTataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
 
Framing an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdf
Framing an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdfFraming an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdf
Framing an Appropriate Research Question 6b9b26d93da94caf993c038d9efcdedb.pdf
 
internship ppt on smartinternz platform as salesforce developer
internship ppt on smartinternz platform as salesforce developerinternship ppt on smartinternz platform as salesforce developer
internship ppt on smartinternz platform as salesforce developer
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptx
 
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
 
Proudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptxProudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptx
 
Painted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of IndiaPainted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of India
 
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
 
History Class XII Ch. 3 Kinship, Caste and Class (1).pptx
History Class XII Ch. 3 Kinship, Caste and Class (1).pptxHistory Class XII Ch. 3 Kinship, Caste and Class (1).pptx
History Class XII Ch. 3 Kinship, Caste and Class (1).pptx
 

Rhetorical AnalysisSince the beginning of the semester, we hav.docx

  • 1. Rhetorical Analysis Since the beginning of the semester, we have discussed Aristotle's Rhetorical Triangle to understand the roles that ethos, pathos, and logos play in constructing a successful and balanced argument. In our second essay of the semester, we will closely examine one of our readings and rhetorically analyze the argument in terms of its audience, the author’s intrinsic and extrinsic ethos, and the logical and emotional appeals of the argument. Your thesis, which will establish your persona in the essay using the first person “I” will articulate whether or not you think that the argument is persuasive based on the rhetorical appeals; a strong thesis will tell why you feel the argument successfully persuades the audience, based on the writer’s ethos, and the logos and pathos of the argument. (NOTE: your thesis will not tell how you feel about the issue or whether or not you agree with the author’s position; since your purpose here is to analyze, your thesis must tell whether or not the essay successfully persuades the audience based on its rhetorical appeals) The length requirement for this essay is four to five pages in MLA format. You must include a citation for the text on your works cited list. You are not required to bring in outside sources, since the purpose of this paper is to analyze one text closely, but if you do wish to include any outside information, your sources should be properly cited both in text and on the works cited list. Please organize your essay into the following sections (include bold headings): Intro, Audience, Ethos, Logos, Pathos, Conclusion. INTRO In the introduction of this paper, you will open by fully
  • 2. contextualizing the text for readers (assume that the reader needs explanation and background about the text!) First, you must introduce the author and title of the piece. You should then provide a brief summary of the argument, identifying the target audience and what the author’s is trying to persuade this audience to believe. The final sentence of the intro will be your thesis sentence, telling whether or not you feel the author makes a successful argument based on the author’s ethos, and use of pathos, and logos. AUDIENCE In this paragraph, you will identify the text’s target audience, and list other possible secondary audiences. Does the writer succeed in persuading this audience? Explain in a well developed paragraph. ETHOS Here, you will discuss the author’s extrinsic (ie credibility outside of the “Letter”) and intrinsic ethos (ie the credibility established in the argument based on tone, word choice, appeals to shared values, etc.) Does the author’s credibility outside of the essay strengthen the persuasiveness of the text? What about the author’s credibility inside of the essay? How would you describe the author? Educated? Reasonable? Respectful? Of good moral and ethical character? What examples inside and outside of the text reveal this? Provide specific examples and explain/analyze the examples thoroughly. PATHOS In this section, you will analyze how the author appeals to the emotions of the audience through the use of strategic examples and elevated/heightened word choice. You should introduce and discuss at least two examples and thoroughly explain how these examples contribute to the overall persuasiveness of the argument.
  • 3. LOGOS Here, you will examine, discuss, and analyze the logical appeals made in the text (facts, comparison, cause and effect reasoning, analogies). CONCLUSION Your conclusion must restate your thesis and the main points made in the sections of your paper. You can develop your conclusion through a variety of strategies: you can end with an incorporation of a key quote, question, or point; return to an opening example or quote; discuss how the paper relates to current conditions; discuss the topic's overall importance to society. Remember that our audience this semester is an academic audience that requires a formal tone; always refer to an author by their last name! While you can use the first person I, try not to use the second person you, since it tends to make the tone less formal and more conversational. I will read your “final for now” with the purpose of providing feedback for further improvement of the draft for the Portfolio. Therefore, I will not assign the essay a grade until that point, but will instead read your draft and discuss your success at meeting the following guidelines: An intro paragraph that contextualizes the text for the audience thoroughlyA thesis sentence that expresses, using an I plus a strong verb, whether or not the text is rhetorically successful overall and specifies reasons whyA conclusion that rephrases the thesis sentence and all of the main ideas of the essay in order, then ends with a meaningful thought about the text Bolded headings to organize the ideas of the paper Strong body paragraphs (ie “hamburger” academic paragraphs) with clear topic sentences Relevant and strategically chosen examples from the text to illustrate the author’s ethos, pathos, and logos appeals
  • 4. Solid and insightful analysis that thoroughly explains WHY the examples chosen are successful and persuasive appeals to the target/secondary audience (or not) Smooth flow of ideas via transition words/phrases both inside and between paragraphsProfessionalism/Editing—at the final for now stage, the essay should have limited errors in spelling, grammar, punctuation and demonstrate effective use of academic English Audience awareness: maintaining an academic tone and keeping the reader interested and engaged MLA—correct MLA formatting, in text citations, works cited list Length—4-5 pages (1200-1500 words) /**************************************************** **** * This script creates the database named my_guitar_shop ***************************************************** ****/ DROP DATABASE IF EXISTS my_guitar_shop; CREATE DATABASE my_guitar_shop; USE my_guitar_shop; -- create the tables for the database CREATE TABLE categories ( category_id INT PRIMARY KEY AUTO_INCREMENT, category_name VARCHAR(255) NOT NULL UNIQUE );
  • 5. CREATE TABLE products ( product_id INT PRIMARY KEY AUTO_INCREMENT, category_id INT NOT NULL, product_code VARCHAR(10) NOT NULL UNIQUE, product_name VARCHAR(255) NOT NULL, description TEXT NOT NULL, list_price DECIMAL(10,2) NOT NULL, discount_percent DECIMAL(10,2) NOT NULL DEFAULT 0.00, date_added DATETIME DEFAULT NULL, CONSTRAINT products_fk_categories FOREIGN KEY (category_id) REFERENCES categories (category_id) ); CREATE TABLE customers ( customer_id INT PRIMARY KEY AUTO_INCREMENT, email_address VARCHAR(255) NOT NULL UNIQUE, password VARCHAR(60) NOT NULL, first_name VARCHAR(60) NOT NULL, last_name VARCHAR(60) NOT NULL, shipping_address_id INT DEFAULT NULL, billing_address_id INT DEFAULT NULL ); CREATE TABLE addresses ( address_id INT PRIMARY KEY AUTO_INCREMENT, customer_id INT NOT NULL, line1 VARCHAR(60) NOT NULL, line2 VARCHAR(60) DEFAULT NULL, city VARCHAR(40) NOT NULL, state VARCHAR(2) NOT NULL, zip_code VARCHAR(10) NOT NULL, phone VARCHAR(12) NOT NULL, disabled TINYINT(1) NOT NULL DEFAULT 0, CONSTRAINT addresses_fk_customers
  • 6. FOREIGN KEY (customer_id) REFERENCES customers (customer_id) ); CREATE TABLE orders ( order_id INT PRIMARY KEY AUTO_INCREMENT, customer_id INT NOT NULL, order_date DATETIME NOT NULL, ship_amount DECIMAL(10,2) NOT NULL, tax_amount DECIMAL(10,2) NOT NULL, ship_date DATETIME DEFAULT NULL, ship_address_id INT NOT NULL, card_type VARCHAR(50) NOT NULL, card_number CHAR(16) NOT NULL, card_expires CHAR(7) NOT NULL, billing_address_id INT NOT NULL, CONSTRAINT orders_fk_customers FOREIGN KEY (customer_id) REFERENCES customers (customer_id) ); CREATE TABLE order_items ( item_id INT PRIMARY KEY AUTO_INCREMENT, order_id INT NOT NULL, product_id INT NOT NULL, item_price DECIMAL(10,2) NOT NULL, discount_amount DECIMAL(10,2) NOT NULL, quantity INT NOT NULL, CONSTRAINT items_fk_orders FOREIGN KEY (order_id) REFERENCES orders (order_id), CONSTRAINT items_fk_products FOREIGN KEY (product_id) REFERENCES products (product_id) );
  • 7. CREATE TABLE administrators ( admin_id INT PRIMARY KEY AUTO_INCREMENT, email_address VARCHAR(255) NOT NULL, password VARCHAR(255) NOT NULL, first_name VARCHAR(255) NOT NULL, last_name VARCHAR(255) NOT NULL ); -- Insert data into the tables INSERT INTO categories (category_id, category_name) VALUES (1, 'Guitars'), (2, 'Basses'), (3, 'Drums'), (4, 'Keyboards'); INSERT INTO products (product_id, category_id, product_code, product_name, description, list_price, discount_percent, date_added) VALUES (1, 1, 'strat', 'Fender Stratocaster', 'The Fender Stratocaster is the electric guitar design that changed the world. New features include a tinted neck, parchment pickguard and control knobs, and a ''70s-style logo. Includes select alder body, 21-fret maple neck with your choice of a rosewood or maple fretboard, 3 single-coil pickups, vintage-style tremolo, and die-cast tuning keys. This guitar features a thicker bridge block for increased sustain and a more stable point of contact with the strings. At this low price, why play anything but the real thing?rnrnFeatures:rnrn* New features:rn* Thicker bridge blockrn* 3-ply parchment pick guardrn* Tinted neck', '699.00', '30.00', '2014-10-30 09:32:40'), (2, 1, 'les_paul', 'Gibson Les Paul', 'This Les Paul guitar offers a carved top and humbucking pickups. It has a simple yet elegant design. Cutting-yet-rich tone?the hallmark of the Les Paul?pours out of the 490R and 498T Alnico II magnet humbucker pickups, which are mounted on a carved maple top
  • 8. with a mahogany back. The faded finish models are equipped with BurstBucker Pro pickups and a mahogany top. This guitar includes a Gibson hardshell case (Faded and satin finish models come with a gig bag) and a limited lifetime warranty.rnrnFeatures:rnrn* Carved maple top and mahogany back (Mahogany top on faded finish models)rn* Mahogany neck, ''59 Rounded Les Paulrn* Rosewood fingerboard (Ebony on Alpine white)rn* Tune-O-Matic bridge with stopbarrn* Chrome or gold hardwarern* 490R and 498T Alnico 2 magnet humbucker pickups (BurstBucker Pro on faded finish models)rn* 2 volume and 2 tone knobs, 3-way switch', '1199.00', '30.00', '2014-12-05 16:33:13'), (3, 1, 'sg', 'Gibson SG', 'This Gibson SG electric guitar takes the best of the ''62 original and adds the longer and sturdier neck joint of the late ''60s models. All the classic features you''d expect from a historic guitar. Hot humbuckers go from rich, sweet lightning to warm, tingling waves of sustain. A silky-fast rosewood fretboard plays like a dream. The original-style beveled mahogany body looks like a million bucks. Plus, Tune- O-Matic bridge and chrome hardware. Limited lifetime warranty. Includes hardshell case.rnrnFeatures:rnrn* Double-cutaway beveled mahogany bodyrn* Set mahogany neck with rounded ''50s profilern* Bound rosewood fingerboard with trapezoid inlaysrn* Tune-O-Matic bridge with stopbar tailpiecern* Chrome hardwarern* 490R humbucker in the neck positionrn* 498T humbucker in the bridge positionrn* 2 volume knobs, 2 tone knobs, 3-way switchrn* 24-3/4" scale', '2517.00', '52.00', '2015-02-04 11:04:31'), (4, 1, 'fg700s', 'Yamaha FG700S', 'The Yamaha FG700S solid top acoustic guitar has the ultimate combo for projection and pure tone. The expertly braced spruce top speaks clearly atop the rosewood body. It has a rosewood fingerboard, rosewood bridge, die-cast tuners, body and neck binding, and a tortoise pickguard.rnrnFeatures:rnrn* Solid Sitka spruce toprn* Rosewood back and sidesrn* Rosewood fingerboardrn*
  • 9. Rosewood bridgern* White/black body and neck bindingrn* Die-cast tunersrn* Tortoise pickguardrn* Limited lifetime warranty', '489.99', '38.00', '2015-06-01 11:12:59'), (5, 1, 'washburn', 'Washburn D10S', 'The Washburn D10S acoustic guitar is superbly crafted with a solid spruce top and mahogany back and sides for exceptional tone. A mahogany neck and rosewood fingerboard make fretwork a breeze, while chrome Grover-style machines keep you perfectly tuned. The Washburn D10S comes with a limited lifetime warranty.rnrnFeatures:rnrn * Spruce toprn * Mahogany back, sidesrn * Mahogany neck Rosewood fingerboardrn * Chrome Grover-style machines', '299.00', '0.00', '2015-07-30 13:58:35'), (6, 1, 'rodriguez', 'Rodriguez Caballero 11', 'Featuring a carefully chosen, solid Canadian cedar top and laminated bubinga back and sides, the Caballero 11 classical guitar is a beauty to behold and play. The headstock and fretboard are of Indian rosewood. Nickel-plated tuners and Silver-plated frets are installed to last a lifetime. The body binding and wood rosette are exquisite.rnrnThe Rodriguez Guitar is hand crafted and glued to create precise balances. From the invisible careful sanding, even inside the body, that ensures the finished instrument''s purity of tone, to the beautifully unique rosette inlays around the soundhole and on the back of the neck, each guitar is a credit to its luthier and worthy of being handed down from one generation to another.rnrnThe tone, resonance and beauty of fine guitars are all dependent upon the wood from which they are made. The wood used in the construction of Rodriguez guitars is carefully chosen and aged to guarantee the highest quality. No wood is purchased before the tree has been cut down, and at least 2 years must elapse before the tree is turned into lumber. The wood has to be well cut from the log. The grain must be close and absolutely vertical. The shop is totally free from humidity.', '415.00', '39.00', '2015-07-30 14:12:41'), (7, 2, 'precision', 'Fender Precision', 'The Fender Precision bass
  • 10. guitar delivers the sound, look, and feel today''s bass players demand. This bass features that classic P-Bass old-school design. Each Precision bass boasts contemporary features and refinements that make it an excellent value. Featuring an alder body and a split single-coil pickup, this classic electric bass guitar lives up to its Fender legacy.rnrnFeatures:rnrn* Body: Alderrn* Neck: Maple, modern C shape, tinted satin urethane finishrn* Fingerboard: Rosewood or maple (depending on color)rn* 9-1/2" Radius (241 mm)rn* Frets: 20 Medium-jumbo fretsrn* Pickups: 1 Standard Precision Bass split single-coil pickup (Mid)rn* Controls: Volume, Tonern* Bridge: Standard vintage style with single groove saddlesrn* Machine heads: Standardrn* Hardware: Chromern* Pickguard: 3-Ply Parchmentrn* Scale Length: 34" (864 mm)rn* Width at Nut: 1-5/8" (41.3 mm)rn* Unique features: Knurled chrome P Bass knobs, Fender transition logo', '799.99', '30.00', '2015-06-01 11:29:35'), (8, 2, 'hofner', 'Hofner Icon', 'With authentic details inspired by the original, the Hofner Icon makes the legendary violin bass available to the rest of us. Don''t get the idea that this a just a "nowhere man" look-alike. This quality instrument features a real spruce top and beautiful flamed maple back and sides. The semi-hollow body and set neck will give you the warm, round tone you expect from the violin bass.rnrnFeatures:rnrn* Authentic details inspired by the originalrn* Spruce toprn* Flamed maple back and sidesrn* Set neckrn* Rosewood fretboardrn* 30" scalern* 22 fretsrn* Dot inlay', '499.99', '25.00', '2015-07-30 14:18:33'), (9, 3, 'ludwig', 'Ludwig 5-piece Drum Set with Cymbals', 'This product includes a Ludwig 5-piece drum set and a Zildjian starter cymbal pack.rnrnWith the Ludwig drum set, you get famous Ludwig quality. This set features a bass drum, two toms, a floor tom, and a snare?each with a wrapped finish. Drum hardware includes LA214FP bass pedal, snare stand, cymbal stand, hi-hat stand, and a throne.rnrnWith the Zildjian cymbal pack, you get a 14" crash, 18" crash/ride, and a pair of
  • 11. 13" hi-hats. Sound grooves and round hammer strikes in a simple circular pattern on the top surface of these cymbals magnify the basic sound of the distinctive alloy.rnrnFeatures:rnrn* Famous Ludwig qualityrn* Wrapped finishesrn* 22" x 16" kick drumrn* 12" x 10" and 13" x 11" tomsrn* 16" x 16" floor tomrn* 14" x 6-1/2" snare drum kick pedalrn* Snare standrn* Straight cymbal stand hi- hat standrn* FREE throne', '699.99', '30.00', '2015-07-30 12:46:40'), (10, 3, 'tama', 'Tama 5-Piece Drum Set with Cymbals', 'The Tama 5-piece Drum Set is the most affordable Tama drum kit ever to incorporate so many high-end features.rnrnWith over 40 years of experience, Tama knows what drummers really want. Which is why, no matter how long you''ve been playing the drums, no matter what budget you have to work with, Tama has the set you need, want, and can afford. Every aspect of the modern drum kit was exhaustively examined and reexamined and then improved before it was accepted as part of the Tama design. Which is why, if you start playing Tama now as a beginner, you''ll still enjoy playing it when you''ve achieved pro-status. That''s how good these groundbreaking new drums are.rnrnOnly Tama comes with a complete set of genuine Meinl HCS cymbals. These high-quality brass cymbals are made in Germany and are sonically matched so they sound great together. They are even lathed for a more refined tonal character. The set includes 14" hi-hats, 16" crash cymbal, and a 20" ride cymbal.rnrnFeatures:rnrn* 100% poplar 6- ply/7.5mm shellsrn* Precise bearing edgesrn* 100% glued finishesrn* Original small lugsrn* Drum headsrn* Accu- tune bass drum hoopsrn* Spur bracketsrn* Tom holderrn* Tom brackets', '799.99', '15.00', '2015-07-30 13:14:15'); INSERT INTO customers (customer_id, email_address, password, first_name, last_name, shipping_address_id, billing_address_id) VALUES (1, '[email protected]',
  • 12. '650215acec746f0e32bdfff387439eefc1358737', 'Allan', 'Sherwood', 1, 2), (2, '[email protected]', '3f563468d42a448cb1e56924529f6e7bbe529cc7', 'Barry', 'Zimmer', 3, 3), (3, '[email protected]', 'ed19f5c0833094026a2f1e9e6f08a35d26037066', 'Christine', 'Brown', 4, 4), (4, '[email protected]', 'b444ac06613fc8d63795be9ad0beaf55011936ac', 'David', 'Goldstein', 5, 6), (5, '[email protected]', '109f4b3c50d7b0df729d299bc6f8e9ef9066971f', 'Erin', 'Valentino', 7, 7), (6, '[email protected]', '3ebfa301dc59196f18593c45e519287a23297589', 'Frank Lee', 'Wilson', 8, 8), (7, '[email protected]', '1ff2b3704aede04eecb51e50ca698efd50a1379b', 'Gary', 'Hernandez', 9, 10), (8, '[email protected]', '911ddc3b8f9a13b5499b6bc4638a2b4f3f68bf23', 'Heather', 'Esway', 11, 12); INSERT INTO addresses (address_id, customer_id, line1, line2, city, state, zip_code, phone, disabled) VALUES (1, 1, '100 East Ridgewood Ave.', '', 'Paramus', 'NJ', '07652', '201-653-4472', 0), (2, 1, '21 Rosewood Rd.', '', 'Woodcliff Lake', 'NJ', '07677', '201-653-4472', 0), (3, 2, '16285 Wendell St.', '', 'Omaha', 'NE', '68135', '402-896- 2576', 0), (4, 3, '19270 NW Cornell Rd.', '', 'Beaverton', 'OR', '97006', '503-654-1291', 0), (5, 4, '186 Vermont St.', 'Apt. 2', 'San Francisco', 'CA', '94110', '415-292-6651', 0),
  • 13. (6, 4, '1374 46th Ave.', '', 'San Francisco', 'CA', '94129', '415- 292-6651', 0), (7, 5, '6982 Palm Ave.', '', 'Fresno', 'CA', '93711', '559-431- 2398', 0), (8, 6, '23 Mountain View St.', '', 'Denver', 'CO', '80208', '303- 912-3852', 0), (9, 7, '7361 N. 41st St.', 'Apt. B', 'New York', 'NY', '10012', '212-335-2093', 0), (10, 7, '3829 Broadway Ave.', 'Suite 2', 'New York', 'NY', '10012', '212-239-1208', 0), (11, 8, '2381 Buena Vista St.', '', 'Los Angeles', 'CA', '90023', '213-772-5033', 0), (12, 8, '291 W. Hollywood Blvd.', '', 'Los Angeles', 'CA', '90024', '213-391-2938', 0); INSERT INTO orders (order_id, customer_id, order_date, ship_amount, tax_amount, ship_date, ship_address_id, card_type, card_number, card_expires, billing_address_id) VALUES (1, 1, '2015-03-28 09:40:28', '5.00', '32.32', '2015-03-30 15:32:51', 1, 'Visa', '4111111111111111', '04/2020', 2), (2, 2, '2015-03-28 11:23:20', '5.00', '0.00', '2015-03-29 12:52:14', 3, 'Visa', '4012888888881881', '08/2019', 3), (3, 1, '2015-03-29 09:44:58', '10.00', '89.92', '2015-03-31 9:11:41', 1, 'Visa', '4111111111111111', '04/2017', 2), (4, 3, '2015-03-30 15:22:31', '5.00', '0.00', '2015-04-03 16:32:21', 4, 'American Express', '378282246310005', '04/2016', 4), (5, 4, '2015-03-31 05:43:11', '5.00', '0.00', '2015-04-02 14:21:12', 5, 'Visa', '4111111111111111', '04/2019', 6), (6, 5, '2015-03-31 18:37:22', '5.00', '0.00', NULL, 7, 'Discover', '6011111111111117', '04/2019', 7), (7, 6, '2015-04-01 23:11:12', '15.00', '0.00', '2015-04-03 10:21:35', 8, 'MasterCard', '5555555555554444', '04/2019', 8), (8, 7, '2015-04-02 11:26:38', '5.00', '0.00', NULL, 9, 'Visa', '4012888888881881', '04/2019', 10),
  • 14. (9, 4, '2015-04-03 12:22:31', '5.00', '0.00', NULL, 5, 'Visa', '4111111111111111', '04/2019', 6); INSERT INTO order_items (item_id, order_id, product_id, item_price, discount_amount, quantity) VALUES (1, 1, 2, '1199.00', '359.70', 1), (2, 2, 4, '489.99', '186.20', 1), (3, 3, 3, '2517.00', '1308.84', 1), (4, 3, 6, '415.00', '161.85', 1), (5, 4, 2, '1199.00', '359.70', 2), (6, 5, 5, '299.00', '0.00', 1), (7, 6, 5, '299.00', '0.00', 1), (8, 7, 1, '699.00', '209.70', 1), (9, 7, 7, '799.99', '240.00', 1), (10, 7, 9, '699.99', '210.00', 1), (11, 8, 10, '799.99', '120.00', 1), (12, 9, 1, '699.00', '209.70', 1); INSERT INTO administrators (admin_id, email_address, password, first_name, last_name) VALUES (1, '[email protected]', '6a718fbd768c2378b511f8249b54897f940e9022', 'Admin', 'User'), (2, '[email protected]', '971e95957d3b74d70d79c20c94e9cd91b85f7aae', 'Joel', 'Murach'), (3, '[email protected]', '3f2975c819cefc686282456aeae3a137bf896ee8', 'Mike', 'Murach'); -- Create a user named mgs_user GRANT SELECT, INSERT, UPDATE, DELETE ON * TO [email protected] IDENTIFIED BY 'pa55word';
  • 15. These exercises all use the create_my_guitar_shop.sql (Links to an external site.). Write the code for each and save the code (each code segment identified and separated) in Notepad. Submit your completed assignment via Canvas. To test whether a table has been modified correctly as you do these exercises, you can write and run an appropriate SELECT statement. 1) Write an INSERT statement that adds this row to the Categories table: category_name: Brass and Code the INSERT statement so MySQL automatically generates the category_id column. 2) Write an UPDATE statement that modifies the row you just added to the Categories table. This statement should change the category_name column to “Woodwinds”, and it should use the category_id column to identify the row. 3) Write a DELETE statement that deletes the row you added to the Categories table in exercise 1. This statement should use the category_id column to identify the row.