HW7-solutions
html
keyboard_arrow_up
School
University of Texas *
*We aren’t endorsed by this school
Course
230
Subject
Statistics
Date
Apr 3, 2024
Type
html
Pages
9
Uploaded by sjobs3121
Homework 7 for ISEN 355 (System Simulation)
¶
(C) 2023 David Eckman
Due Date: Upload to Canvas by 9:00pm (CDT) on Friday, March 24.
In [ ]:
# Import some useful Python packages.
import numpy as np
import matplotlib.pyplot as plt
import scipy.stats
import pandas as pd
Problem 1. (50 points)
¶
The file canvas_total_times.csv
contains the total time (in hours) each student has spent on the ISEN 355 Canvas page. The instructor, TA, and graders were excluded from the data.
In [ ]:
# Import the dataset.
mydata = pd.read_csv('canvas_total_times.csv', header=None)
# Convert the data to a list.
times = mydata[mydata.columns[0]].values.tolist()
(a) (2 points)
Do you think it is reasonable to assume that the data are independent and identically distributed? Why or why not?
If we think of the distribution as reflecting the Canvas habits of the "typical" ISEN 355 student, then it is reasonable to assume that the data are identically distributed.
It would be reasonable to assume the data are independent if we believe that each student visits the Canvas webpage on their own devices on their own time. There are, however, a number of factors that could contribute to the Canvas times being dependent. For example, all students must log on to Canvas to take the timed quizzes during the labs. In addition, some students complete the homework assignments in pairs, so if they are working off of only one computer, then Canvas is only open on one
of their accounts. Likewise for the group project assignments. Given that total times are in the tens of hours, and students may not have Canvas open most of the time when working on the homework and the project, these dependences may be minimal.
(b) (3 points)
Plot a histogram of the times using 10 bins. Label the axes of your plot.
Comment on the shape of the data.
In [ ]:
plt.hist(times, bins=10)
plt.xlabel("Time Spent on Canvas (hours)")
plt.ylabel("Frequency")
plt.title("Histogram of Time Spent on Canvas")
plt.show()
The histogram shows that most students are on Canvas for less than 30 hours, while only a few are on Canvas for more than 50 hours. The shape of the histogram has a right tail and does not look symmetric.
(c) (4 points)
How many outliers do you see in the data? What is a possible explanation for these high values? In the rest of the problem, we will fit various distributions to the time data and assess their fit. What do you think we should do about the outliers? Explain your reasoning.
From the histogram, it appears that 3 students spent more than 50 hours on Canvas, thus there are 3 outliers. It is possible that these 3 students simply left Canvas open on one of their browser tabs. If this in indeed the case, then we might consider the observations to be erroneous, in which case it would be advisable to remove the outliers. If instead, we were to discover that these students actually intentionally view the Canvas page for 50+ hours, then we should leave the outliers in the data.
In [ ]:
# Although not necessary, we could use the following piece of code to get the number of
outliers:
outliers = [value for value in times if value > 50]
num_outliers = len(outliers)
print(num_outliers)
3
For the rest of the assignment, use ALL of the data in canvas_total_times.csv
.
(d) (3 points)
Use scipy.stats.rv_continuous.fit()
to compute maximum likelihood estimators (MLEs) for the mean (
loc
) and standard deviation (
scale
) of a normal distribution fitted to the data. See the accompanying documentation
to see how the function is called as well as the documentation about scipy.stats.norm
. The term rv_continous
is not part of the function call; instead, you would specifically use scipy.stats.norm.fit()
. Report the MLEs. (Note: This .fit
method is different from
the one we used in the previous homework to fit a Poisson distribution. You should not need to update SciPy to use this function.)
(Note: For functions like .fit()
that return multiple outputs, you will want to define multiple variables on the left-hand side of the equal sign. For example a, b = myfunction(c)
would be a way to separate two variables (
a
and b
) returned by one call of the function myfunction()
.)
In [ ]:
loc_mle, scale_mle = scipy.stats.norm.fit(times)
print(f"The MLEs of the fitted normal distribution are a mean of {round(loc_mle, 2)} and a standard deviation of {round(scale_mle, 2)}.")
The MLEs of the fitted normal distribution are a mean of 17.17 and a standard deviation
of 10.7.
(e) (2 points)
If you were to generate a single time from the fitted normal distribution, what is the probability it would be negative? Based on the mean and standard deviation of the fitted normal distribution, should you be concerned about using this input distribution? Explain your reasoning.
In [ ]:
prob_negative = scipy.stats.norm.cdf(x=0, loc=loc_mle, scale=scale_mle)
print(f"The probability of generating a negative value is {round(prob_negative, 3)}.")
The probability of generating a negative value is 0.054.
We should be concerned, because the chance of generating a negative value is about 1/20, which is very high. If the simulation model needed to generate many Canvas time, it would very likely generate a negative value at some point, which is an impossible about of time to be on Canvas.
(f) (3 points)
Reproduce your histogram from part (b) with density=True
. Superimpose the pdf of the fitted normal distribution over the interval [0, 70]. Use x =
np.linspace(0, 70, 71)
. Comment on the visual fit of the normal distribution.
In [ ]:
plt.hist(times, bins=10, density=True)
x = np.linspace(0, 70, 71)
plt.plot(x, scipy.stats.norm.pdf(x, loc_mle, scale_mle))
plt.xlabel("Time Spent on Canvas (hours)")
plt.ylabel("Frequency / PDF")
plt.title("Histogram / Normal PDF")
plt.show()
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
The normal distribution does not fit the data well. Even if the outliers were excluded, the fit for the rest of the data looks poor. I particular, the normal distribution puts too much probability density on times <= 5 hours (including negative values!), and not enough on the range 5-15 hours, were most of the data is concentrated. The misalignment between the mode (peak) of the normal distribution and the tallest bars in the histogram is possibly explained by the outliers shifting the normal distribution to
the right.
(g) (4 points)
Use scipy.stats.rv_continuous.fit()
to compute maximum likelihood estimators (MLEs) for the shape parameter (
a
), location parameter (
loc
) and
scale parameter (
scale
) of a gamma distribution fitted to the data. See the documentation about scipy.stats.gamma
. Report the MLEs.
In [ ]:
a_mle, loc_mle, scale_mle = scipy.stats.gamma.fit(times)
print(f"The MLEs of the fitted gamma distribution are a = {round(a_mle, 3)}, loc = {round(loc_mle, 3)}, and scale = {round(scale_mle, 3)}.")
The MLEs of the fitted gamma distribution are a = 1.567, loc = 4.484, and scale = 8.096.
(h) (4 points)
You are about to conduct a Chi-Square goodness-of-fit test for the fitted
gamma distribution using 10 equiprobable bins. In preparation, you will need find the breakpoints of the bins, count the observed
number of data points in each bin, and compute the expected
number of data points in each bin.
1. To get the endpoints of the bins, use scipy.stats.gamma.ppf()
to calculate quantiles of the fitted gamma distribution at q = np.linspace(0, 1, 11)
.
2. To get the observed number in each bin, use np.histogram()
(documentation found here
). (Note: The function np.histogram()
returns multiple outputs.)
3. To get the expected number in each bin, note that you have 10 equiprobable bins. The expected numbers need to sum up to the total number of observations
in the dataset.
Print the breakpoints, the observed numbers (the $O_i$'s), and the expected numbers (the $E_i$'s).
In [ ]:
q = np.linspace(0, 1, 11)
breakpoints = scipy.stats.gamma.ppf(q, a_mle, loc_mle, scale_mle)
print(f"The breakpoints of the 10 equiprobable bins are {[round(breakpoint, 2) for breakpoint in breakpoints]}.")
observed, _ = np.histogram(times, breakpoints)
print(f"The observed numbers of data points in each bin are {list(observed)}.")
expected = [len(times) / 10] * 10
print(f"The expected number of data points in each bin are {expected}.")
The breakpoints of the 10 equiprobable bins are [4.48, 7.09, 8.89, 10.66, 12.53, 14.6, 17.01, 19.99, 24.02, 30.65, inf].
The observed numbers of data points in each bin are [13, 6, 14, 11, 14, 11, 10, 10, 13,
9].
The expected number of data points in each bin are [11.1, 11.1, 11.1, 11.1, 11.1, 11.1,
11.1, 11.1, 11.1, 11.1].
(i) (5 points)
Use scipy.stats.chisquare()
to perform a Chi-Square goodness-of-fit
test; see the documentation
for more details. The function has three important arguments: f_obs
, which is the array of $O_is$; f_exp
, which is the array of $E_is$; and ddof
, which corresponds to $s$ from our class notes. (Note: The function scipy.stats.chisquare()
returns multiple outputs.)
Suppose you are testing with a significance level of $\alpha=0.1$. Report the test statistic, $D^2$, and compute the associated cutoff value $\chi^2_{k-s-1, 1-\alpha}$ using scipy.stats.chi2.ppf()
. Report the $p$-value as well. Interpret the conclusion
of the goodness-of-fit test in words
. Don't just say "reject the null hypothesis" or "fail to reject the null hypothesis."
In [ ]:
# For the fitted gamma distribution, the number of estimated parameters was s=3.
chisq, p_value = scipy.stats.chisquare(f_obs=observed, f_exp=expected, ddof=3)
# Cutoff value is 1 - alpha = 1 - 0.1 = 0.90 quantile of a Chi-Squared distribution with k - s - 1 = 10 - 3 - 1 = 6 degrees of freedom. print(f"The test statistic is {round(chisq, 3)} while the cutoff value is {round(scipy.stats.chi2.ppf(q=0.9, df=6), 3)}.")
print(f"The p-value of the test is {round(p_value, 3)}.")
The test statistic is 5.126 while the cutoff value is 10.645.
The p-value of the test is 0.528.
The test statistic is less than the cutoff value and the p-value is higher than $\
alpha=0.1$. Both indicate that we fail to reject the null hypothesis. This means that we
cannot rule out that the data came from a gamma distribution; in other words, a gamma distribution may be a good fit. As we said in class, we should look at other plots (e.g., Q-Q plots) and not blindly trust a goodness-of-fit test.
(j) (2 points)
Plot the pdf and histogram the Chi-Square test is working off of. Plot the pdf of the fitted gamma distribution over the interval $[0, 70]$, but this time plot the histogram of the data using the 10 equiprobable bins you found in part (h). Again, use the density=True
argument to rescale the histogram.
In [ ]:
# Optional: replace the rightmost breakpoint (+ infinity) with a large number so that plt.hist can plot the rightmost bar.
breakpoints[-1] = 70
plt.hist(times, bins=breakpoints, density=True)
x = np.linspace(0, 70, 71)
plt.plot(x, scipy.stats.gamma.pdf(x, a_mle, loc_mle, scale_mle))
plt.xlabel("Time Spent on Canvas (hours)")
plt.ylabel("Frequency / PDF")
plt.title("Histogram / Gamma PDF")
plt.show()
(k) (4 points)
Produce a Q-Q plot of the data versus quantiles from the fitted gamma distribution. Do NOT use the scipy.stats.probplot()
function. Interpret the Q-Q plot.
In [ ]:
sorted_data = np.sort(times)
invert_pts = (np.arange(1, len(sorted_data) + 1, 1) - 0.5) / len(sorted_data)
gamma_quantiles = scipy.stats.gamma.ppf(q=invert_pts, a=a_mle, loc=loc_mle, scale=scale_mle) # Calculate the theoretical quantiles
plt.scatter(sorted_data, gamma_quantiles)
plt.plot([0,70], [0,70], color='red')
plt.xlabel('Observed Values')
plt.ylabel('Theoretical Quantiles')
plt.title('Q-Q Plot for Fitted Gamma Distribution')
plt.show()
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
With the exception of the 3 outliers, the Q-Q plot shows a very good fit, with all other values falling close to the 45-degree line through the origin.
(l) (5 points)
Use scipy.stats.kstest()
to conduct a K-S test for the fitted gamma distribution; see the documentation
for more details. The rvs
argument should be your
data and the cdf
argument should be a callable function to evalute the cdf of the theoretical distribution. The documentation gives some examples. Report the $p$-
value of the test and state what your conclusion would be if testing with a significance level of $\alpha=0.1$.
In [ ]:
# To pass a callable cdf function into kstest(), we create a Gamma distribution object having the fitted parameters.
gamma_dist = scipy.stats.gamma(a_mle, loc_mle, scale_mle)
_, pvalue = scipy.stats.kstest(rvs=times, cdf=gamma_dist.cdf)
print(f"The p-value of the test is {round(pvalue, 3)}.")
The p-value of the test is 0.996.
Since the p-value is larger than than $\alpha=0.1$, we fail to reject the null hypothesis. Again, this means the gamma distribution is a good candidate distribution.
(m) (3 points)
Plot the empirical cdf of the data and overlay the cdf of the fitted gamma distribution. (This will resemble the plot from the lecture slide introducting the K-S test.)
In [ ]:
plt.plot(x, scipy.stats.gamma.cdf(x, a = a_mle ,loc = loc_mle, scale = scale_mle), label = 'Fitted')
y_ecdf = [(i + 1) / len(sorted_data) for i in range(len(sorted_data))]
plt.step(sorted_data, y_ecdf, where='post', label = 'Empirical')
plt.xlabel('Time Spent on Canvas (hours)')
plt.title('Empirical and Fitted CDFs')
plt.legend()
plt.show()
(n) (6 points)
Pick another continuous distribution that you think might fit the data well. See the "Probability Distributions" section of the scipy.stats
documentation
for a comprehensive list of continuous distributions supported by scipy.stats
. For your chosen distribution, 1) use MLE to estimate parameters for your distribution, 2) produce a plot of the histogram of the data with the pdf of your fitted distribution superimposed, and 3) perform one goodness-of-fit test (either Chi-Square or K-S) and state the conclusion for a reasonable significance level $\alpha$.
In [ ]:
# Fitting a lognormal distribution.
s_mle, loc_mle, scale_mle = scipy.stats.lognorm.fit(times)
print(f"The MLEs of the fitted lognormal distribution are s = {round(s_mle, 3)}, loc = {round(loc_mle, 3)}, and scale = {round(scale_mle, 3)}.")
The MLEs of the fitted lognormal distribution are s = 0.69, loc = 2.68, and scale = 11.49.
In [ ]:
# Choosing to use 10 equiprobable bins, but could just use default bins.
q = np.linspace(0, 1, 11)
breakpoints = scipy.stats.lognorm.ppf(q, s_mle, loc_mle, scale_mle)
breakpoints[-1] = 70
plt.hist(times, bins=breakpoints, density=True)
x = np.linspace(0, 70, 71)
plt.plot(x, scipy.stats.lognorm.pdf(x, s_mle, loc_mle, scale_mle))
plt.xlabel("Time Spent on Canvas (hours)")
plt.ylabel("Frequency / PDF")
plt.title("Histogram / Lognorm PDF")
plt.show()
In [ ]:
# Conducting a Chi-Square test.
observed, _ = np.histogram(times, breakpoints)
chisq, p_value = scipy.stats.chisquare(f_obs=observed, ddof=3)
print(f"The p-value of the test is {round(p_value, 3)}.")
The p-value of the test is 0.646.
In [ ]:
# Conducting a K-S test.
lognorm_dist = scipy.stats.lognorm(s_mle, loc_mle, scale_mle)
statistic, pvalue = scipy.stats.kstest(rvs=times, cdf=lognorm_dist.cdf)
print(f"The p-value of the test is {round(pvalue, 3)}.")
The p-value of the test is 0.997.
For both tests, the p-value is much higher than any reasonable value of $\alpha$, so we fail to reject the null hypothesis and conclude that the lognormal distribution is a good choice.
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 Questions
# 6
arrow_forward
YilIINVDQ6UM7xYVhdk%252Fakdvt9EeOsE8%252Fy11NyBX11f68q%252FbhZaws
prtals
Home-Canva
Apex Learning-Co..
E Portfolio: Ornar Per..
! My
Simplify
2i - 7i + 10
91+10
-51+10
arrow_forward
O Course Modules: NC M. X
O Copy of Unit 2: Lesson
ARapidldentity
M Compose Mail - 253581 x
Pnp8pnXJ7YQdiglokMic4efY2fax6m4LcWRz0C15WI/edit#slide=id.gc1fad7c2ca_0_208
tebook Day 2- Student
D Present
range Tools Add-ons Help
Last edit was 6 minutes ago
Background Layout-
Theme
Transition
T 2 3 4 5 6 7
2.9 Check for Understanding Day 2
3) Which equation represents a line that is perpendicular to Line l on the graph below?
a) y=-1/2x + 3
b) y=2x + 3
c) y=2x + 3
d) y=-2x + 3
eaker notes
ip
arrow_forward
Texas experienced a severe drought and a long heat wave in 2011. Access the Climate Graph link below.
Here is the Link !
https://nca2014.globalchange.gov/report/sectors/energy-water-and-land#graphic-16636
Question # 1A- 1D
Part A: Disregarding 2011, the year with the least total rainfall June-August was what amount , and the rainfall for that year was about how much .
Part B: Disregarding 2011, the year with the greatest total rainfall June-August was what amount, and the rainfall for that year was about how much .
Part C: Disregarding 2011, the year with the lowest average temperature June-August was what amount , and the average temperature for that year was about how much .
Part D: Disregarding 2011, the year with the highest average temperature June-August was what amount ,and the average temperature for that year was about how much
arrow_forward
Directions: Using translations, move the ball to the hole.
You may choose which transformations to use, but you need to do it in as few moves as possible.
Par is the minimum number of moves it will take to get the ball in the hole.
Example 1:
Starting
Point
Ending
Location
Transformation
Right 11
(x+11.y)
(-7,4)
(4,4)
Down 6
(4,4)
(4.-2)
(x.y-6)
arrow_forward
Part 1 only.
arrow_forward
EA Rapididentity
M Compose Mail - 253581 x O Course Modules: NC M X
O Copy of Unit 2: Lesson x
Pnp8pnXJ7YQdiglokMic4efY2fax6m4LcWRz0CI5WI/edit#slide=Did.gc1fad7c2ca_0_153
ebook Day 2- Student
O Preser
ange Tools Add-ons Help
Last edit was 4 minutes ago
Background
Layout-
Theme
Transition
2
4 5. 6 7 I 8 9.
2.9 Skills Practice
5) Aline passes through the point A(-1, 2), and is parallel to the line y = 2x – 2. Find the
equation of the line.
6) A line passes through the origin, and is perpendicular to the line y = x – 1. Find the equation
of the line.
eaker notes
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
Táb
Window
Help
mk
X X Goodbye from Edgenuity
Reading in Math Slides and For x
Gabriella Gascon - Reading in
tation/d/1gos78upXoYQQMOaOkp_0QPhYZQSZXdfe4WVQngHHXYo/edit#slide=id.SLIDES_API430018234_15
e - Roblox
P
Home - Peacock E Tubi
Harry Potter Shop...
W Wizarding World:..
Disney+ | Movies...
n the Middle School Math Classroom - Digital Version ☆ D
Slide Arrange Tools Add-ons Help
Last edit was 16 minutes ago
Background
Layout -
Theme
Transition
I II 2
3
6.
PRACTICE
Drag a circle to the correct answer.
3.
A $220 pair of shoes is on sale for $154. What is the percent change in the cost of the shoes?
A. 66% decrease
Did the price of the shoes go up or down? That should help you eliminate two
choices. So... Are you finding the change in the dolllar amount or the percent
B. 66% increase
change? (hint hint)
C. 30% increase
D. 30% decrease
Thn cort ofa $750 refriaerator was increased by 10%. It was later dropped by 10%. What is the new cost
arrow_forward
Please show all the steps
arrow_forward
tab
(2.1-2.6) Target *
← → C
caps lock
YouTube
→1
esc
Home
Maps Kindle
Winter 2023
canvas.seattlecolleges.edu/courses/10176/assignments/81095
Syllabus
Announcements
Modules
Assignments
People
Office 365
Central Learning
Support
Central eTutoring
Zoom 1.3
!
1
X
Q
A
N
Course Hero
2
= Psychology 2e - O... StatCrunch (1.4-1.7) Writing...
W
S
X
Match each scatterplot shown below with one of the four specified correlations.
#
3
C
E
D
O
0 0
xb Answered: You randomly surve X
CO
4
C
R
8
LL
%
5
Search or type URL
V
T
a. -0.45
b. -0.91
c. 0.86
d. 0.35
G
6
MacBook Pro
OF
Y
H
New Tab
&
7
U
00 *
8
J
1
(
9
x +
K
0
0
L
P
arrow_forward
can you please help with how to insert it into the calculator
arrow_forward
Answer the question below in the picture
arrow_forward
PLEASE HELP ME WITH THISS!!
arrow_forward
Dashboard- Chaffey College
HW 12
A Math 81, HW 12, Tavakoli, Sp22, X
Math 81, HW 12, Tavakoli, Sp22, X
PDF
| C:/Users/toria/Downloads/Math%2081,9%20HW%2012,%20Tavakoli,%20Sp22,%20nc.pdf
You may not have access to some features. View permissions
2. Use the methods of Examples 6 and 7 to find bases for the row space and
column space of the matrix
-2
3)
A =
-2
-6
-1
3.
-2
1
-3
-3
-9
1
-9
n72
arrow_forward
UCS
Dashboard
* Big Ideas Math
https://www.bigideasmath.com/MRL/public/app/#/student/assessment;isPlayerWindow=true;assignmentld=7f..
BIG IDEAS MATH
Sydney Hewer
Alg 2 6.4/6/5 Assignment
CALCULATORS
8.
i
Write a rule for g that represents a translation 4 units right and 1 unit down, followed by a vertical shrink by a factor of
of the
3
graph of f(x) = e.
g(x)
Check
? Help
( PREV
5 6 7
3 4
NEXT
17 of 23 answered
...
...
P Type here to search
2:32 PM
2П/2021
DELL
00
00
arrow_forward
>
D2L Grades - N ✓
zy Section 6.2 ×
Google Le
Answered: ✓
Answered: ✓
Answered
✓
C chegg.com x
Homewor ✓
+
|
↓
C
learn.zybooks.com/zybook/MAT-240-Q4983-OL-TRAD-UG.24EW4/chapter/6/section/2
Relaunch to update :
G. Dashboard | ISN Horizon
ADP ADP
Home
Central Florida Per...
Math Review: Multi-...
K5 Grade 5 Reading Co...
◆ Orange County Pub...
OCPS Dashboard
Login
New Tab
All Bookmarks
= zyBooks My library > MAT 240: Applied Statistics home > 6.2: Confidence intervals for population means
| zyBooks catalog
? Help/FAQ Alnisha Liranzo
B
62°F
Clear
Challenge activities
CHALLENGE
ACTIVITY
6.2.1: Confidence intervals for population means.
554752.4160034.qx3zqy7
Jump to level 1
Suppose the mean height in inches of all 9th grade students at one high school is
estimated. The population standard deviation is 6 inches. The heights of 10
randomly selected students are 65, 67, 72, 75, 75, 62, 74, 67, 70 and 75.
x = Ex: 12.34
Margin of error at 99% confidence level =
=
Ex: 1.23
99% confidence…
arrow_forward
Please help me with my home
arrow_forward
Chrome- Do Homework- HW #12 = 8.4, 9.1, 9.2
A mathxl.com/Student/PlayerHomework.aspx?homeworkld 610059707&questionld%35&flushed%-Dtrue&cld%3D6700191¢er
Math for Aviation I
E Homework: HW #12 = 8.4, 9.1, 9.2
Question 7, 8.
For an arc length s, area of sector A, and central angle 0 of a circle of radius r, find the indicated quantity for the given value.
A= 76.9 mi2r= 76.9 mi, 0 = ?
radian
(Do not round until the final answer. Then round to three decimal places as needed.)
Heip me solve this
View an example
Get more belp-
DELL
arrow_forward
Structure.com/courses/39109/pages/week-number-16-project-number-2 sect-2-dol-7 wed-dot-opens-12-slash-4-slash-2024-and-closes-thurs-dot-12-slas... +✰
+
+
This graded project assignment will be posted as "ALEKS External Assignment: PROJECT #2:
ONLY 1-Page in pdf format must be submitted (uploaded in CANVAS-Inbox Message with ALL work and answers.
If the uploaded Project Assignment can NOT BE OPENED by the instructor, a zero-grade will be posted in the ALEKS gradebook. NO EXCEPTIONS!
Include your name & your section for this course.
If no submission is made by the due date: Thursday, 12/5/2024 at 11:59 pm (EST), a zero-score will be recorded in ALEKS. NO Make-up! No EXCEPT
To be successful with PROJECT#2 assignment do the following:
a. Go to ALEKS Home page by clicking ALEKS in the CANVAS-Modules menu and follow steps below:
b. Make sure you REVIEW STUDY material for Chapter 2 (Section: 2.7) in the ALEKS e-Textbook. Be sure to understand Example 2 and ALSO watch Lectu
(video); Solving a…
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you

Elementary Geometry for College Students
Geometry
ISBN:9781285195698
Author:Daniel C. Alexander, Geralyn M. Koeberlein
Publisher:Cengage Learning
Related Questions
- # 6arrow_forwardYilIINVDQ6UM7xYVhdk%252Fakdvt9EeOsE8%252Fy11NyBX11f68q%252FbhZaws prtals Home-Canva Apex Learning-Co.. E Portfolio: Ornar Per.. ! My Simplify 2i - 7i + 10 91+10 -51+10arrow_forwardO Course Modules: NC M. X O Copy of Unit 2: Lesson ARapidldentity M Compose Mail - 253581 x Pnp8pnXJ7YQdiglokMic4efY2fax6m4LcWRz0C15WI/edit#slide=id.gc1fad7c2ca_0_208 tebook Day 2- Student D Present range Tools Add-ons Help Last edit was 6 minutes ago Background Layout- Theme Transition T 2 3 4 5 6 7 2.9 Check for Understanding Day 2 3) Which equation represents a line that is perpendicular to Line l on the graph below? a) y=-1/2x + 3 b) y=2x + 3 c) y=2x + 3 d) y=-2x + 3 eaker notes iparrow_forward
- Texas experienced a severe drought and a long heat wave in 2011. Access the Climate Graph link below. Here is the Link ! https://nca2014.globalchange.gov/report/sectors/energy-water-and-land#graphic-16636 Question # 1A- 1D Part A: Disregarding 2011, the year with the least total rainfall June-August was what amount , and the rainfall for that year was about how much . Part B: Disregarding 2011, the year with the greatest total rainfall June-August was what amount, and the rainfall for that year was about how much . Part C: Disregarding 2011, the year with the lowest average temperature June-August was what amount , and the average temperature for that year was about how much . Part D: Disregarding 2011, the year with the highest average temperature June-August was what amount ,and the average temperature for that year was about how mucharrow_forwardDirections: Using translations, move the ball to the hole. You may choose which transformations to use, but you need to do it in as few moves as possible. Par is the minimum number of moves it will take to get the ball in the hole. Example 1: Starting Point Ending Location Transformation Right 11 (x+11.y) (-7,4) (4,4) Down 6 (4,4) (4.-2) (x.y-6)arrow_forwardPart 1 only.arrow_forward
- EA Rapididentity M Compose Mail - 253581 x O Course Modules: NC M X O Copy of Unit 2: Lesson x Pnp8pnXJ7YQdiglokMic4efY2fax6m4LcWRz0CI5WI/edit#slide=Did.gc1fad7c2ca_0_153 ebook Day 2- Student O Preser ange Tools Add-ons Help Last edit was 4 minutes ago Background Layout- Theme Transition 2 4 5. 6 7 I 8 9. 2.9 Skills Practice 5) Aline passes through the point A(-1, 2), and is parallel to the line y = 2x – 2. Find the equation of the line. 6) A line passes through the origin, and is perpendicular to the line y = x – 1. Find the equation of the line. eaker notesarrow_forwardSahar 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_forwardTáb Window Help mk X X Goodbye from Edgenuity Reading in Math Slides and For x Gabriella Gascon - Reading in tation/d/1gos78upXoYQQMOaOkp_0QPhYZQSZXdfe4WVQngHHXYo/edit#slide=id.SLIDES_API430018234_15 e - Roblox P Home - Peacock E Tubi Harry Potter Shop... W Wizarding World:.. Disney+ | Movies... n the Middle School Math Classroom - Digital Version ☆ D Slide Arrange Tools Add-ons Help Last edit was 16 minutes ago Background Layout - Theme Transition I II 2 3 6. PRACTICE Drag a circle to the correct answer. 3. A $220 pair of shoes is on sale for $154. What is the percent change in the cost of the shoes? A. 66% decrease Did the price of the shoes go up or down? That should help you eliminate two choices. So... Are you finding the change in the dolllar amount or the percent B. 66% increase change? (hint hint) C. 30% increase D. 30% decrease Thn cort ofa $750 refriaerator was increased by 10%. It was later dropped by 10%. What is the new costarrow_forward
- Please show all the stepsarrow_forwardtab (2.1-2.6) Target * ← → C caps lock YouTube →1 esc Home Maps Kindle Winter 2023 canvas.seattlecolleges.edu/courses/10176/assignments/81095 Syllabus Announcements Modules Assignments People Office 365 Central Learning Support Central eTutoring Zoom 1.3 ! 1 X Q A N Course Hero 2 = Psychology 2e - O... StatCrunch (1.4-1.7) Writing... W S X Match each scatterplot shown below with one of the four specified correlations. # 3 C E D O 0 0 xb Answered: You randomly surve X CO 4 C R 8 LL % 5 Search or type URL V T a. -0.45 b. -0.91 c. 0.86 d. 0.35 G 6 MacBook Pro OF Y H New Tab & 7 U 00 * 8 J 1 ( 9 x + K 0 0 L Parrow_forwardcan you please help with how to insert it into the calculatorarrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- Elementary Geometry for College StudentsGeometryISBN:9781285195698Author:Daniel C. Alexander, Geralyn M. KoeberleinPublisher:Cengage Learning

Elementary Geometry for College Students
Geometry
ISBN:9781285195698
Author:Daniel C. Alexander, Geralyn M. Koeberlein
Publisher:Cengage Learning