Loading...

Messages

Proposals

Stuck in your homework and missing deadline? Get urgent help in $10/Page with 24 hours deadline

Get Urgent Writing Help In Your Essays, Assignments, Homeworks, Dissertation, Thesis Or Coursework & Achieve A+ Grades.

Privacy Guaranteed - 100% Plagiarism Free Writing - Free Turnitin Report - Professional And Experienced Writers - 24/7 Online Support

Flowchart and pseudocode of program that doubles a number

04/12/2021 Client: muhammad11 Deadline: 2 Day

COLLEGE OF BUSINESS ADMINISTRATION

FALL 2017/2018

MISY 2312: Introductory to Programming

Credit Hours: 3.00

Final Project (30%)

Group Project

Instructor: Ms. Darin ElNakla

Due Date: 14/DEC/2017

Office number: F92

Email: delnakla@pmu.edu.sa

Tel No: 038498868

1. Draw a flowchart for the following:

a. Draw a flowchart or write pseudo code to represent the logic of a program that allows the user to enter a value. The program divides the value by 2 and outputs the result.

Start

Input myNumber

set myAnswer = myNumber/2

output myAnswer

b. Draw a flowchart or write pseudo code to represent the logic of a program that allows the user to enter a value for one edge of a cube. The program calculates the surface area of one side of the cube, the surface area of the cube, and its volume. The program outputs all the results.

start

input cubeSide A

set cubeSide A area = cubeSide A * cubeSide A

set totalSurFaceArea = 6 * cubeSide A area

set cubeVolume = cubeSide A * cubeSide A * cubeSide A

output cubeSide A area

output cubeVolume

output totalSurFaceArea

stop

c. Draw a flowchart or write pseudo code to represent the logic of a program that allows the user to enter two values. The program outputs the product of two values.

Start

Input number3

Input number7

Set answer = number3 * number7

Output answer

Stop

d. Draw a typical hierarchy chart for a program that pseudo code a monthly bill for a cell phone customer. Try to think of at least 10 separate modules that might be included. For example, one module might calculate the charge for daytime phone minutes used.

e. Draw a structured flowchart or write structured pseudo code describing how to do a load of laundry. Include at least two decisions and two loops.

Start

open washing machine door

while dirty clothes in the hamper is true

put dirty clothes in washing machine

endwhile

pour in detergent

if this is a cold load then

set temperature to cold

else

set temperature to warm/hot

endif if

fabric softener is needed then

pour in fabric softener

endif

close washing machine door

start washing machine

while the washing machine is running is true

wait for load to finish

endwhile

stop

f. Design a flowchart or pseudo code for a program that accepts two numbers from a user and displays one of the following messages: First is larger, Second is larger, Numbers are equal.

Start

Input first,second

If first is greater than second then

Output ”first is larger”

else

Output “second is larger”

If first=second then

Output “numbers are equal”

End if

Stop

2. Answer the following:

a. What output is produced by the following code fragment? Explain.

i. System. out. print(“Java ”)

System. out. print(“Programming”);

ii. System. out. println(“Java ”)

System. out. println(“Programming”);

b. Write a single Java program statement to display the text below and explain why it is written like that.

“A piano has

88 keys”

c. What output is produced by the following code fragments?

i. System. out. println (“Result : “+ 40+30);

ii. System. out. println (“Result : “+ (40+30));

d. What output is produced by the following code fragments?

i. System. out. println(“A \ “lable\ “ can contain either \n\ttext,

\n\tan image, or \n\tboth. ”);

e. What value is contained in the integer variable value after the following statements are executed?

value=16;

value=value+5;

value=value+1;

value=value/3;

f. What result is contained in the integer variable value after the following statements are executed?

value=10;

value +=10;

value *= value;

value /= value;

value -=10;

g. Given the following decelerations, what result is stored in each of the listed assignment statements?

int iResult, num1 = 25, num2 = 40, num3 = 17, num4 = 5;

double fResult, val1 = 17.0, val2 = 12.78;

i. iResult = num1 / num4;

ii. fResult = num1 / num4;

iii. iResult = num3 / num4;

iv. fResult = num3 / num4;

v. fResult = val1 / num4;

vi. fResult = val1 / val2;

