HW8-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
8
Uploaded by sjobs3121
Homework 8 for ISEN 355 (System Simulation)
¶
(C) 2023 David Eckman
Due Date: Upload to Canvas by 9:00pm (CDT) on Friday, March 31.
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)
¶
In this problem, we will study the arrival process of vehicles to a large parking garage.
(a) (2 points)
Recall the assumptions of a Poisson process. Do you think it is reasonable to assume that arrivals occur one at a time in the parking garage setting?
Yes, it is reasonable to assume that arrivals occur one at a time. Even if two cars are in
a line there will be a small lag between their arrivals. A possible exception is if the garage has multiple entrance gates, though there too there will be a small lag between
arrivals of different cars.
(b) (3 points)
Recall the assumptions of a Poisson process. Do you think it is reasonable to assume that increments are independent in the parking garage setting? Explain/interpret what this assumption means in this context in words. Explain your reasoning.
This assumption means that during non-overlapping intervals, the numbers of vehicles arriving to the parking garage are independent. For example, if we were told how many vehicles arrived between 8-9am, it would not cause us to update our belief about how many cars will arrive between 9-10am. In other words, the arrivals of cars during different time intervals are not related to each other.
This assumption might be reasonable if the parking garage were very large and there were an infinite number of drivers who could possibly wish to park in the garage. This assumption is less reasonable if the parking garage has limited capacity, because if a large number of vehicles arrive in the morning, fewer vehicles will be able to enter and
find a parking spot in the afternoon. This assumption is also less reasonable if there is a limited number of vehicles wishing to park, because again, if a large number of vehicles arrive in the morning, fewer will attempt to arrive in the afternoon. This would
be the situation if the parking garage had reserved parking spots.
(c) (2 points)
We will assume that the arrival counts from different days are independent. Provide an example of a situation (in the parking garage context) for which this assumption would not hold.
The arrival counts on different days would be dependent if vehicles can stay in the garage overnight. In such a case, if a large number of vehicles arrived on a given day, we might expect fewer arrivals the next day because some spots are already occupied
by vehicles that did not leave.
(d) (2 points)
We will assume that the arrival counts from different days are identically distributed. Provide an example of a situation (in the parking garage context) for which this assumption would not hold.
The assumption of identically distributed arrival counts would not hold if the schedule of events for which people choose to park in the parking garage varied by day. At the Polo garage, for example, the distribution of arrival counts on Mondays and Wednesdays is likely different from that of Tuesdays and Thursdays and from that of Fridays because of the class schedules.
The file arrival_counts.csv
contains counts of the number of vehicles that arrived in
1-hour periods from 8am-4pm over the course of 30 days. The code below loads the data and stores it in a numpy ndarray
, which you can think of as a matrix. Each row in
the matrix corresponds to a day and each column corresponds to a 1-hour period, starting with 8am-9am in Column 0 (remember that Python indexes from 0) and 3-4pm
in Column 7.
In [ ]:
# Import the dataset.
mydata = pd.read_csv('arrival_counts.csv')
arrivalcounts = np.array(mydata)
print(arrivalcounts)
[[253 380 307 179 118 174 162 77]
[248 350 329 155 121 169 134 62]
[285 384 310 161 103 169 135 64]
[291 406 301 167 124 171 164 67]
[246 396 302 169 128 155 135 77]
[264 383 314 185 115 153 132 43]
[256 352 337 166 133 164 137 64]
[255 381 304 192 120 178 152 53]
[267 396 318 176 117 166 137 48]
[253 390 316 181 119 174 176 70]
[266 356 322 195 118 165 142 60]
[263 346 305 174 118 185 123 61]
[284 360 322 166 114 159 141 74]
[255 385 293 167 121 169 125 61]
[259 400 313 198 108 183 133 56]
[249 397 331 177 123 175 124 59]
[269 367 322 175 112 145 123 54]
[293 384 320 165 115 188 146 59]
[256 393 328 186 122 134 125 60]
[261 343 331 202 121 156 139 52]
[269 376 314 194 135 154 158 71]
[270 388 295 155 141 144 155 58]
[239 367 311 177 116 177 148 61]
[264 384 314 177 130 154 139 57]
[250 382 332 175 132 192 150 60]
[278 367 327 192 124 165 128 77]
[262 366 339 197 124 173 151 64]
[261 362 303 186 128 180 150 74]
[262 345 348 169 126 173 136 66]
[238 345 316 179 135 186 154 55]]
In [ ]:
# If you need, say, Column 6, use
print(f"Column 6 is {arrivalcounts[:, 6]}.")
# If you need, say, Row 3, use
print(f"Row 3 is {arrivalcounts[3, :]}.")
Column 6 is [162 134 135 164 135 132 137 152 137 176 142 123 141 125 133 124 123 146
125 139 158 155 148 139 150 128 151 150 136 154].
Row 3 is [291 406 301 167 124 171 164 67].
(e) (4 points)
Test the assumption of independent increments mentioned in part (b) by calculating the sample correlation matrix for the arrival counts in the 8 one-hour periods. This matrix will be of size 8 x 8. Use the function np.corrcoef()
to compute the sample correlation matrix; read the function's documentation
and pay special
attention to the rowvar
variable. Call the function np.round()
with your correlation matrix as an argument to display the sample correlation matrix with each element rounded to the nearest 3 digits.
In [ ]:
corr_matrix = np.corrcoef(arrivalcounts, rowvar=False)
np.round(corr_matrix, 3)
Out[ ]:
array([[ 1. , 0.172, -0.069, -0.155, -0.283, -0.154, 0.004, 0.1 ],
[ 0.172, 1. , -0.423, -0.075, -0.132, -0.125, 0.129, -0.038],
[-0.069, -0.423, 1. , 0.182, 0.03 , 0.008, -0.215, -0.064],
[-0.155, -0.075, 0.182, 1. , -0.078, 0.011, 0.067, -0.115],
[-0.283, -0.132, 0.03 , -0.078, 1. , -0.119, 0.307, 0.168],
[-0.154, -0.125, 0.008, 0.011, -0.119, 1. , 0.259, 0.07 ],
[ 0.004, 0.129, -0.215, 0.067, 0.307, 0.259, 1. , 0.282],
[ 0.1 , -0.038, -0.064, -0.115, 0.168, 0.07 , 0.282, 1. ]])
(f) (2 points)
We have not discussed correlation matrices in lecture. A correlation matrix contains the correlation coefficient ($\rho$) between each pair of random variables. In this problem, we have 8 random variables, each one corresponding to the
number of arrivals in a given one-hour period. A correlation coefficient takes values between -1 and 1 with larger absolute values (i.e., values closer to -1 or 1) corresponding to strong correlation. Values closer to zero indicate weak correlation. Comment on the values in the sample correlation matrix and what they mean in terms of the assumption of independent increments mentioned in part (b). How comfortable are you with making this assumption for this data set?
The diagonal of the matrix is all 1s, which is expected because any random variable is perfectly correlated with itself. All other values are close to zero (few have absolute value greater than 0.3), which means there is not strong dependence between pairs. The data thus supports the assumption from part (b) that increments are independent.
(g) (4 points)
Plot 30 curves of arrival counts over time, with one curve for each day. Use plt.plot()
to superimpose the 30 curves. (You will need to use np.transpose()
to transpose your data, otherwise plt.plot()
will plot 8 curves, one for each column.)
Use plt.xticks()
to change the tick labels along the x-axis to show the times of day; documentation found here
. Comment on the shape of the arrival counts over the course of a typical 8-hour day.
In [ ]:
plt.plot(np.transpose(arrivalcounts))
plt.xticks(ticks=[0, 1, 2, 3, 4, 5, 6, 7], labels=["8a-9a", "9a-10a", "10a-11a", "11a-
12p","12p-1p","1p-2p","2p-3p","3p-4p"])
plt.xlabel("Time of Day")
plt.ylabel("Arrival Count")
plt.title("Arrival Curves for 30 days")
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 curves of arrival counts from all 30 days show similar patterns. There are two peaks of arrivals: one at 9-10am and another at 1-2pm. There is also an off-peak period around lunch time.
(h) (3 points)
For a Poisson process, we mentioned that the mean number of arrivals in each period should be equal to the variance of the number of arrivals in that period. If the data were truly coming from a Poisson process, what would you expect to see in your plot from part (g) in terms of this mean=variance condition? Based on only your plot from part (g), do you believe it is plausible that the arrival process of cars satisfies
this mean=variance condition?
If the mean=variance condition held for each period, we would expect to see high variability for the 9-10am interval and low variability for the 1-2pm interval. We can see variability in the plot from part (g) by looking at the vertical spread of the 30 curves at any given time. From the plot in part (g), it does not appear that the mean=variance assumption holds because the variability at 1-2pm appears to be higher than that at 9-10am.
(i) (5 points)
For each 1-hour period, use np.mean()
and np.var()
to compute the sample mean and sample variance of the 30 observed arrival counts. (For np.var()
, pay special attention to the ddof
argument from the documentation
.) Use plt.scatter()
to produce a scatter plot of (sample mean, sample variance) for a total
of 8 points. Superimpose a 45-degree line passing through the origin. Based on only your scatter plot, do you believe it is plausible that the arrival process of cars satisfies the mean=variance condition?
In [ ]:
arr_count_means = np.mean(arrivalcounts, axis=0)
arr_count_vars = np.var(arrivalcounts, axis=0, ddof=1)
plt.plot([0, 400], [0, 400], 'r')
plt.scatter(arr_count_means, arr_count_vars)
plt.xlabel("Sample Means")
plt.ylabel("Sample Variances")
plt.title("Mean vs Variances")
plt.show()
For many of the 1-hour periods, the mean and variance of the arrival counts differ. The
data indicate that a Poisson process may not be an appropriate model for the arrival process. Nevertheless, we will continue to use it in the rest of this assignment.
(j) (5 points)
Produce a histogram of the 30 counts from the 8am-9am period. Fit a Poisson distribution to this data using MLE. (There is no need to use the .fit()
function like you did in Homework 6. Simply use the fact that the MLE for $\lambda$ for a Poisson random variable is the sample mean of the data.) Superimpose the pmf of the fitted Poisson distribution onto the plot of the histogram and comment on the visual fit.
In [ ]:
sample_89 = arrivalcounts[:,0]
plt.hist(sample_89, bins=6, density=True, color='r')
fitted_poisson = scipy.stats.poisson(mu=arr_count_means[0])
x = np.linspace(225, 300, 76)
plt.stem(x, fitted_poisson.pmf(k=x))
plt.title("PMF vs Histogram of 8am-9am Arrival Counts")
plt.xlabel("Arrival Count")
plt.ylabel("Frequency")
plt.show()
The pmf of the fitted Poisson distribution is centered slightly to the right of the peak in the histogram, because of the unexpectedly high count in the rightmost bin. With only 30 observations, it is hard to be confident about how good of a fit the Poisson distribution is.
(k) (5 points)
Conduct 8 K-S tests (one for each one-hour period) to determine whether the number of arrivals during each period could plausibly come from a Poisson distribution. Use a for
loop over the 8 one-hour periods. On each iteration of the loop, calculate the MLE of $\lambda$ (from the data for that period), conduct the appropriate K-S test, and print out the $p$-value. Interpret the conclusions of the goodness-of-fit tests at a significance level $\alpha = 0.05$.
In [ ]:
for idx in range(8):
fitted_poisson = scipy.stats.poisson(mu=arr_count_means[idx])
_, ks_pvalue = scipy.stats.kstest(arrivalcounts[:, idx], cdf=fitted_poisson.cdf)
print(f"For Period {idx + 1} the K-S test for the fitted Poisson distribution has a
p-value of {round(ks_pvalue, 3)}.")
For Period 1 the K-S test for the fitted Poisson distribution has a p-value of 0.599.
For Period 2 the K-S test for the fitted Poisson distribution has a p-value of 0.38.
For Period 3 the K-S test for the fitted Poisson distribution has a p-value of 0.746.
For Period 4 the K-S test for the fitted Poisson distribution has a p-value of 0.92.
For Period 5 the K-S test for the fitted Poisson distribution has a p-value of 0.463.
For Period 6 the K-S test for the fitted Poisson distribution has a p-value of 0.663.
For Period 7 the K-S test for the fitted Poisson distribution has a p-value of 0.864.
For Period 8 the K-S test for the fitted Poisson distribution has a p-value of 0.861.
All $p$-values are greater than $\alpha=0.05$, so we fail to reject the null hypothesis and conclude that the Poisson distribution is a decent fit for all time periods. The high p-values may be a reflection of the fact that we only have 30 observations, thus it is
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
hard to rule out the Poisson distribution.
(l) (5 points)
Fit a non-stationary Poisson process to the data using the hourly counts.
Your fitted rate function will take 8 different values, one for each one-hour period. Use plt.step()
or plt.bar()
to plot the fitted rate function as a piecewise constant function from 8AM to 4PM. Change the tick labels along the x-axis to show the times of
day.
In [ ]:
plt.bar([0, 1, 2, 3, 4, 5, 6, 7], arr_count_means)
plt.xticks(ticks=[0, 1, 2, 3, 4, 5, 6, 7], labels=["8a-9a", "9a-10a", "10a-11a", "11a-
12p","12p-1p","1p-2p","2p-3p","3p-4p"])
plt.xlabel(r"Time of Day ($t$)")
plt.ylabel(r"Arrival Rate $\lambda(t)$")
plt.title("Fitted Arrival Rate Function (1-Hour Periods)")
plt.show()
(m) (6 points)
Fit a non-stationary Poisson process to the data using the counts over consecutive 2-hour intervals; i.e., the combined intervals should be 8am-10am, 10am-
12pm, 12pm-2pm, and 2pm-4pm. This time your fitted rate function will take only 4 different values. Plot the fitted rate function as a piecewise constant function from 8AM to 4PM. Change the tick labels along the x-axis to show the times of day.
In [ ]:
# Combined arrival rate counts in consecutive 1-hour periods.
combined_means = [(arr_count_means[2 * i] + arr_count_means[2 * i + 1]) / 2 for i in range(4)]
# Division by 2 is necessary to insure that arrival rates are still measured in arrivals per hour. plt.bar([0, 1, 2, 3], combined_means)
plt.xticks(ticks=[0, 1, 2, 3], labels=["8a-10a", "10a-12p", "12p-2p", "2p-4p"])
plt.xlabel(r"Time of Day ($t$)")
plt.ylabel(r"Arrival Rate $\lambda(t)$")
plt.title("Fitted Arrival Rate Function (2-Hour Periods)")
plt.show()
(n) (2 points)
Of the two arrival rate functions you fitted in parts (l) and (m), which would you choose to use as input to a simulation model of the parking garage? Explain
your reasoning.
The answer depends on whether we believe the two peaks (between 9-11AM and between 1-3PM) shown in the hourly arrival rate function reflect the true non-
stationarity of the arrival process. The bihourly arrival rate function instead shows a simpler trend of decreasing arrival rates over the course of the day. The bihourly arrival rate function also averages some pairs of rates that are very different (8-9AM and 9-10AM as well as 10-11AM and 11AM-12PM). The hourly arrival rate function is preferable.
Related Questions
# 4
arrow_forward
can you please help with how to insert it into the calculator
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
PLEASE HELP ME WITH THISS!!
arrow_forward
HCAhdUBrYB cE2JgCq6lOpVi04Ymk5B6c/edit
h's scienc..
RendallStudents - h..
G Home Schoology
Quiz | ReadTheory
Classroom
M Frontier Academy..
8th
☆ 回
T
changing. Starting October 13, items will be automatically deleted forever after they've been in your tr
12
iberal Arts Math
Chapter 2
A
Name
Date
Block
1Non Calculator (must show work for all calculations)
1. Given U={1, 2, 3, 4, 5, 6, 7, 8, 9}, A = {2, 4, 6, 8} and B = {1, 2, 3, 4}
%3D
AUB
A nB
AUB
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
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
In IBM SPSS, what does clicking on this icon do?
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
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
Please note that this question consists of four parts. However you MUST show all the mathematical work/explanation to following questions. Just giving the answer without adequate work/explanation may result in zero for the question.
An online clothing company is keeping track of their customers purchases. Company also offers a credit card where customers get additional offers if they use that card when they make purchases from their online store. For those customers who has their credit card, the company has additional information such as age, yearly income, etc. The company management is interested in looking at the relationship between the income (in 1000s of dollars) and the total yearly purchases from their store for these credit card holders . They have gathered this information from a random sample of 42 credit card holders. Below provided is a partial MINITAB output for predicting the yearly purchases from the income.
Identify the response and the predictor variable in this…
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
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
>
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
still having a hard time figuring out how to insert it into the calculator
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
tleby
Dashboard - Chaffey College
HW 12
A Math 81, HW 12, Tavakoli, Sp22, X
Math 81, HW 12, Tavakoli, Sp22. X
PDF
File C:/Users/toria/Downloads/Math%2081,%20HW%2012,%20Tavakoli,%20Sp22,%20nc.pdf
Q To
rmissions. You may not have access to some features. View permissions
3.Find the rank and nullity of the matrix A by reducing it to row echelon
form.
1
-2
1
-1
-3
1
A =
-2
-1
1
-1
1
3 0 -4
3.
3.
arrow_forward
If something is not clear in the description and you need to make assumptions to make a decision, document the assumptions you make. Please read it carefully
The department of public works for a large city has decided to develop a Web-based pothole tracking and repair system (PHTRS). The department hired a new system analyst to analyse and design the web-based PHTRS. The analyst came up with the following description of their requirement:
Citizens can log onto a website to view and make potholes report. The report contains the location and severity of potholes. As potholes are reported they are logged with a "public works department repair system" and are assigned with the given data. The recorded potholes consist of information as follows:
an identifying number,
stored with street address,
size (on a scale of 1 to 10),
location (middle, curb, etc.),
district,
and repair priority (determined from the size of the pothole).
Further, a work order data is generated for each newly added…
arrow_forward
A miracosta.instructure.com
Topic: Homework Due Thursday, Feb 3, 2022
HW 1.2: Problem Solving Strategies
M Inbox (42) - willbradfordacademic@gmail.com - Gmail
b My Questions | bartleby
4 Tabs
2 Problem Solving Strategies
Math 28 HW - 4th Edition - Unit 1 - Problem Solving-1.pdf
L Download
A Alternative formats
O Info
X Close
Collected Links
Bookmarks
Reading List
Page of 35
ZOOM
+
Exercises:
2. Molly moves a couple blocks away from school, but still has the problem with the bully. Since
it's further away she has to leave earlier to get to school on time. Determine the number of
different shortest paths that are possible to get to school. From the picture, Molly is now 8 blocks
south and 2 blocks west of the school.
School
Molly
Math 28 – Homework Unit 1 – Page 2
3.
Solve a similar problem where Molly is now 12 blocks south and 2 blocks west of the school.
4. I Solve a similar problem where Molly is now 20 blocks south and 2 blocks west of the school.
5. If Molly lived 5 blocks south…
arrow_forward
There are six tutors, four juniors and two seniors, who must be assigned to the 6 hours that a math center is open each day. If each tutor works 1 hour per day, how many different tutoring schedules are possible under the following conditions? (See Example 4 in this section.)
(a)
if there are no restrictions
schedules
(b)
if the juniors tutor during the first 4 hours and the seniors tutor during the last 2 hours
arrow_forward
Please show all the steps
arrow_forward
Part 2
Multiple Choice. For each of the following strings of symbols, write in the
corresponding space:
"A" if the string of symbols is not a WFF in SL;
"B" if the string of symbols is WFF in SL, but it is ambiguous (assuming parentheses dropping
conventions); and
" if the string of symbols is a WFF that is unambiguous (given parentheses dropping
conventions).
1. P->(Qv(C&S))
2. (P→Q→R)&~S
3. ((FG)→(TvW&Z))
4. T&P→>(GvS)
5. (R>Rv~K
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
SEE MORE QUESTIONS
Recommended textbooks for you

Algebra for College Students
Algebra
ISBN:9781285195780
Author:Jerome E. Kaufmann, Karen L. Schwitters
Publisher:Cengage Learning

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

Mathematics For Machine Technology
Advanced Math
ISBN:9781337798310
Author:Peterson, John.
Publisher:Cengage Learning,
Related Questions
- # 4arrow_forwardcan you please help with how to insert it into the calculatorarrow_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_forward
- PLEASE HELP ME WITH THISS!!arrow_forwardHCAhdUBrYB cE2JgCq6lOpVi04Ymk5B6c/edit h's scienc.. RendallStudents - h.. G Home Schoology Quiz | ReadTheory Classroom M Frontier Academy.. 8th ☆ 回 T changing. Starting October 13, items will be automatically deleted forever after they've been in your tr 12 iberal Arts Math Chapter 2 A Name Date Block 1Non Calculator (must show work for all calculations) 1. Given U={1, 2, 3, 4, 5, 6, 7, 8, 9}, A = {2, 4, 6, 8} and B = {1, 2, 3, 4} %3D AUB A nB AUBarrow_forwardStructure.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
- YilIINVDQ6UM7xYVhdk%252Fakdvt9EeOsE8%252Fy11NyBX11f68q%252FbhZaws prtals Home-Canva Apex Learning-Co.. E Portfolio: Ornar Per.. ! My Simplify 2i - 7i + 10 91+10 -51+10arrow_forwardIn IBM SPSS, what does clicking on this icon do?arrow_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_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_forwardPlease note that this question consists of four parts. However you MUST show all the mathematical work/explanation to following questions. Just giving the answer without adequate work/explanation may result in zero for the question. An online clothing company is keeping track of their customers purchases. Company also offers a credit card where customers get additional offers if they use that card when they make purchases from their online store. For those customers who has their credit card, the company has additional information such as age, yearly income, etc. The company management is interested in looking at the relationship between the income (in 1000s of dollars) and the total yearly purchases from their store for these credit card holders . They have gathered this information from a random sample of 42 credit card holders. Below provided is a partial MINITAB output for predicting the yearly purchases from the income. Identify the response and the predictor variable in this…arrow_forwardTexas 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_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- Algebra for College StudentsAlgebraISBN:9781285195780Author:Jerome E. Kaufmann, Karen L. SchwittersPublisher:Cengage LearningElementary Geometry for College StudentsGeometryISBN:9781285195698Author:Daniel C. Alexander, Geralyn M. KoeberleinPublisher:Cengage LearningMathematics For Machine TechnologyAdvanced MathISBN:9781337798310Author:Peterson, John.Publisher:Cengage Learning,

Algebra for College Students
Algebra
ISBN:9781285195780
Author:Jerome E. Kaufmann, Karen L. Schwitters
Publisher:Cengage Learning

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

Mathematics For Machine Technology
Advanced Math
ISBN:9781337798310
Author:Peterson, John.
Publisher:Cengage Learning,