Assignment 2 (5%)
pdf
keyboard_arrow_up
School
Western University *
*We aren’t endorsed by this school
Course
2143
Subject
Statistics
Date
Apr 3, 2024
Type
Pages
6
Uploaded by CommodoreJayMaster
4/30/2021
Assignment 2 (5%)
https://owl.uwo.ca/access/content/attachment/9155fbbb-4ff5-4431-b269-d36c50cda88c/Announcements/82d4674e-7831-486c-9531-3212e6761e37/S…
1/6
Assignment 2 (5%)
Instructions
Submit one PDF document per team with the names and student numbers of all members. The project is due
Sunday, March 7 (10:00PM), and to be submitted via Gradescope.
In this assignment you will conduct an empirical analysis of earthquakes occurring in Greece between January 1
1901 and December 31 2017. You will use distributions introduced in class to model earthquake magnitudes,
locations, and frequencies. Download the dataset “project2_data.csv” in the Announcements section of the OWL
course site. These data contain 1173 earthquake observations of 4 variables listed below:
Date: the date of the observed earthquake
Latitude: latitude coordinate in the Northern Hemisphere
Longitude: longitude coordinate in the Eastern Hemisphere
Magnitude: earthquake magnitude as measured by the Richter scale
Answer each of the questions below with full sentences accompanied by reproducible code from the software of
your choice (e.g. Excel, RStudio, Python).
Question 1 (2 points)
Compute , an estimate of the mean of earthquake magnitudes (1 point). Provide confidence intervals for with
confidence levels of 90%, 95%, and 99%. (1 point)
Answer:
# Average magnitude
muhat <- mean(Magnitude) # Number of observations
nobs <- nrow(data) # Standard deviation of average magnitude
muhat_StdErr <- sd(Magnitude)/sqrt(nobs) # Confidence levels
level <- c(.9,.95,.99) CI <- matrix(nrow = 3, ncol = 2) colnames(CI) <- c("Lower bound","Upper bound") rownames(CI) <- level for
(i in
1:3){ # Compute z-score exactly with any type of software
# 'qnorm' is the inverse CDF of the normal distribution, which are the values in a z-table
zalpha = qnorm(1-(1-level[i])/2) # Compute confidence interval
CI[i,] <- muhat + c(- zalpha, zalpha)*muhat_StdErr }
A sample estimate of the mean of earthquake magnitudes is 5.4352941
.
The confidence intervals are printed below:
4/30/2021
Assignment 2 (5%)
https://owl.uwo.ca/access/content/attachment/9155fbbb-4ff5-4431-b269-d36c50cda88c/Announcements/82d4674e-7831-486c-9531-3212e6761e37/S…
2/6
print(CI)
## Lower bound Upper bound ## 0.9 5.412228 5.458360 ## 0.95 5.407810 5.462779 ## 0.99 5.399173 5.471415
As expected the widths of the confidence intervals increase with the confidence level.
Here, some students simply made a typing error with their calculators or forgot digits when writing down their
results. Other students rounded intermediary results too crudely such that their final answer was far from the exact
answer. Never round your answers unless explicitly stated otherwise. Using software also allows you to avoid
accumulating errors in this way. I accepted answers from students who used a z-table to obtain approximate z-
scores.
Question 2 (5 points)
For this question, assume that the latitude and longitude variables are governed by independent Normal
distributions such that and . The joint density of is denoted .
2.1
Estimate the four Normal parameters using sample averages and (adjusted) variances. (2
points)
Answer:
# Sample mean and standard deviation of Latitude
muPhi <- mean(Latitude) sdPhi <- sd(Latitude) # Sample mean and standard deviation of Longitude
muLambda <- mean(Longitude) sdLambda <- sd(Longitude)
We find that 37.9273913, 23.8392583, 2.0285719, 2.9541047
.
2.2
Observe that the capital of Greece, Athens, is approximately located at , and that the
second most populated city, Thessaloniki, is approximately located at . Given the event
of an earthquake, compute the probability that it occurs at the Athens coordinates, i.e. ,
and the probability that it occurs at the Thessaloniki coordinates, i.e. . (1 point)
Answer:
The probability of a punctual event in a continuous space is always zero.
For a continuous random variable with density , the probability can be thought of as the area under the curve
between two points and such that , or the definite integral
4/30/2021
Assignment 2 (5%)
https://owl.uwo.ca/access/content/attachment/9155fbbb-4ff5-4431-b269-d36c50cda88c/Announcements/82d4674e-7831-486c-9531-3212e6761e37/S…
3/6
The probability of a punctual event can then be expressed as
The same kind of idea can be applied to a 2-dimensional case like latitude and longitude. The probability of an
earthquake at any exact point is zero.
2.3
Given the event of an earthquake, what is the likelihood that it occurs at the Athens coordinates, i.e. ? What is the likelihood that it occurs at the Thessaloniki coordinates, i.e. ? Which is more likely? (2 points)
Hint: For 2.2 and 2.3, think about the difference between probability and density.
Answer:
Since the latitude and longitude are assumed independent, we can express the joint density as the product of
densities.
# Compute joint density as the product of normal densities with 'dnorm'
# Athens likelihood
fAthens <- dnorm(38, muPhi, sdPhi) * dnorm(23.75, muLambda, sdLambda) # Thessaloniki likelihood
fThessaloniki <- dnorm(40.65, muPhi, sdPhi) * dnorm(22.9, muLambda, sdLambda)
The likelihood of an earthquake occurring in Athens is 0.1965357
0.1349851
0.0265294
, and
0.0799041
0.1283903
0.0102589
in Thessaloniki. Earthquakes are therefore more likely in Athens.
Question 3 (10 points)
We hereafter restrict our attention to strong earthquakes with magnitudes strictly greater than 6 Richter.
Consider a random variable that counts the number of earthquakes with magnitude greater than 6 Richter over
years. Under the assumptions that interarrival times are independent and have the memoryless property, we
model as a , where is an annual intensity parameter.
3.1
Estimate given the historical data. (1 point)
What is the probability that at least one earthquake occurs in the next six months? (1 point) In the next year? (1
point)
In the next decade, what is the probability that less than 5 earthquakes occur? (1 point) less than 10? (1 point)
Answer:
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
4/30/2021
Assignment 2 (5%)
https://owl.uwo.ca/access/content/attachment/9155fbbb-4ff5-4431-b269-d36c50cda88c/Announcements/82d4674e-7831-486c-9531-3212e6761e37/S…
4/6
# Number of earthquakes with magnitude greater than 6
NbrQuake <- sum(Magnitude > 6) # Number of years
NbrYears <- 2017 - 1901 + 1 # Estimated annual intensity parameter
theta <- NbrQuake/NbrYears
In the provided data, there are 129
earthquakes with a magnitude greater than 6. The dataset covers a period of
117
years (January 1 1901 to December 31 2017). The resulting estimate of is 1.1025641
.
Many students used the time in days between the first and last earthquakes in the dataset, or simply counted the
number of years wrong. All subsequent errors were not counted if they were consistent with the erroneous
intensity parameter.
# Prob. of at least one earthquake in the next six months (0.5 years)
# 'ppois' is the CDF of a Poisson distribution
1-ppois(0,theta*0.5)
## [1] 0.4237894
# in the next year
1-ppois(0,theta*1)
## [1] 0.6679813
The probability of at least one earthquake in the next six months is 0.4237894
.
The probability of at least one earthquake in the next year is 0.6679813
.
# Prob. of less than 5 earthquakes in the next decade
ppois(4,theta*10)
## [1] 0.01484547
# less than 10
ppois(9,theta*10)
## [1] 0.3377344
The probability that less than 5 earthquakes occur in the next decade is 0.0148455
.
The probability that less than 10 earthquakes occur in the next decade is 0.3377344
.
3.2
Consider the time (in years) until the next earthquake from today. What is the distribution family of ? (1 point)
Given that the previous earthquake just occurred, how much time is expected to pass before the next? (1 point)
4/30/2021
Assignment 2 (5%)
https://owl.uwo.ca/access/content/attachment/9155fbbb-4ff5-4431-b269-d36c50cda88c/Announcements/82d4674e-7831-486c-9531-3212e6761e37/S…
5/6
Given that the previous earthquake occurred exactly one year ago, how much time is expected to pass before the
next? (1 point)
Answer:
Assuming that the number of earthquakes over a period of years can be modeled as , then
the interarrival times (in years) can be modeled as .
By virtue of the memoryless property of the exponential distribution, it immediately follows that the expected time
until the next earthquake is independent of the moment of the last earthquake. The expected amount of time
before the next earthquake is therefore constant at 0.9069767
years.
For the first part of 3.1, many students said that the time between Poisson events was also a Poisson. This directly
contradicts the fact that the Poisson distribution is a discrete random variable. As a counting process, the values
taken by a Poisson distribution are , whereas random interarrival times between Poisson events
are continuous in . To sum up, the number
of earthquakes follows a Poisson distribution, whereas the time
between earthquakes follows an Exponential distribution. Other students simply forgot to give an answer for the
distribution family, and only computed the expected values.
For the last part of 3.2, some students integrated the probability density function over 1 to infinity. I believe that
their intention was to compute the following conditional expectation:
but only the term is red was computed.
3.3
Consider the time (in years) of the th earthquake from today. What is the distribution family of ? (1 point)
How much time is expected to pass before three more earthquakes occur? (1 point)
Answer:
Assuming that the interarrival times are modeled as , then the sum of such interarrival times can
be modeled as .
The expected time until the third earthquake from now is 2.7209302
years.
Many students said that a random variable defined as sum of exponential distributions with parameter could be modeled as . Although, this leads to the correct expected value , it is not
the same distribution as a . To see this, notice that the variances of the two distributions differ:
General Comments
4/30/2021
Assignment 2 (5%)
https://owl.uwo.ca/access/content/attachment/9155fbbb-4ff5-4431-b269-d36c50cda88c/Announcements/82d4674e-7831-486c-9531-3212e6761e37/S…
6/6
Always work with maximum precision, and simply copy and paste your answers with all the significant digits
printed by your software. If you are using a scientific calculator, store intermediate values in the memory for
subsequent steps.
Some students consider the use of software as an obstacle, but a small computational effort saves you a lot
of
time, and prevents potential mistakes. Many of the calculations in this assignment require only one or two simple
commands, yet many still carry out tedious calculations by hand. For instance, tasks like evaluating CDFs can be
very time consuming and prone to error.
All in all, this assignment was well done with a median score of 70.59%, a mean of 73.01% and a standard
deviation of 12.21%. I am very happy to see that most of you had a solid intuition about the relation between
Poisson, Exponential, and Gamma distributions. I hope that this assignment gave you a sense of the practical
applications made possible with these statistical models. Ideas for real-world data to use in future assignments are
welcome!
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
Related Documents
Related Questions
HMAC=032c9528a0191feadb322992520426e3#10001
Math 2 - Pre-calculus - Fall 2021
P Do Homework - 3.5 - Google Chrome
A mathxl.com/Student/PlayerHomework.aspx?homeworkld=605433384&questionld=16&iflushed=false&cld=6624506¢erwin=yes
Math 2 - Pre-calculus - Fall 2021
Joseph Thai 2| 09/21/21 5:15 PM
= Homewo
Question 13, 3.5.37
Part 1 of 2
HW Score: 93.75%, 15 of 16 points
* Points: 0 of 1
Save
A projectile fired from the point (0,0) at an angle to the positive X-axis has a trajectory given by y = Cx - (1 + C)
In this formula, x is the
horizontal distance in meters, y is the height in meters, v is the initial velocity in meters per second, g = 9.81 m/sec is the acceleration due to gravit
and C>0 is a constant determined by the angle of elevation.
15
A howitzer fires an artillery round with a velocity of 881 m/sec. Answer parts (a) and (b).
ed
q
(a) If the round must clear a hill 218 meters high at a distance of 2284 meters in front of the howitzer, what C values are permitted in the…
arrow_forward
N Dashboard
A ALEKS - Ephrata Worku - Learn
b gmail login - Search
M Inbox (9,978) - ephratayalew@g x
8 https://www-awu.aleks.com/alekscgi/x/Isl.exe/1o_u-lgNslkr7j8P3jH-IBhBKplvJLUg6NO6tj9qFltz6nQLOPsPMGhY-BSusdlIJbw39D.
O ADDITIONAL TOPICS IN TRIGONOMETRY
Finding the direction angle of a vector given in ai+bj form
Find the direction angle of the vector v =-4i-2j. That is, find the angle between 0° and 360° that v makes with the positive x-axis (measured
counterclockwise), when v is in standard position.
Do not round any intermediate computations, and round your answer to the nearest whole number.
Explanation
Check
62021 McGraw Hill LLC. All Rights Reserved. Terms of Use Privacy Cent
O Type here to search
a
43°F Mostly cloudy
II
arrow_forward
O Spring Calendar Set and N X
6 PowerPoint Presentation
6 PowerPoint Presentation
Content
rseld=17229636&OpenVellumHMAC=70ce583d8db78ac4d11906a580116026#10016
Chapter 12 Review Quiz - Google Chrome
A mylab.pearson.com/Student/PlayerTest.aspx?testld3D239154401¢erwin=yes
ents
MATH-2223-16473 Geometry for Elem. Ed. (online)
Jillian Sutton
-59pm
This quiz: 20 point(s
possible
This question:1
point(s) possible
e/13/22
E Quiz: Chapter 12 Review Quiz
Question 1 of 20
>
1:59pm
2/16/22
In rhombi ABCD and A,B,C,D, ZBAD = ZB,A,D, Are the rhombi similar? Why or why not?
0:00pm
D2/16/22
11:59pm
Choose the correct answer below.
02/23/22
O A. No, because the corresponding angles are not congruent and the ratios of corresponding sides are not proportional.
O B. Yes, because the corresponding angles are congruent and the ratios of corresponding sides are proportional.
O C. Yes, because the corresponding angles are congruent and the ratios of corresponding sides are congruent.
O D. No, because the…
arrow_forward
Sahar Rasoul-Math 7 End of Yea X Gspy ninjas book-Google
docs.google.com/spreadsheets/d/1j5MotWzsc0V1V3Qyl4rbP_OFOUotaNXCIIFax>
Copy of Copy of Col...
8.8
Sahar Rasoul - Math 7 End of Year Digital Task Cards Student Version ☆
File Edit View Insert Format Data Tools Extensions Help Last edit was 5 minu
$ % .0 .00 123 Century Go... ▼ 18 Y BIS
fx| =IF(B4="Question 1", Sheet2! H21, if(B4="Question 2", Sheet2! H22, IF(B4="
n
100%
36:816
A
B
C
6
16
A flashlight can light
a circular area of up
to 6 feet in diameter.
What is the maximum
area that can be lit?
Round to the nearest
tenth.
30x
0004
15
A Sheet1
https://www.google.com/url?sa=i&url=https%3A%2F%2Fwww.amazon.com%2FSpy-Ninjas-Ultimate-Guidebook-Scholastic%2Fdp
7
8
9
10
11
12
13
14
3
5.
7.
a
5
$9
A
arrow_forward
help
arrow_forward
com/static/nb/ui/evo/index.html?deploymentld%3D57211919418147002668187168&elSBN=9781337114264&id%3D900392331&snapshotld%3D19233498
GE MINDTAP
Q Search this course
-ST 260
Save
Submit Assignment for Grading
ons
Exercise 08.46 Algorithmic
« Question 10 of 10
Check My Work (4 remaining)
eBook
The 92 million Americans of age 50 and over control 50 percent of all discretionary income. AARP estimates that the average annual expenditure on restaurants and carryout
food was $1,876 for individuals in this age group. Suppose this estimate is based on a sample of 80 persons and that the sample standard deviation is $550. Round your
answers to the nearest whole numbers.
a. At 99% confidence, what is the margin of error?
b. What is the 99% confidence interval for the population mean amount spent on restaurants and carryout food?
C. What is your estimate of the total amount spent by Americans of age 50 and over on restaurants and carryout food?
million
d. If the amount spent on restaurants and…
arrow_forward
NVCC :: Single Sign-On to a X
N McGraw-Hill Campus
A ALEKS - Destiny Pilg
nt Links - Northern Vi X
A www-awu.aleks.com/alekscgi/x/Isl.exe/1o_u-lgNslkr7j8P3jH-IBhBKplvJLUg6NO6tj9qFltz6nQLOPsPMGhY
O GRAPHS AND FUNCTIONS
Graphing a piecewise-defined function: Problem type 2
Suppose that the function f is defined, for all real numbers, as follows.
4x +3 if x-2
Graph the function f. Then determine whether or not the function is continuous.
Is the function continuous?
10.
O Yes
O No
-10
-8
6.
10
Explanation
Check
O 2021 McGrav
P Type here to search
Esc
arrow_forward
Chrome
File
Edit
View
History
Bookmarks
People Tab
Window
Help
80%
Sun 9:16 PM
A M6 Assignment - 2020FA MATI X
+
webassign.net/web/Student/Assignment-Responses/submit?dep=24252117&tags=autosave#question3860265_26
M
Apps = OpenStax E Ch. 1 Introduction...
CLA APA Style Introdu...
A General Tutoring...
Pt Dynamic Periodic...
Stat
Elementary & Mid...
HOL - Dashboard
Ocean Connect
>>
Magnetic surveying is one technique used by archaeologists to determine anomalies arising from variations in magnetic susceptibility. Unusual changes in magnetic susceptibility might (or might not)
indicate an important archaeological discovery. Let x be a random variable that represents a magnetic susceptibility (MS) reading for a randomly chosen site at an archaeological research location. A
random sample of 120 sites gave the readings shown in the table below.
Magnetic Susceptibility Readings,
centimeter-gram-second x 10¬6
Magnetic
Susceptibility
0 < x < 10
10 < x < 20
20 < x < 30
30 < x < 40
40 < x
(cmg x…
arrow_forward
Maya Paniagua - L7.6 - HW.pdf x
Maya Paniagua-L7.6-Class N X
Meet-cws-wfk-dwy
mihq.com/web/viewer.html?state-%7Bids%3A%5Ble7Tbc-JIREGQE7)MKYF_PX_JPEYXOPBO%5D%2C'action 3A'open'%2C'userld
ia gua - Cl.
A Geometry 202.
Maya Paniagua - L7.6 - Class Notes.pdf
Saved Undo
OGina Wison (All Things Algebra.LLC), 2014-2018
TRIGONOMETRY Review!
Trigonometric Ratios: Find each trig ratio. Give your answer as a fraction in simplest form.
1. sin R =
2. sin T =
36
15
3. cos R =
4. cos T=
5. tan R =
6. tan T =
to the nearest tenth,
arrow_forward
G Gmail
Bb Pearson's MyLab & Mastering x
Do Homework - L05 Homewor x
AG 2021-2022 Aggie Gentz Book x
Award History
+
A mathxl.com/Student/PlayerHomework.aspx?homeworkld=591061310&questionld=17&flushed=false&cld=6387569&back=https://www.mathxl.com/.
I Apps
Is Mesh Contrast Sh..
s Frill Neck Semi Sh..
S Sheer Mesh Long..
C Kinky Curly Wefte.
R dress
O money in marriage
A Other Bookmarks
Math132-003 (Calculus II - 2021S) Online - Clemence
Makala Langley & | 02/18/21 2:50 PM
Homework: L05 Homework: Trig Substitution
Save
Score: 0 of 1 pt
25 of 27 (23 complete) v
HW Score: 79.63%, 21.5 of 27 pts
8.4.68-Setup & Solve
Question Help ▼
Evaluate the following integral.
dx
V(x - 1)(7 - x)
Rewrite the radicand by completing the square and simplifying.
-S
dx
dx
V(x- 1)(7- x)
Enter your answer in the answer box and then click Check Answer.
parts
remainina
Check Answer
Clear All
javascript:doExercise(25);
arrow_forward
HW HELP
arrow_forward
ident Test - AVG Secure Browser
educosoft.com/Assessments/Student Test Paper.aspx?rm=nGkOkc9jDQDbpvbdw8i7a10HGa26gPFEC%2fki%2bu27nfX1bjZBVAOx%2fvl8ruTtsglQGIP719R2ZmY%3d
Prueba Corta # 12: Secciones 5.3 - 5.4
TATIANA VAZQUEZ VEGA
- I
Q's: 8
2 3 4
6
7 8
Previous
a) 0 234 ft
b) O 417 ft
c) O 315 ft
d)
802 ft
Page 7 of 8
Next
P054205MC
7) Find the height of a building that projects a shadow of 350 ft on the ground, if the angle of
elevation from the end of the shadow to the top of the building is 50⁰.
A
جوا وبتر
NC
Submit As
Wei
arrow_forward
%24
%23
Work-Microsoft Edge
/testnavclient.psonsvc.net/%23/question/9c049007-dd79-4d61-bfc4-114a60bc4b55/1272a214-e7a5-492a-9974-78603602a9d3
Review
A Bookmark
ebra I Advanced Unit 2 Test 2 2021-22 RETAKE / 1 of 10
Which equation of an exponential function has a graph that passes through the points (1, 5) and (2, 15)?
O A. y 5*
(e)
O B. y=(3)
O C. y 3"
%3D
y=
P Type here to search
直。
f12
f3
f4
93
* ou
arrow_forward
A 8.1:Part A: Pythagorean Theoren x
e Edcite Q1| 8.1:Part A: Pythagor x
E Hytham Musleh - Paper Copy - C
b Account Details | bartleby
A edcite.com/apps/AssignmentViewer?assignid=Dwreeves_1614978467108
E hazelwoodschools.org bookmarks
- connectED
: The Higher Lower G.
Watch FREE Movie.
O Play Curve Fever Pr.
M Watch Latest Movie.
*. Tyler SIS 360 A VMware Horizon
E Reading list
>
Find the value of x. Round your answer to the nearest tenth.
10
X =
1
2
3
4
5
6
7
8
9
bookmark
note
highlighter
line-reader
reset answer
zoom
This assignment uses a Viewer designed by Edcite to meet the needs of students to practice for their state assessments. Please note that Edcite is not
the state assessment provider. As such, the Edcite viewer may differ from that of the vendor selected by the state.
© 2013-2021 Edcite, Inc
INTL V A 4:10
arrow_forward
SFORTSCEN
IS NEXT ON E
COMPLETE
Announcements-Data-Driven D X
ST Binomial Calculator
A ALEKS - Chlorette Williams - Lear X
Ô https://www-awu.aleks.com/alekscgi/x/Isl.exe/1o_u-lgNslkr7j8P3jH-v-6txjbonmDn7WsVrRAXK6XnHkiRvH2tl8oGv-Z6zQ7tingmR-O2k5lo4.
O RANDOM VARIABLES AND DISTRIBUTIONS
Chlorette V
OO OO D V5
Binomial problems: Mean and standard deviation
Español
Anita's, a fast-food chain specializing in hot dogs and garlic fries, keeps track of the proportion of its customers who decide to eat in the restaurant (as opposed
to ordering the food "to go") so it can make decisions regarding the possible construction of in store play areas, the attendance of its mascot Sammy at the
franchise locations, and so on. Anita's reports that 48% of its customers order their food to go. Suppose that this proportion is correct and that a random
sample of 40 individual customers is taken.
Answer the following.
(If necessary, consult a list of formulas.)
(a) Estimate the number of customers in the…
arrow_forward
A 8.1:Part A: Pythagorean Theoren x
e Edcite Q 2| 8.1:Part A: Pythagor x
E Hytham Musleh - Paper Copy - C
b My Questions | bartleby
A edcite.com/apps/AssignmentViewer?assignid=wreeves_1614978467108
E hazelwoodschools.org bookmarks
- connectED
: The Higher Lower G.
Watch FREE Movie.
O Play Curve Fever Pr.
M Watch Latest Movie.
*. Tyler SIS 360 A VMware Horizon
E Reading list
>
Find the value of x. Round your answer to the nearest tenth.
19
21
X =
->
1
2
3
4
5
6
8
9
-
zoom
bookmark
note
highlighter
line-reader
reset answer
This assignment uses a Viewer designed by Edcite to meet the needs of students to practice for their state assessments. Please note that Edcite is not
the state assessment provider. As such, the Edcite viewer may differ from that of the vendor selected by the state.
© 2013-2021 Edcite, Inc
INTL O V 1 4:13
arrow_forward
MAT0099 Week 4 Discussion Que x +
asses.southuniversity.edu/d21/le/92880/discussions/threads/3650386/ViewPostInContext?postid=12127004#post12
Maps P Paychex Flex S My Store Store det... S South University A ALEKS - Yanarah M...
sterday at J.Zim
Hon't understand this i need help with this
@gmail.c X S week 4 discussion yanarah mentc X
e monthly cost for a subscriber who usually uses more than 3 gigabytes. Use
our equation to find the cost for using 4.5 gigabytes. (2) Find the slope of this
e.
Reply
nny Covington
hours ago
ood start, Yanarah!
ease revise the first problem, and I will start you out on the second problem:
1. A cell phone company offers monthly plan for $35. It includes 3 gigabytes of data. If somebody
uses more than 3 gigabytes, the company charges $15 per gigabyte for each additional
gigabytes. Write an equation to calculate the monthly cost for a subscriber who usually uses
more than 3 gigabytes. Use your equation to find the cost for using 4.5 gigabytes.
Let y = cost…
arrow_forward
Problem 6-29 (Algorithmic)
The north-south highway system passing through Albany, New York, can accommodate the capacities shown. If the constant is "1" it must be entered in the box. If your
answer is zero enter "0". For negative values enter "minus" sign (-).
6
Flow capacity:
10,000vehicles
10
per hour
3
3
Entering
Albany
(north)
Leaving
Albany
(south)
4
Маx
X61
s.t.
2.
arrow_forward
how do you find YJ (number 5) ?
arrow_forward
P Do Homework - ML 4.3 - Google Chrome
A mathxl.com/Student/PlayerHomework.aspx?homeworkld%3608308906&questionld=18&flushed=false&cld=6672038¢erwin=yes
Mathematics for Business and Economics (31761)
Emily Arevalo & | 09/04/21 9:44
= Homework: ML 4.3
Question 5, 4.3.13
HW Score: 35%, 3.5 of 10 points
Part 2 of 2
O Points: 0 of 1
Save
Determine if the following matrix is in reduced form. If not, indicate the row operation(s) necessary to transform the matrix into reduced form.
070 -2
0 0 0
The matrix is not in reduced form.
Which row operation is necessary to transform the matrix into reduced form? Select the correct choice below and fill in the answer box within your choice.
(Type an integer or a simplified fraction.)
O A. DR, +R,→R2
O B. R1+R2
OC. R2¬R2
O D. No row operations are necessary. The matrix is already in reduced form.
(1,1)
More
Clear All
Final C
Help Me Solve This
View an Example
Get More Help -
OK
to search
arrow_forward
alculate d for each patient by subtracting the number of hours of sleep with the drug from the number without the drug.
arrow_forward
cez - 7.2 The X
ww-awn.aleks.com/alekscgi/x/Isl.exe/1o_u-lgNslkr7j8P3jH-IBS1dp57AtUddR-PrG9yyMRedZQZTxsfCOhwVPjmJnZ9X-APBaxAHwujlsUY-iGulpK4Uwt0STWP4BlgiuKzgg8hleBQVJq?1oBw7QYjlbavb:
7.2 The Law of Sines
Cla
Question 9 of 11 (1 point) | Question Attempt: 1 of Unlimited
v1
v 4
v 10
v 11
v 3
The connector rod from the piston to the crankshaft in a certain 2.0 -L engine is 5.5 in. The radius of the crank cirde is 2.8 in. If the angle made by the
connector rod with the horizontal at the wrist pin P is 23°, how far is the wrist pin from the center C of the crankshaft? Round to the nearest tenth of an inch.
5.5 in
Example
2.8 in
The distance from the wrist pin to the center of the crankshaft is approximately
in or
in
Check
Save For Later
Submit Assignr
O 2021 McGraw-Hil Education, All Rights Reserved. Terms of Use Privacy I Acce
70
Home
F11
F12
%23
2
3
4
8.
W
R
T
Y U
P
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
Algebra & Trigonometry with Analytic Geometry
Algebra
ISBN:9781133382119
Author:Swokowski
Publisher:Cengage
data:image/s3,"s3://crabby-images/21a4f/21a4f62f7828afb60a7e1c20d51feee166b1a145" alt="Text book image"
Mathematics For Machine Technology
Advanced Math
ISBN:9781337798310
Author:Peterson, John.
Publisher:Cengage Learning,
Related Questions
- HMAC=032c9528a0191feadb322992520426e3#10001 Math 2 - Pre-calculus - Fall 2021 P Do Homework - 3.5 - Google Chrome A mathxl.com/Student/PlayerHomework.aspx?homeworkld=605433384&questionld=16&iflushed=false&cld=6624506¢erwin=yes Math 2 - Pre-calculus - Fall 2021 Joseph Thai 2| 09/21/21 5:15 PM = Homewo Question 13, 3.5.37 Part 1 of 2 HW Score: 93.75%, 15 of 16 points * Points: 0 of 1 Save A projectile fired from the point (0,0) at an angle to the positive X-axis has a trajectory given by y = Cx - (1 + C) In this formula, x is the horizontal distance in meters, y is the height in meters, v is the initial velocity in meters per second, g = 9.81 m/sec is the acceleration due to gravit and C>0 is a constant determined by the angle of elevation. 15 A howitzer fires an artillery round with a velocity of 881 m/sec. Answer parts (a) and (b). ed q (a) If the round must clear a hill 218 meters high at a distance of 2284 meters in front of the howitzer, what C values are permitted in the…arrow_forwardN Dashboard A ALEKS - Ephrata Worku - Learn b gmail login - Search M Inbox (9,978) - ephratayalew@g x 8 https://www-awu.aleks.com/alekscgi/x/Isl.exe/1o_u-lgNslkr7j8P3jH-IBhBKplvJLUg6NO6tj9qFltz6nQLOPsPMGhY-BSusdlIJbw39D. O ADDITIONAL TOPICS IN TRIGONOMETRY Finding the direction angle of a vector given in ai+bj form Find the direction angle of the vector v =-4i-2j. That is, find the angle between 0° and 360° that v makes with the positive x-axis (measured counterclockwise), when v is in standard position. Do not round any intermediate computations, and round your answer to the nearest whole number. Explanation Check 62021 McGraw Hill LLC. All Rights Reserved. Terms of Use Privacy Cent O Type here to search a 43°F Mostly cloudy IIarrow_forwardO Spring Calendar Set and N X 6 PowerPoint Presentation 6 PowerPoint Presentation Content rseld=17229636&OpenVellumHMAC=70ce583d8db78ac4d11906a580116026#10016 Chapter 12 Review Quiz - Google Chrome A mylab.pearson.com/Student/PlayerTest.aspx?testld3D239154401¢erwin=yes ents MATH-2223-16473 Geometry for Elem. Ed. (online) Jillian Sutton -59pm This quiz: 20 point(s possible This question:1 point(s) possible e/13/22 E Quiz: Chapter 12 Review Quiz Question 1 of 20 > 1:59pm 2/16/22 In rhombi ABCD and A,B,C,D, ZBAD = ZB,A,D, Are the rhombi similar? Why or why not? 0:00pm D2/16/22 11:59pm Choose the correct answer below. 02/23/22 O A. No, because the corresponding angles are not congruent and the ratios of corresponding sides are not proportional. O B. Yes, because the corresponding angles are congruent and the ratios of corresponding sides are proportional. O C. Yes, because the corresponding angles are congruent and the ratios of corresponding sides are congruent. O D. No, because the…arrow_forward
- Sahar Rasoul-Math 7 End of Yea X Gspy ninjas book-Google docs.google.com/spreadsheets/d/1j5MotWzsc0V1V3Qyl4rbP_OFOUotaNXCIIFax> Copy of Copy of Col... 8.8 Sahar Rasoul - Math 7 End of Year Digital Task Cards Student Version ☆ File Edit View Insert Format Data Tools Extensions Help Last edit was 5 minu $ % .0 .00 123 Century Go... ▼ 18 Y BIS fx| =IF(B4="Question 1", Sheet2! H21, if(B4="Question 2", Sheet2! H22, IF(B4=" n 100% 36:816 A B C 6 16 A flashlight can light a circular area of up to 6 feet in diameter. What is the maximum area that can be lit? Round to the nearest tenth. 30x 0004 15 A Sheet1 https://www.google.com/url?sa=i&url=https%3A%2F%2Fwww.amazon.com%2FSpy-Ninjas-Ultimate-Guidebook-Scholastic%2Fdp 7 8 9 10 11 12 13 14 3 5. 7. a 5 $9 Aarrow_forwardhelparrow_forwardcom/static/nb/ui/evo/index.html?deploymentld%3D57211919418147002668187168&elSBN=9781337114264&id%3D900392331&snapshotld%3D19233498 GE MINDTAP Q Search this course -ST 260 Save Submit Assignment for Grading ons Exercise 08.46 Algorithmic « Question 10 of 10 Check My Work (4 remaining) eBook The 92 million Americans of age 50 and over control 50 percent of all discretionary income. AARP estimates that the average annual expenditure on restaurants and carryout food was $1,876 for individuals in this age group. Suppose this estimate is based on a sample of 80 persons and that the sample standard deviation is $550. Round your answers to the nearest whole numbers. a. At 99% confidence, what is the margin of error? b. What is the 99% confidence interval for the population mean amount spent on restaurants and carryout food? C. What is your estimate of the total amount spent by Americans of age 50 and over on restaurants and carryout food? million d. If the amount spent on restaurants and…arrow_forward
- NVCC :: Single Sign-On to a X N McGraw-Hill Campus A ALEKS - Destiny Pilg nt Links - Northern Vi X A www-awu.aleks.com/alekscgi/x/Isl.exe/1o_u-lgNslkr7j8P3jH-IBhBKplvJLUg6NO6tj9qFltz6nQLOPsPMGhY O GRAPHS AND FUNCTIONS Graphing a piecewise-defined function: Problem type 2 Suppose that the function f is defined, for all real numbers, as follows. 4x +3 if x-2 Graph the function f. Then determine whether or not the function is continuous. Is the function continuous? 10. O Yes O No -10 -8 6. 10 Explanation Check O 2021 McGrav P Type here to search Escarrow_forwardChrome File Edit View History Bookmarks People Tab Window Help 80% Sun 9:16 PM A M6 Assignment - 2020FA MATI X + webassign.net/web/Student/Assignment-Responses/submit?dep=24252117&tags=autosave#question3860265_26 M Apps = OpenStax E Ch. 1 Introduction... CLA APA Style Introdu... A General Tutoring... Pt Dynamic Periodic... Stat Elementary & Mid... HOL - Dashboard Ocean Connect >> Magnetic surveying is one technique used by archaeologists to determine anomalies arising from variations in magnetic susceptibility. Unusual changes in magnetic susceptibility might (or might not) indicate an important archaeological discovery. Let x be a random variable that represents a magnetic susceptibility (MS) reading for a randomly chosen site at an archaeological research location. A random sample of 120 sites gave the readings shown in the table below. Magnetic Susceptibility Readings, centimeter-gram-second x 10¬6 Magnetic Susceptibility 0 < x < 10 10 < x < 20 20 < x < 30 30 < x < 40 40 < x (cmg x…arrow_forwardMaya Paniagua - L7.6 - HW.pdf x Maya Paniagua-L7.6-Class N X Meet-cws-wfk-dwy mihq.com/web/viewer.html?state-%7Bids%3A%5Ble7Tbc-JIREGQE7)MKYF_PX_JPEYXOPBO%5D%2C'action 3A'open'%2C'userld ia gua - Cl. A Geometry 202. Maya Paniagua - L7.6 - Class Notes.pdf Saved Undo OGina Wison (All Things Algebra.LLC), 2014-2018 TRIGONOMETRY Review! Trigonometric Ratios: Find each trig ratio. Give your answer as a fraction in simplest form. 1. sin R = 2. sin T = 36 15 3. cos R = 4. cos T= 5. tan R = 6. tan T = to the nearest tenth,arrow_forward
- G Gmail Bb Pearson's MyLab & Mastering x Do Homework - L05 Homewor x AG 2021-2022 Aggie Gentz Book x Award History + A mathxl.com/Student/PlayerHomework.aspx?homeworkld=591061310&questionld=17&flushed=false&cld=6387569&back=https://www.mathxl.com/. I Apps Is Mesh Contrast Sh.. s Frill Neck Semi Sh.. S Sheer Mesh Long.. C Kinky Curly Wefte. R dress O money in marriage A Other Bookmarks Math132-003 (Calculus II - 2021S) Online - Clemence Makala Langley & | 02/18/21 2:50 PM Homework: L05 Homework: Trig Substitution Save Score: 0 of 1 pt 25 of 27 (23 complete) v HW Score: 79.63%, 21.5 of 27 pts 8.4.68-Setup & Solve Question Help ▼ Evaluate the following integral. dx V(x - 1)(7 - x) Rewrite the radicand by completing the square and simplifying. -S dx dx V(x- 1)(7- x) Enter your answer in the answer box and then click Check Answer. parts remainina Check Answer Clear All javascript:doExercise(25);arrow_forwardHW HELParrow_forwardident Test - AVG Secure Browser educosoft.com/Assessments/Student Test Paper.aspx?rm=nGkOkc9jDQDbpvbdw8i7a10HGa26gPFEC%2fki%2bu27nfX1bjZBVAOx%2fvl8ruTtsglQGIP719R2ZmY%3d Prueba Corta # 12: Secciones 5.3 - 5.4 TATIANA VAZQUEZ VEGA - I Q's: 8 2 3 4 6 7 8 Previous a) 0 234 ft b) O 417 ft c) O 315 ft d) 802 ft Page 7 of 8 Next P054205MC 7) Find the height of a building that projects a shadow of 350 ft on the ground, if the angle of elevation from the end of the shadow to the top of the building is 50⁰. A جوا وبتر NC Submit As Weiarrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- Algebra & Trigonometry with Analytic GeometryAlgebraISBN:9781133382119Author:SwokowskiPublisher:CengageMathematics For Machine TechnologyAdvanced MathISBN:9781337798310Author:Peterson, John.Publisher:Cengage Learning,
Algebra & Trigonometry with Analytic Geometry
Algebra
ISBN:9781133382119
Author:Swokowski
Publisher:Cengage
data:image/s3,"s3://crabby-images/21a4f/21a4f62f7828afb60a7e1c20d51feee166b1a145" alt="Text book image"
Mathematics For Machine Technology
Advanced Math
ISBN:9781337798310
Author:Peterson, John.
Publisher:Cengage Learning,