vii. iResult = num1 / num2;

viii. fResult = (double) num1 / num2;

ix. fResult = num1 / (double) num2;

x. fResult = (double) (num1 / num2);

xi. iResult = (int) (val1 / num4);

xii. fResult = (int) (val1 / num4);

xiii. fResult = (int) ((double) num1 / num2);

xiv. iResult = num3 % num4;

xv. iResult = num2 % num3;

xvi. iResult = num3 % num2;

xvii. iResult = num2 % num4;

3) Write a Java statement to accomplish each of the following tasks:

a) Declare variables sum and x to be of type int.

b) Assign 1 to variable x.

c) Assign 0 to variable sum.

d) Add variable x to sum, and assign the result to variable sum.

e) Print “The sum is: “, followed by the value of variable sum.

a) int sum, x; b) x = 1; c) sum = 0; d) sum += x; or sum = sum + x; e) printf("The sum is: %d\n", sum);

4) Combine the statements that you wrote into a Java application that calculates and prints the sum of integer from 1 to 10. Use the while loop through the calculation and increment statements. The loop should terminate when the value of x become 11.

5) Write a java statement or a set of java statements to accomplish each of the following tasks:

a) Sum the odd integers between 1 and 99, using a for statement. Assume that the integers variables sum and count have been declared.

b) Calculate the value of 2.5 raised to the power of 3 using the pow method.

c) Print the integers from 1 to 20, using the while loop the counter variable i. Assume that the variable it has been declared, but no initialized. Print only five integers per line. [ Hint: Use the calculation i % 5. When the value of this expression is 0, print a newline character; otherwise, print a tab character. Assume that this code is an application. Use System.out.println(‘\t’)method to output the tab character .]

d) Repeat part (c), using for statement

1-

int sum;

int counter;

sum = 0;

for (counter = 1; counter <= 99; counter += 2)

sum += counter;

cout << "Sum of odd integers between 1 and 99 is: " << sum << endl << endl;

2-

value = pow (2.5, 3);

cout << fixed << setprecision (2) << setw (10) << value << endl << endl;

3-

int x;

x = 1;

while (x <= 20)

cout << x;

if (x % 5 == 0)

cout << "\n";

else

cout << "\t";

x++;

cout << endl;

4-

for (x = 1; x <= 20; x++)

cout << x;

if (x % 5 == 0)

cout << "\n";

else

cout << "\t";

cout << endl;

6) Write a java program that displays a student's status based on the following codes: Code Student Status 1 Freshman 2 Sophomore 3 Junior 4 Senior Your program should accept the code number as a user-entered input value and based on this value display the correct student status. If an incorrect code is entered, your program should display the string "An incorrect code was entered".

switch (code)

