BME 335 - Homework 3 - Solutions
.pdf
keyboard_arrow_up
School
University of Texas *
*We aren’t endorsed by this school
Course
335
Subject
Mechanical Engineering
Date
Dec 6, 2023
Type
Pages
13
Uploaded by DrSteelSquid41
BME 335 – HOMEWORK 3 Due Sept 16, 2022 at 11:59 pm on Gradescope Homework should be completed individually. Homework is graded out of 60 pts. There is a total of 120 pts possible in this homework set. You may do as many problems as you want to earn as many points as possible, with a maximum score of 60 points. For example, if you earn 50 pts, your score will be 50/60. If you earn 70 pts, your score will be 60/60. If you earn 120 pts, your score will be 60/60. It is to your advantage to try as many problems as possible to maximize your score. NOTE: All problem narratives are fictitious unless otherwise indicated.
1. In the accompanying graph of a normal distribution, each
of the two red areas represent 1/6 of the area under the curve. Estimate the following quantities from the graph. [10 pts] 1.1.
The mean [2 pts] 14 1.2.
The mode [2 pts] 14 (because for a normal probability density the most common value is the mean) 1.3.
The median [2 pts] 14 (because the normal probability density is symmetric about the mean) 1.4.
The standard deviation [2 pts] 2 (since 2*1/6 = 1/3 of the data lies outside the range [12,16], and we know approximately 2/3 of the data lie within one standard deviation of the mean, the standard deviation is approximately equal to 2) 1.5.
The variance [2 pts] 4 (the square of the standard deviation) 2. Consider the following: [10 pts] 2.1.
Sketch the probability density function for a variable with a normal distribution with mean equal to 14 cm and variance of 4 cm
2
. Label the axes appropriately and mark on the x-axis what the mean is. [3 pts] See below plot (blue line) 2.2.
Add to your sketch the probability density function for the means of samples taken from the above distribution, if each sample was a random sample of size n = 10
. [3 pts] See below plot (red line) Intuition and Comprehension [30 pts]
2.3.
How does the mean of the sampling distribution relate to the mean of the original distribution (i.e. 14 cm)? How does the standard deviation of the sampling distribution relate to the standard deviation of the original distribution? [4 pts] The mean of the sampling distribution is the same as the mean of the original distribution. The standard deviation of the sampling distribution is scaled by the square-root of the sample size, and thus is always smaller than that of the original distribution. In this case, the standard deviation of the sampling distribution is √
10
= 3.16x smaller. 3. Dr. Anita Petty is interested in how white blood cell counts change during infection of the Marburg virus. In a cohort of mice, she measures white blood cell prior to infection and after infection, and computes a normalized differential white blood cell count (([Before infection] – [After infection])/[Before infection]). Let X be the continuous variable used to describe the normalized differential white blood cell count for a mouse in the research study. 3.1.
What is Pr(|X| > 2)? Write your answer in terms of probability statements without absolute values. [3 pts] Pr(|X| > 2) = Pr(X < -2 or X > 2) = Pr(X < -2) + Pr(X > 2) since events are mutually exclusive 3.2.
Dr. Petty determines that the normalized differential white blood cell counts follow a standard normal distribution. Using this information, solve for Pr(|X| > 2). Use R (hint: use pnorm()
function) or a statistical table to get a final numerical value. [3 pts] Pr(|X| > 2) = Pr(X < -2) + Pr(X > 2) = 0.0228 + 0.0228 = 0.0456 3.3.
Dr. Petty realized that actually data is best described with a normal distribution with mean 0 and standard deviation 1.2 (rather than 1). Would this make the probability computed above smaller or larger? Why? [4 pts] Since higher standard deviation means more spread, increasing the standard deviation will make the probability computed above larger because there is more area in the tails. 4. The following data are temperatures (in Fahrenheit) reported from a random of days during the time period July 1, 2022 – Aug 31, 2022. Use this data to complete the following problems. [10 pts] R Application [30 pts]
Temperatures: 79, 80, 82, 83, 86, 85, 86, 86, 88, 87, 87, 89, 89, 90, 92, 94, 92, 94, 96, 95, 95, 95, 96, 98, 98, 98, 101, 103, 101, 102, 99, 98, 100, 98, 100 4.1.
In R, compute the sample mean and sample standard deviation for the temperature data. Provide the code and values in your answer. [2 pts] ################################################ # Problem 4.1 - Descriptive statistics ############################################### # Load data from csv file. Data has header "Temps". temp_data <- read.csv(file = "temperatures_in_austin.csv", header = TRUE, sep = ",",stringsAsFactors=FALSE) # Compute sample mean mean_temp <- mean(temp_data$Temps) # 92.63 # Compute the standard error sd_temp <- sd(temp_data$Temps) # 6.71 4.2.
In R, compute the standard error of the mean for your sample estimate. Provide the code and value in your answer. [1 pts] ################################################ # Problem 4.2 - SEM ############################################### sem_temp <- sd_temp/sqrt(length(temp_data$Temps)) # 1.13 4.3.
In R, generate a set of random numbers of the same size as the original sample. Generate these values from a normal distribution with mean and standard deviation equal to your sample estimates from 4.1 (hint: use rnorm()
function). Compute the mean of this random set of value. Provide the code and values in your answer. [2 pts] ################################################ # Problem 4.3 - Random values ############################################### # determine number of original values n <- length(temp_data$Temps) # 35 # generate random values random_num <- rnorm(n, mean = mean_temp, sd = sd_temp) # compute mean of random values mean_random_num <- mean(random_num) # 94.00 *Note: values for mean will vary since it comes from randomly generated values. 4.4.
In R, repeat 4.3 a hundred times, i.e. make 100 sets of randomly generated values, with each set the same size as the original population. For each set, compute the mean. Generate a histogram of the mean values. What does this histogram describe? Provide the code and figure in your answer. [5 pts] The histogram describes the sampling distribution of the sample means for the randomly generated values. Since the original sample values are normally distributed and have a large sample size, we expect this histogram to also look approximately normal.
################################################ # Problem 4.4 - Histogram ############################################### # Define parameters num_sets <- 100 # number of sets of random values mean_random_num <- rep(NA,num_sets) # placeholder variable for probabilities # Use for loop to generate each set of random values for (i in 1:num_sets) { # Generate random values random_num <- rnorm(n, mean = mean_temp, sd = sd_temp) # Compute mean for each set mean_random_num[i] <- mean(random_num) } # Make histogram hist(mean_random_num, main= "Frequency Distribution of Sample Means", xlab="Sample means of randomly generated temps (F)", ylab="Frequency", xlim = c(85, 100),ylim = c(0, 20), breaks = 10) # Save plot dev.copy(png,'Figure4-4.png') dev.off() *Note: plots will vary since it comes from randomly generated values. 5. Dr. Yasemin Avalos collected the following measurements of diameter growth rates of malignant tumors in mm/day. Use these data to answer the following questions. [10 pts] Tumor growth rates: 0.0, 0.1, 0.1, 0.3, 0.4, 0.4, 0.4, 0.5, 0.5, 0.5, 0.6, 0.6, 0.7, 0.7, 0.7, 0.7, 0.8, 0.8, 0.8, 1.2, 1.2, 1.3, 1.4, 1.6, 1.9, 2.0, 2.1, 2.1, 2.2, 2.2, 2.3 2.4, 2.5, 2.5, 2.7, 2.7, 2.7, 2.7, 2.8, 3.1
5.1.
In R, make a histogram showing the frequency distribution of the data. Provide the code and figure in your answer. [2 pts] ################################################ # Problem 5.1 - MAke histogram ############################################### # Load data from csv file. Data has header "GrowthRate". tumor_data <- read.csv(file = "tumor_growth_rates.csv", header = TRUE, sep = ",",stringsAsFactors=FALSE) # Make histogram hist(tumor_data$GrowthRate, main= "Frequency Distribution for Tumor Growth Rates", xlab="Tumor growth rates (mm/day)", ylab="Frequency", xlim = c(0, 3.5),ylim = c(0, 15), breaks = 10) # Save plot dev.copy(png,'Figure5-1.png') dev.off() 5.2.
In R, compute the mean and variance of the data. Provide the code and values in your answer. [2 pts] ################################################ # Problem 5.2 - Descriptive statistics ############################################### # Compute descriptive statistics mean_tumor <- mean(tumor_data$GrowthRate) # 1.38 var_tumor <- var(tumor_data$GrowthRate) # 0.9006 5.3.
In R, randomly generate 40 values from a normal distribution with mean and variance as computed in 5.2. Make a frequency distribution plot from these values. Provide the code and figure in your answer. [3 pts]
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
This is an engineering problem and not a writing assignment. Please Do Not Reject. I had other engineering tutors on bartleby help me with problems similar to this one.
This problem must be presented in a logical order showing the necessary steps used to arrive at an answer. Each homework problem should have the following items unless otherwise stated in the problem:
a. Known: State briefly what is known about the problem.
b. Schematic: Draw a schematic of the physical system or control volume.
c. Assumptions: List all necessary assumptions used to complete the problem.
d. Properties: Identify the source of property values not given to you in the problem. Most sources will be from a table in the textbook (i.e. Table A-4).
e. Find: State what must be found.
f. Analysis: Start your analysis with any necessary equations. Develop your analysis as completely as possible before inserting values and performing the calculations. Draw a box around your answers and include units and follow an…
arrow_forward
please help solve A-F. thank you
You are an engineer working on a project and your prototype has failed prematurely. You question whether or not a key component of the prototype was manufactured with the correct material. There are two way to check for the material properties. The first way is to have a material certification done to confirm the exact material composition. This will take some time. The second method to confirm the material properties is to make an ASTM test sample and test for the material properties. This tensile test was completed on a test sample with an initial diameter of .501” and an initial length of 2”. The Load-Deflection data for this tensile test is below. Use this data to answer the first set of questions on the Final Exam in eLearning. A. Determine the Ultimate Tensile Strength B. Determine the 0.2% Offset Yield Strength C. Determine the value of the Proportional Limit D. Determine the Modulus of Elasticity E. Determine the Strain at Yield F. Calculate %…
arrow_forward
I need problems 6 and 7 solved.
I got it solved on 2 different occasions and it is not worded correctly.
NOTE: Problem 1 is an example of how it should be answered. Below are 2 seperate links to same question asked and once again it was not answered correctly. 1. https://www.bartleby.com/questions-and-answers/it-vivch-print-reading-for-industry-228-class-date-name-review-activity-112-for-each-local-note-or-c/cadc3f7b-2c2f-4471-842b-5a84bf505857
2. https://www.bartleby.com/questions-and-answers/it-vivch-print-reading-for-industry-228-class-date-name-review-activity-112-for-each-local-note-or-c/bd5390f0-3eb6-41ff-81e2-8675809dfab1
arrow_forward
SUBJECT COURSE: ERGONOMICS
REQUIRED: CONCLUSION AND RECOMMENDATION
FOR THE FOLLOWING SCENARIO: (should be 2
paragraphs with 7 sentences each)
We carried out a lab experiment on the stroop test.
According to the results of our analysis using Minitab
ANOVA, there was no error made when we were
carrying out the task.
here are the objectives of the task:
Students should be able to:
1. Understand how human brains process information.
2. Demonstrate compatibility and interference issues.
3. Determine how noise or interference affects
perception.
arrow_forward
I need answers to problems 7, 8, and 9.
NOTE: Please stop wasting my time and yours by rejecting my question because it DOES NOT REQUIRE YOU TO DRAW anything at all. They are simple questions pertaining to the print provided. READ THE INSTRUCTIONS of the assignment before you just reject it for a FALSE reason or leave it for someone to answer that actually wants to do their job. Thanks.
arrow_forward
Please double check before rejecting this question. If it needs to be rejected, please explain why as I cannot see how this is a breach of the honor code.
This is a questions from the previous year's exam at my university in Engineering Science. I have submitted a solution given to us for study purposes as proof that I will not be graded on this assessment.
In this solution, the formula (2gh)1/2 is used to find the solution, but I am on familliar with Bernoulli's Principle (P=1/2pv^2+pgh), and I was not able to find a solution using this. My solution incurred an error when I found that I had two unkown variables left that I could not break down in any meaningful way. (Velocity being the desired variable, Pressure being the problematic variable). Pressure = Force x Area, but I don't know enough about the dimensions of the tank or tap to be able to understand this.
Thank you for your help.
arrow_forward
I need parts 1, 2, and 3 answered pertaining to the print provided.
NOTE: If you refuse to answers all 3 parts and insist on wasting my question, then just leave it for someone else to answer. I've never had an issue until recently one single tutor just refuses to even read the instructions of the question and just denies it for a false reasons or drags on 1 part into multiple parts for no reason.
arrow_forward
J 6
arrow_forward
Q1- Answer or complete the following questions using the information from
your text book: (Story time)
1- Where are Bob and Basim going?
2- ( Bob/ Basim) is telling the story. (Choose)
3- How many unlucky things happen to Bob?
arrow_forward
Please answer complete question
arrow_forward
I need parts 8, 9, and 10 answered. Number 1 is an example of how it should be answered.
NOTE: Read the instructions, no where does it say any drawing is required. It is really frustrating when I wait all this time for an answer to a question and some tutor does even read the instructions and just declines it...its ridicilous.
arrow_forward
Josh and Jake are both helping to
build a brick wall which is 6 meters in
height. They lay 250 bricks each, but
Josh finishes this task in three (3)
hours while Jake requires 4.5 hours
to complete his part. select the BEST
response below:
Jake does more work than Josh
O Josh does more work than Jake
Both Josh and Jake do the same amo
O of work and have the same amount of
power
Both Josh and Jake does the same
O amount of work, however, Josh has m
power than Jake.
arrow_forward
Full Answer PLEASE!.
Answer Q 3 and 4 PLease
Don't copy from the internet. PLEASE WRITE YOUR OWN WORDS
THANK YOU
arrow_forward
I need answers to questions 7, 8, and 9 pertaining to the print provided.
Note: A tutor keeps putting 1 question into 3 parts and wasted so many of my questions. Never had a issue before until now, please allow a different tutor to answer because I was told I am allowed 3 of these questions.
arrow_forward
ASAP, answer both to get a like.
arrow_forward
3 and 4
arrow_forward
Do not give answer in image and hand writing
arrow_forward
Solve all parts
arrow_forward
I need help with this before tomorrow’s exam if I can get all needed calculations please
arrow_forward
I have the answer but I need to much sure
arrow_forward
Please make the charts for the questions. Please refer to Successful Project Management (7th Edition). Attached is the example
Thank you.
arrow_forward
I Review
Learning Goal:
To be able to find the center of gravity, the center of
mass, and the centroid of a composite body.
Part A
A centroid is an object's geometric center. For an object
of uniform composition, its centroid is also its center of
mass. Often the centroid of a complex composite body is
found by, first, cutting the bodyng the weighted average
Find the area of the body. (Figure 1)
Express your answer numerically in feet squared to three significant figures.
into regular shaped
segments, and then by calculating i
of the segments' centroids.An object is made from a
uniform piece of sheet metal. The object has dimensions
of a = 1.55 ft , where a is the diameter of the semi-
circle,b = 3.74 ft, and c = 2.35 ft . A hole with diameter
d = 0.750 ft is centered at (1.26, 0.775).
> View Available Hint(s)
Vol AEO It vec
?
A =
ft?
Submit
Part B
Find a, the a-coordinate of the body's centroid. (Figure 1)
Express your answer numerically in feet to three significant figures.
> View…
arrow_forward
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
SOLVE CAREFULLY!! Please Write Clearly and Box the final Answer for Part A, Part B with THE CORRECT UNITS! Thank you Express your answer to three significant figures and include appropriate units.
arrow_forward
Asap within 17 minutes plz solve all 3 parts as they are interrelated. voteup thanks
arrow_forward
PLEASE ANSWER THIS QUESTION ASAP!!!
arrow_forward
Question 20 of 20 <
A Water Balloon Battle. You are launching water balloons at a rival team using a large slingshot. The other team is set up on the
opposite side of a flat-topped building that is 30.0 ft tall and 50.0 ft wide. Your reconnaissance team has reported that the opposition is
set up 10.0 m from the wall of the building. Your balloon launcher is calibrated for launch speeds that can reach as high as 100 mph at
angles between 0 and 85.0° from the horizontal. Since a direct shot is not possible (the opposing team is on the opposite side of the
building), you plan to splash the other team by making a balloon explode on the ground near them.
If your launcher is located 55.0 m from the building (opposite side as the opposing team), what should your launch velocity be ((a)
magnitude and (b) direction) to land a balloon 5.0 meters beyond the opposing team with maximum impact (i.e. maximum vertical
speed)?
(a) Number i
(b) Number i
Units
Units
UNITS CHOICES: no units, degrees, s,…
arrow_forward
I will rate you with “LIKE/UPVOTE," if it is COMPLETE STEP-BY-STEP SOLUTION.
If it is INCOMPLETE SOLUTION and there are SHORTCUTS OF SOLUTION, I will rate you with “DISLIKE/DOWNVOTE.”
THANK YOU FOR YOUR HELP.
PS: If you have answered this already, DON'T ANSWER IT AGAIN; give chance to OTHER EXPERTS to answer it. I want to verify if all of you will arrive in the same final answer; thats why I ask it multiple times. If you answer it again, i'll DISLIKE all your entries/answers.
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
Elements Of Electromagnetics
Mechanical Engineering
ISBN:9780190698614
Author:Sadiku, Matthew N. O.
Publisher:Oxford University Press
Mechanics of Materials (10th Edition)
Mechanical Engineering
ISBN:9780134319650
Author:Russell C. Hibbeler
Publisher:PEARSON
Thermodynamics: An Engineering Approach
Mechanical Engineering
ISBN:9781259822674
Author:Yunus A. Cengel Dr., Michael A. Boles
Publisher:McGraw-Hill Education
Control Systems Engineering
Mechanical Engineering
ISBN:9781118170519
Author:Norman S. Nise
Publisher:WILEY
Mechanics of Materials (MindTap Course List)
Mechanical Engineering
ISBN:9781337093347
Author:Barry J. Goodno, James M. Gere
Publisher:Cengage Learning
Engineering Mechanics: Statics
Mechanical Engineering
ISBN:9781118807330
Author:James L. Meriam, L. G. Kraige, J. N. Bolton
Publisher:WILEY
Related Questions
- This is an engineering problem and not a writing assignment. Please Do Not Reject. I had other engineering tutors on bartleby help me with problems similar to this one. This problem must be presented in a logical order showing the necessary steps used to arrive at an answer. Each homework problem should have the following items unless otherwise stated in the problem: a. Known: State briefly what is known about the problem. b. Schematic: Draw a schematic of the physical system or control volume. c. Assumptions: List all necessary assumptions used to complete the problem. d. Properties: Identify the source of property values not given to you in the problem. Most sources will be from a table in the textbook (i.e. Table A-4). e. Find: State what must be found. f. Analysis: Start your analysis with any necessary equations. Develop your analysis as completely as possible before inserting values and performing the calculations. Draw a box around your answers and include units and follow an…arrow_forwardplease help solve A-F. thank you You are an engineer working on a project and your prototype has failed prematurely. You question whether or not a key component of the prototype was manufactured with the correct material. There are two way to check for the material properties. The first way is to have a material certification done to confirm the exact material composition. This will take some time. The second method to confirm the material properties is to make an ASTM test sample and test for the material properties. This tensile test was completed on a test sample with an initial diameter of .501” and an initial length of 2”. The Load-Deflection data for this tensile test is below. Use this data to answer the first set of questions on the Final Exam in eLearning. A. Determine the Ultimate Tensile Strength B. Determine the 0.2% Offset Yield Strength C. Determine the value of the Proportional Limit D. Determine the Modulus of Elasticity E. Determine the Strain at Yield F. Calculate %…arrow_forwardI need problems 6 and 7 solved. I got it solved on 2 different occasions and it is not worded correctly. NOTE: Problem 1 is an example of how it should be answered. Below are 2 seperate links to same question asked and once again it was not answered correctly. 1. https://www.bartleby.com/questions-and-answers/it-vivch-print-reading-for-industry-228-class-date-name-review-activity-112-for-each-local-note-or-c/cadc3f7b-2c2f-4471-842b-5a84bf505857 2. https://www.bartleby.com/questions-and-answers/it-vivch-print-reading-for-industry-228-class-date-name-review-activity-112-for-each-local-note-or-c/bd5390f0-3eb6-41ff-81e2-8675809dfab1arrow_forward
- SUBJECT COURSE: ERGONOMICS REQUIRED: CONCLUSION AND RECOMMENDATION FOR THE FOLLOWING SCENARIO: (should be 2 paragraphs with 7 sentences each) We carried out a lab experiment on the stroop test. According to the results of our analysis using Minitab ANOVA, there was no error made when we were carrying out the task. here are the objectives of the task: Students should be able to: 1. Understand how human brains process information. 2. Demonstrate compatibility and interference issues. 3. Determine how noise or interference affects perception.arrow_forwardI need answers to problems 7, 8, and 9. NOTE: Please stop wasting my time and yours by rejecting my question because it DOES NOT REQUIRE YOU TO DRAW anything at all. They are simple questions pertaining to the print provided. READ THE INSTRUCTIONS of the assignment before you just reject it for a FALSE reason or leave it for someone to answer that actually wants to do their job. Thanks.arrow_forwardPlease double check before rejecting this question. If it needs to be rejected, please explain why as I cannot see how this is a breach of the honor code. This is a questions from the previous year's exam at my university in Engineering Science. I have submitted a solution given to us for study purposes as proof that I will not be graded on this assessment. In this solution, the formula (2gh)1/2 is used to find the solution, but I am on familliar with Bernoulli's Principle (P=1/2pv^2+pgh), and I was not able to find a solution using this. My solution incurred an error when I found that I had two unkown variables left that I could not break down in any meaningful way. (Velocity being the desired variable, Pressure being the problematic variable). Pressure = Force x Area, but I don't know enough about the dimensions of the tank or tap to be able to understand this. Thank you for your help.arrow_forward
- I need parts 1, 2, and 3 answered pertaining to the print provided. NOTE: If you refuse to answers all 3 parts and insist on wasting my question, then just leave it for someone else to answer. I've never had an issue until recently one single tutor just refuses to even read the instructions of the question and just denies it for a false reasons or drags on 1 part into multiple parts for no reason.arrow_forwardJ 6arrow_forwardQ1- Answer or complete the following questions using the information from your text book: (Story time) 1- Where are Bob and Basim going? 2- ( Bob/ Basim) is telling the story. (Choose) 3- How many unlucky things happen to Bob?arrow_forward
- Please answer complete questionarrow_forwardI need parts 8, 9, and 10 answered. Number 1 is an example of how it should be answered. NOTE: Read the instructions, no where does it say any drawing is required. It is really frustrating when I wait all this time for an answer to a question and some tutor does even read the instructions and just declines it...its ridicilous.arrow_forwardJosh and Jake are both helping to build a brick wall which is 6 meters in height. They lay 250 bricks each, but Josh finishes this task in three (3) hours while Jake requires 4.5 hours to complete his part. select the BEST response below: Jake does more work than Josh O Josh does more work than Jake Both Josh and Jake do the same amo O of work and have the same amount of power Both Josh and Jake does the same O amount of work, however, Josh has m power than Jake.arrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- Elements Of ElectromagneticsMechanical EngineeringISBN:9780190698614Author:Sadiku, Matthew N. O.Publisher:Oxford University PressMechanics of Materials (10th Edition)Mechanical EngineeringISBN:9780134319650Author:Russell C. HibbelerPublisher:PEARSONThermodynamics: An Engineering ApproachMechanical EngineeringISBN:9781259822674Author:Yunus A. Cengel Dr., Michael A. BolesPublisher:McGraw-Hill Education
- Control Systems EngineeringMechanical EngineeringISBN:9781118170519Author:Norman S. NisePublisher:WILEYMechanics of Materials (MindTap Course List)Mechanical EngineeringISBN:9781337093347Author:Barry J. Goodno, James M. GerePublisher:Cengage LearningEngineering Mechanics: StaticsMechanical EngineeringISBN:9781118807330Author:James L. Meriam, L. G. Kraige, J. N. BoltonPublisher:WILEY
Elements Of Electromagnetics
Mechanical Engineering
ISBN:9780190698614
Author:Sadiku, Matthew N. O.
Publisher:Oxford University Press
Mechanics of Materials (10th Edition)
Mechanical Engineering
ISBN:9780134319650
Author:Russell C. Hibbeler
Publisher:PEARSON
Thermodynamics: An Engineering Approach
Mechanical Engineering
ISBN:9781259822674
Author:Yunus A. Cengel Dr., Michael A. Boles
Publisher:McGraw-Hill Education
Control Systems Engineering
Mechanical Engineering
ISBN:9781118170519
Author:Norman S. Nise
Publisher:WILEY
Mechanics of Materials (MindTap Course List)
Mechanical Engineering
ISBN:9781337093347
Author:Barry J. Goodno, James M. Gere
Publisher:Cengage Learning
Engineering Mechanics: Statics
Mechanical Engineering
ISBN:9781118807330
Author:James L. Meriam, L. G. Kraige, J. N. Bolton
Publisher:WILEY