{

case 1:

status = "Freshman";

break;

case 2:

status = "Sophomore";

break;

case 3:

status = "Junior";

break;

case 4:

status = "Senior";

break;

produceCellPhoneBill()

computeTaxes()

calcLocalTax()

calcStateTax()

getUsageInfo()

computerText()

getCustomerInfo()

computerCalls()

printBill()

calcFedTax()

Homework is Completed By:

Writer Writer Name Amount Client Comments & Rating
Instant Homework Helper

ONLINE

Instant Homework Helper

$36

She helped me in last minute in a very reasonable price. She is a lifesaver, I got A+ grade in my homework, I will surely hire her again for my next assignments, Thumbs Up!

Order & Get This Solution Within 3 Hours in $25/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 3 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

Order & Get This Solution Within 6 Hours in $20/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 6 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

Order & Get This Solution Within 12 Hours in $15/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 12 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

6 writers have sent their proposals to do this homework:

Top Class Engineers
Essay Writing Help
Instant Homework Helper
Top Rated Expert
Top Class Results
Finance Master
Writer Writer Name Offer Chat
Top Class Engineers

ONLINE

Top Class Engineers

After reading your project details, I feel myself as the best option for you to fulfill this project with 100 percent perfection.

$41 Chat With Writer
Essay Writing Help

ONLINE

Essay Writing Help

As an experienced writer, I have extensive experience in business writing, report writing, business profile writing, writing business reports and business plans for my clients.

$22 Chat With Writer
Instant Homework Helper

ONLINE

Instant Homework Helper

I have read your project details and I can provide you QUALITY WORK within your given timeline and budget.

$18 Chat With Writer
Top Rated Expert

ONLINE

Top Rated Expert

After reading your project details, I feel myself as the best option for you to fulfill this project with 100 percent perfection.

$19 Chat With Writer
Top Class Results

ONLINE

Top Class Results

I will provide you with the well organized and well research papers from different primary and secondary sources will write the content that will support your points.

$26 Chat With Writer
Finance Master

ONLINE

Finance Master

I will be delighted to work on your project. As an experienced writer, I can provide you top quality, well researched, concise and error-free work within your provided deadline at very reasonable prices.

$45 Chat With Writer

Let our expert academic writers to help you in achieving a+ grades in your homework, assignment, quiz or exam.

Similar Homework Questions

Solve Problems about finance / need it within 24 hours - Class 2 Assessment 2,3, and 4 - Disability Comparison Template - This is america music video review - Cost volume profit analysis is used primarily by management - Capwell corporation uses a periodic inventory system - Niceic pocket guide 14 - Prepare an incremental analysis for cisco - Template of character reference - Lady audley's secret 2000 - What are some examples of involuntary groups - How do you calculate the field of view - Topic: Why students go to pubs and the key motivators - Asymptotes of inverse trig functions - 189 maryview drive webster ny - Identity development fund pty ltd - Pan flute length formula - Dr jean alligator song - Which of the following statements reflects the broad economic goal of equity? - Research - Why is wileyplus so expensive - Nutrition case study assignment - Sanyo ductless heat pump - Progress notes - Design an algorithm - Audience benefits and the you view - 2 hydroxybenzoic acid and ethanoic anhydride equation - Help with python code. need to convert the code given in the link to a python format for any 2 images. - Management - Cash receipts process flow chart - Ethical principles of nursing australia - For anyone - Improving Healthcare - Creating a Strategy - Hospital case mix index calculation - Difference between hcf and lcm - 2. what is the purpose of anti-drug legislation in relation to public order crime? - Navy small boat coxswain pqs - Cisco camera control cable - Case Study - Can you complete my discussion for me? - Cisco monitor with camera - I prefer simple work related assignments agree or disagree - Higgins mill tumbled leather reddit - Athenaze 3rd edition pdf - Item difficulty in psychological testing - Developing your theoretical orientation in counseling - How many atoms are in silicon - St clements surgery birmingham - Buell 1125cr service manual - Kant problem of induction - What is a competitive profile matrix - English - Swansea bay campus accommodation - Ernie dances to the didgeridoo lesson plan - Academic integrity essay - Juniper m10i hardware guide - I have 1100 words file and I want you to rephrase or rewrite it . - 21st century pedagogy nsw - Specification of fluorescent lamp - The price of pens and pencils falls dramatically - Field instrument installation procedure - Conventions of a narrative - 4-1 Discussion: Growth Opportunities for Not-for-Profit Organizations - Laissez-faire leadership represents the absence of leadership. - Pan flute length formula - Data wrangling cheat sheet - Preparing an Operating Budget - Gypsum panel house construction in kerala - 10 dq crystal field theory - What is the value of simple staining - Arrow shooting greek god - Data design a simple introduction to preparing and visualizing information - Control joints in plasterboard walls - X60 bus timetable buckingham to milton keynes - Yyi - Webcam input or output - The pact three doctors full movie - Unit 6 homework 5 parts of similar triangles - Purchase order approval process flowchart - Intake manifold runner control circuit - Global health-Case study - Wireshark lab dns v7 0 solution - Extended matching questions anatomy - Umuc haircuts stage 1 - Stepping stone pty ltd islington - Workbook to accompany anatomy and physiology revealed 3.0 answer key - Riverview community hospital case study answers - Lukas foss oboe concerto - Resistors in series worksheet - How to make a mousetrap car step by step - Scientific notation worksheet doc - What are the disadvantages of buying a franchise comparing to setting up a new business ? - Beta management company case excel - Acu grad cert religious education - Partnership act 1892 nsw - Cross product of complex vectors - They say i say across disciplines 4th edition pdf - Why are prefixes not needed in naming ionic compounds - Imam abdulrahman bin faisal university blackboard