Write a GUI-based program that plays a guess-the-number game in which the roles of the computer and the user are the reverse of what they are in the Case Study of this chapter. In this version of the game, the computer guesses a number between 1 (lowerBound) and 100 (upperBound) and the user provides the responses. The window should display the

Answers

Answer 1

Answer:

In C#

See attachment 1 for program interface

See attachment 2 for complete program source code

Explanation:

First, define a function to generate random numbers

int cguess; ---> This declares computer guess as integer

void randomGen()         {

Clear both text boxes -- for the computer and the user

           textBox1.Text = string.Empty;  

           textBox2.Text = string.Empty;

Generate a new random number

           Random rnd = new Random();

           cguess = rnd.Next(1, 101);         }

Write the following code segment in the submit button click event

If user guess equals computer guess

  if(Convert.ToInt32(textBox2.Text) == cguess)             {

Display the computer guess

               textBox1.Text = cguess.ToString();

Display a congratulatory message

               MessageBox.Show("Congrats!!\nProceed to new game");

Call the randomGen function

               randomGen();            }

If otherwise, print too big or too small, as the case may be

           else if (Convert.ToInt32(textBox2.Text) > cguess)

           {                MessageBox.Show("Too big")}

           else            {                MessageBox.Show("Too small");         }

Write the following in the form load event. So that the computer starts the game immediately the form loads

randomGen();

Write the following in the new game click event. So that the computer starts begins a new game immediately the new game button is clicked

randomGen();

Write A GUI-based Program That Plays A Guess-the-number Game In Which The Roles Of The Computer And The

Related Questions

A low price point is an example of a ________. Choose one.

Answers

Answer:

of a bad product

Explanation:

Write a function which takes in a list lst, an argument entry, and another argument elem. This function will check through each item present in lst to see if it is equivalent with entry. Upon finding an equivalent entry, the function should modify the list by placing elem into the list right after the found entry. At the end of the function, the modified list should be returned. See the doctests for examples on how this function is utilized. Use list mutation to modify the original list, no new lists should be created or returned.

Answers

Answer:

Explanation:

The following code was written in Python and creates a function called add_elements . Whenever it finds the value within the lst that has the same entry it inserts the elem variable right infront of the entry within the list and breaks out of the loop. Finally, the function returns the newly modified list back to the user.

def add_element(lst, entry, elem):

   for value in lst:

       if value == entry:

           lst.insert(lst.index(value) + 1, elem)

           break

   return lst

In this exercise we have to use the knowledge of computational language in python to write the code.

the code can be found in the attachment.

In this way we have that the code in python can be written as:

def add_element(lst, entry, elem):

  for value in lst:

      if value == entry:

          lst.insert(lst.index(value) + 1, elem)

          break

  return lst

See more about python at brainly.com/question/26104476

In order to restrict editing to a document, a user will go to Review, , Restrict Editing, and will then select what kinds of editing are allowed.

Answers

Answer: drafting

Explanation:

digital learning can help students who enjoy

structure and face to face interaction
flexibility and independence
homework and test
classrooms and support

Answers

Answer:

B

Explanation:

Hope this helps! :)

The digital learning can help students who enjoy classrooms and support. The correct option is 4.

What is digital learning?

Digital learning can be defined as a type of education in which the internet, a computer, or a network of computers, and softwares are used to connect students and teachers in order to provide educational services.

Digital learning brings together facilities such as classrooms and support in an effort to help and provide the necessary assistance to students who have chosen the digital medium but still enjoy the comfort of structure and face-to-face interaction.

Regardless of their learning style or preference, digital learning can benefit a variety of students.

It offers a variety of tools and resources to improve the learning experience while also accommodating various schedules and needs.

Thus, the correct option is 4.

For more details regarding digital learning, visit:

https://brainly.com/question/20008030

#SPJ7

We can easily improve the formula by approximating the area under the function f(x) by two equally-spaced trapezoids. Derive a formula for this approximation and implement it in a function trapezint2( f,a,b ).

Answers

Answer:

Explanation:

[tex]\text{This is a math function that is integrated using a trapezoidal rule } \\ \\[/tex]

[tex]\text{import math}[/tex]

def [tex]\text{trapezint2(f,a,b):}[/tex]

      [tex]\text{midPoint=(a+b)/2}[/tex]

       [tex]\text{return .5*((midPoint-a)*(f(a)+f(midPoint))+(b-midPoint)*(f(b)+f(midPoint)))}[/tex]

[tex]\text{trapezint2(math.sin,0,.5*math.pi)}[/tex]

[tex]0.9480594489685199[/tex]

[tex]trapezint2(abs,-1,1)[/tex]

[tex]1.0[/tex]

In this exercise we have to use the knowledge of computational language in python to write the code.

the code can be found in the attachment.

In this way we have that the code in python can be written as:

   h = (b-a)/float(n)

   s = 0.5*(f(a) + f(b))

   for i in range(1,n,1):

       s = s + f(a + i*h)

   return h*s

from math import exp  # or from math import *

def g(t):

   return exp(-t**4)

a = -2;  b = 2

n = 1000

result = Trapezoidal(g, a, b, n)

print result

See more about python at brainly.com/question/26104476

Assume we have two lists, list A and list B. List A contains the numbers [20,10,20], while list B contains the numbers [40,10,30,20,40,30]. We choose one number from list A randomly and one number from list B randomly. What is the chance that the number we drew from list A is larger than or equal to the number we drew from list B

Answers

Answer:

5/ 18

Explanation:

Given :

List A: [20,10,20]

List B: [40,10,30,20,40,30]

Chance that number drawn from list A is larger than or equal to that drawn dlfrom list B.

If:

A = 20

B ≤ 20 : [10,20] = 2

A = 10

B ≤ 10 : [10] = 1

A = 20

B ≤ 20 : [10,20] = 2

Probability = Required outcome / Total possible outcomes

Hence,

required outcome = (2 + 2 +1) = 5

Total possible outcomes = 3C1 * 6C1 = (3 * 6) = 18

Hence,

chance that the number we drew from list A is larger than or equal to the number we drew from list B

= 5 / 18

In this exercise we have to use the knowledge in computational language in python to describe a code that best suits, so we have:

The code can be found in the attached image.

To make it simpler we can write this code as:

import random

A=[20,10,20]

B=[40,10,30,20,40,30]

print(random.choice(A))

print(random.choice(B))

See more about python at brainly.com/question/19705654

why must a satellite have distinct uplink and downlink frequencies.​

Answers

Answer:

The reason that a satellite must have a distinct uplink and downlink set of frequencies is because they help avoid any type of interference that may occur. The uplink receives the signal and amplifies it so that it can be transmitted to another frequency (downlink).

does anybody know how to do 6.3 code practice on edhesive. NEED ASAP!!!​

Answers

Answer:

Hopes this helps if not comment and I'll change it

Explanation:

import simplegui

import random

def draw_handler(canvas):

for i in range (0, 1000):

x = random.randint(1, 600)

y = random.randint(1, 600)

r = random.randint(0, 255)

g = random.randint(0, 255)

b = random.randint(0, 255)

color = "RGB( " + str(r) + "," + str(g) + "," + str(b) + ")"

canvas.draw_point((x, y), color)

frame = simplegui.create_frame('Points', 600, 600)

frame.set_canvas_background("Black")

frame.set_draw_handler(draw_handler)

frame.start()

Look at the following assignment statements:

word1 = "rain"
word2 = "bow"

What is the correct way to concatenate the strings?

1 newWord = word1 == word2

2 newWord = word1 + word2

3 newWord = word1 * word2

4 newWord = word1 - word2

Answers

Answer: number 2 is the correct way to do it

Explanation:

Answer:

2 newWord = word1 + word2

Explanation:

1. Create a Java program.
2. The class name for the program should be 'EncryptTextMethods'.
3. In the program you should perform the following:
* You will modify the EncryptText program created in a previous assignment (see code below).
* You should move the logic for encrypting text from the main method into a method named encryptString.
* The encryptString method should have a single String argument and return a String value.
1. Create a second method.
2. The name of the method should be decryptString.
3. In the program you should perform the following:
* The method should have a single String argument and return a String value.
* This method should reverse the encryption process by subtracting one from each character in the String argument passed to it.
* The return value should be the result of the decrypting process.
4.The program should read an input String using the Scanner method.
5. The input value should be passed to the encryptString() method and the encrypted string should be passed to the decryptString() method.
6. The program should output the input string, the encrypted string and the decrypted string.
// Existing Code
import java.util.Scanner;
public class EncryptText {
private static String encodeMessage(String message) {
//convert string to character array
char stringChars[] = message.toCharArray();
//for each character
for(int i=0; i< stringChars.length; i++) {
char ch = stringChars[i];
//if character within range of alphabet
if(ch <= 'z' && ch >= 'a') {
//obtain the character value
//add 1 to the integer value
//enter modulus by 26 since z will become a
//once again add the remainder to 'a'
stringChars[i] = (char)('a' + ((int)(ch - 'a') + 1) % 26 );
}
}
//construct the string message
return String.valueOf(stringChars);
}
public static void main(String[] args) {
Scanner keyboard = new Scanner(System.in);
System.out.println("Please enter text to encode: ");
String message = keyboard.nextLine();
message = message.toLowerCase();
System.out.println("Encoded: " + encodeMessage(message));
keyboard.close();
}
}

Answers

Answer:

Explanation:

The following code was written in Java and follows all of the instructions provided. Some instructions were most likely written incorrectly as following them made no sense and would not allow the program to run. Such as placing the main method code into the encryptString method. Since the code inside the main method needed to stay inside the main method for the program to function accordingly. The code that most likely needed to be moved was the EncryptText code to the encryptString method.

package sample;

import java.util.Scanner;

class EncryptTextMethods {

   private static String encryptMessage(String message) {

       //convert string to character array

       char stringChars[] = message.toCharArray();

       //for each character

       for(int i=0; i< stringChars.length; i++) {

           char ch = stringChars[i];

           //if character within range of alphabet

           if(ch <= 'z' && ch >= 'a') {

           //obtain the character value

           //add 1 to the integer value

           //enter modulus by 26 since z will become a

           //once again add the remainder to 'a'

               stringChars[i] = (char)('a' + ((int)(ch - 'a') + 1) % 26 );

           }

       }

       //construct the string message

       return String.valueOf(stringChars);

   }

   public static String decryptString(String message) {

       char stringChars[] = message.toCharArray();

       String decrypted = "";

       for (int x = 0; x < stringChars.length; x++) {

           int charValue = stringChars[x];

           decrypted += String.valueOf( (char) (charValue - 1));

       }

       return decrypted;

   }

   public static void main(String[] args) {

       Scanner keyboard = new Scanner(System.in);

       System.out.println("Please enter text to encode: ");

       String message = keyboard.nextLine();

       message = message.toLowerCase();

       String encrypted = encryptMessage(message);

       String decrypted = decryptString(encrypted);

       System.out.println("Original Message: " + message);

       System.out.println("Encrypted: " + encrypted);

       System.out.println("Decrypted: " + decrypted);

       keyboard.close();

   }

}

Which of the followings is/are true about RISC (Reduced instruction set computing)?

a. RISC (Reduced instruction set computing) architecture has a set of instructions, so high-level language compilers can produce more efficient code
b. It allows freedom of using the space on microprocessors because of its simplicity.
c. Many RISC processors use the registers for passing arguments and holding the local variables.
d. RISC functions use only a few parameters, and the RISC processors cannot use the call instructions, and therefore, use a fixed length instruction which is easy to pipeline.
e. All of the above.

Answers

Answer:

e. All of the above.

Explanation:

An instruction set architecture (ISA) can be defined as series of native memory architecture, instructions, addressing modes, external input and output devices, virtual memory, and interrupts that are meant to be executed by the directly.

Basically, this set of native data type specifies a well-defined interface for the development of the hardware and the software platform to run it.

The two (2) main types of architectural design for the central processing unit (CPU) are;

I. Complex instruction set computing (CISC): it allows multi-step operation or addressing modes to be executed within an instruction set. Thus, many low-level operations are being performed by an instruction.

II. Reduced instruction set computing (RISC): it allows fixed length instructions and simple addressing modes that can be executed within a clock cycle.

All of the following statements are true about RISC (Reduced instruction set computing) because they are its advantages over complex instruction set computing (CISC);

a. RISC (Reduced instruction set computing) architecture has a set of instructions, so high-level language compilers can produce more efficient code.

b. It allows freedom of using the space on microprocessors because of its simplicity.

c. Many RISC processors use the registers for passing arguments and holding the local variables.

d. RISC functions use only a few parameters, and the RISC processors cannot use the call instructions, and therefore, use a fixed length instruction which is easy to pipeline.

The options that are true about RISC (Reduced instruction set computing) is; E: all of the above

We are dealing with instruction set computing which is a sequence of instructions, addressing modes, external input & output devices, virtual memory, and other interruptions that are designed to be executed by the user directly.

Now, in architectural design meant for the central processing unit (CPU) the benefit of a Reduced instruction set computing (RISC) is that it is a type that allows for a fixed length of instructions with simple addressing styles that can be executed within a clock cycle.

Looking at all the given options, we can say they are all true about RISC (Reduced instruction set computing) as they possess advantages over the other type of instruction set computing called complex instruction set computing (CISC).

Read more about instruction set computing at; https://brainly.com/question/17493537

Write a program with two inputs, current price and last month's price (both integers). Then, output a summary listing the price, the change since last month, and the estimated monthly mortgage computed as (current_price * 0.051) / 12.

Output each floating-point value with two digits after the decimal point, which can be achieved as follows:
print('{:.2f}'.format(your_value))

Ex: If the input is:

200000
210000
the output is:

This house is $200000. The change is $-10000 since last month.
The estimated monthly mortgage is $850.00.

Answers

Answer:

In Python

current = int(input("Current Price: "))

lmonth = int(input("Last Month Price: "))

mortgage = current * 0.051 / 12

print('The house is ${:.2f}'.format(current))

print('The change is ${:.2f}'.format(current-lmonth)+" since last month")

print('The estimated monthy mortgage is ${:.2f}'.format(mortgage))

Explanation:

This gets the current price

current = int(input("Current Price: "))

This gets the last month's price

lmonth = int(input("Last Month Price: "))

This calculates the mortgage

mortgage = current * 0.051 / 12

This prints the house current price

print('The house is ${:.2f}'.format(current))

This prints the change

print('The change is ${:.2f}'.format(current-lmonth)+" since last month")

This prints the estimated mortgage

print('The estimated monthy mortgage is ${:.2f}'.format(mortgage))


2. Which of the following is a shortcut key to Exit from any operation?
a) Ctrl+R
b) Ctrl+Q
c) Ciri-Y

Answers

Answer:

Its b) Ctrl+Q. Hope it helps.

Explanation:

Answer:

ctrl r

Explanation:

ctrl r is redo

You have one address, 196.172.128.0 and you want to subnet that address. You want 10 subnets. 1. What class is this address

Answers

Answer:

This address is by default a class c network

Explanation:

This IP address in this question is a class c network because it has 196 as its first octet. A class c network is one which has its first octet to be between 192 and 223. the class c network begins with a 110 binary.  If ip is between 192 to 223 it belongs to this class. These first 3 octets are the representation of the network number in the address. Class c's were made to support small networks initially.

(Giving brainliest to best answer, don't make an answer if you don't know or its jumble)
A relevant online media source best helps an audience

A) believe the presenter.
B)stay engaged in the topic.
C) understand the topic.
D) trust the material.

Answers

Answer:

B

Explanation:

Answer:

C

Explanation:

I just got it right on an Edge Quiz

Use the drop-down menus to complete statements about audio file formats.

The most common file format for consumer storage and playback is ___
The __ audio file was originally used on Apple computers.
The main audio format used in Microsoft Windows is __

Answers

Answer: 1. .mp3 2. .aiff 3. .wav

Explanation:

I got it right

Answer:

.mp3

.aiff

.wav

Explanation:

hope this helps :)

An expression that returns a value is known as a​

Answers

Answer:

In computer programming, a return statement causes execution to leave the current subroutine and resume at the point in the code immediately after the instruction which called the subroutine, known as its return address. The return address is saved by the calling routine, today usually on the process's call stack or in a register. Return statements in many languages allow a function to specify a return value to be passed back to the code that called the function.

An expression that returns a value is known as a​ function. Check more about function  below.

What is a function?

A function is often seen as a kind of expression or rule, or law that often tells more about a relationship.

Conclusively, a function is known to often returns a value back to the instruction that is known also to be the function. This is regarded as the differences that exist between a method and a function.

Learn more about function  from

https://brainly.com/question/20476366

Write an expression that will cause the following code to print "less than 18" if the value of userAge is less than 18.
import java.util.Scanner;
public class AgeChecker {
public static void main (String [] args) {
int userAge;
Scanner scnr = new Scanner(System.in);
userAge = scnr.nextInt(); // Program will be tested with values: 18, 19, 20, 21.
if (/* Your solution goes here */) {
System.out.println("less than 18");
}
else {
System.out.println("18 or more");
}
}
}

Answers

Answer:

Replace /* Your solution goes here */

with: userAge<18

Explanation:

Required

Complete the code

To complete the code, we simply write an expression that compares userAge and 18

From the question, we are to test if userAge is less than 18.

In C++, less than is written as: <

So, the expression that completes the code is: userAge<18

what is the portrait mode

Answers

Answer:

Explanation:

When your elecronic devices screen is positioned upright or the way a photo is taken

If you want an example look up portrait mode on go0gle or safar1

Which are technical and visual demands
that need to be considered when
planning a project?

Answers

Answer: Resolution or DPI, deliverables, and file types are important technical and visual demands to consider when planning a project.

Explanation: Keep in mind whether or not the project will be published in print or on the Web.

2. What is the implication of media killings in the Philippines?​

Answers

Answer:

Throughout the clarification below, the description of the query is mentioned.

Explanation:

In the Philippines, the Implication of media indicates that perhaps the Philippines isn't a safe environment for reporters, and therefore more remains to be improved to change this pattern.But it didn't start underneath Duterte before you could even say that, as well as he didn't order strikes. If he had instructions in which he would criticize, for perhaps a long period presently Ressa had died as one of his other very resolute and influential media commentators.

Do any of these algorithms (Random Allocation, Round-Robin, Weighted Round-Robin, Round-Robin DNS Load Balancing, and Least Connections) compromise security?

Answers

Answer:

yes and

Explanation:

why do you need to know about a buildings security are you going to rob it ???

Servers can be designed to limit the number of open connections. For example, a server may wish to have only N socket connections at any point in time. As soon as N connections are made, the server will not accept another incoming connection until an existing connection is released. Please write pseudo-code to implement the synchronization using semaphore.

Answers

Answer:

The pseudocode is as follows:

open_server()

connections = N

while (connections>0 and connections <=N):

   if(new_client == connected):

       connections = connections - 1

   for i in 1 to N - connections

   if (client_i == done()):

         releast_client(client_i)

         connections = connections + 1

Explanation:

One of the functions of a semaphore is that, it is a positive variable whose value will never fall below 1. It is often shared among threads in order to keep a process running.

Having said that, what the above pseudocode does is that:

Once the server is opened, it initializes the number of connections to N.

When a new client, the semaphore decreases the number of connections is reduced by 1.

Similarly, when an already connected client is done, the client is released and the number of connections is increased by 1.

This operation is embedded in a while loop so that it can be repeatedly carried out.

Which of the following is the most appropriate first step to hardening a new Windows installation?
A. creating back-ups of the computer.
B. activating and defining rules for the Windows Firewall.
C. considering the computer's purpose and only installing the features and services needed to fill that purpose.
D. conducting penetration testing on the computer.

Answers

Answer:

C. considering the computer's purpose and only installing the features and services needed to fill that purpose.

Explanation:

Hardening is the process of finding out the vulnerabilities of a system and deploying measures to counter these issues. It is important to install only the features that are needed to fill the purpose of the computer. This is because having lots of unnecessary features will extend the attack surface of the system.

Therefore, the user needs to ensure that only the needed features are installed. Features and applications that have been in the system for a long time should also be uninstalled.

In cell 14, calculate


the profit by


subtracting the


donation from the


streaming revenues.

Answers

Answer:

See Explanation

Explanation:

The question is incomplete as the cells that contains donation and streaming revenues are not given

So, I will make the following assumption:

H4 = Donations

G4 =  Streaming Revenues

So, the profit will be:

Enter the following formula in cell I4

=(G4 - H4)

To get the actual solution in your case, replace G4 and H4 with the proper cell names

What are these receivers called?
Each cell is served by at least one fixed-location transceiver. These receivers are known as_______
.

Answers

Answer: Cell site / Base station

Explanation:

A mobile network also referred to as the cellular network is refered to as the radio network which is distributed over the land areas which are refered to as the cells.

We should note that each is served by at least one fixed-location transceiver, which is called the cell site or the base station.

Make the following statement True by filling in the blank from the choices below: Reliance on information and communications technologies have ____ potential vulnerabilities to physical and cyber threats and potential consequences resulting from the compromise of underlying systems or networks.

Answers

Answer:

Increased.

Explanation:

An information system interacts with its environment by receiving data in its raw forms and information in a usable format.

Information system can be defined as a set of components or computer systems, which is used to collect, store, and process data, as well as dissemination of information, knowledge, and distribution of digital products.

Generally, it is an integral part of human life because individuals, organizations, and institutions rely on information systems in order to perform their duties, functions or tasks and to manage their operations effectively. For example, all organizations make use of information systems for supply chain management, process financial accounts, manage their workforce, and as a marketing channels to reach their customers or potential customers.

Additionally, an information system comprises of five (5) main components;

1. Hardware.

2. Software.

3. Database.

4. Human resources.

5. Telecommunications.

Reliance on information and communications technologies have increased potential vulnerabilities to physical and cyber threats and potential consequences resulting from the compromise of underlying systems or networks.

In order to mitigate this physical and cyber threats, information systems usually have an encryption, authentication and authorization system integrated into them.

Interstate highway numbers Primary U.S. interstate highways are numbered 1-99. Odd numbers (like the 5 of 95) go north/south, and evens (like the 10 or 90) go east/west. Auxiliary highways are numbered 100-999, and service the primary highway indicated by the rightmost two digits. Thus, I-405 services 1-5, and I-290 services -90. Given a highway number, indicate whether it is a primary or auxiliary highway. If auxiliary, indicate what primary highway it serves. Also indicate if the (primary) highway runs north/south or east/west. Ex: If the input is 90 the output is I-90 is primary, going east/west. Ex: If the input is 290 the output is I-290 is auxiliary, serving 1-90, going cast/west. Ex: If the input is: 0 the output is O is not a valid interstate highway number. See Wikipedia for more info on highway numbering. main.py Load default templ else 1 nighway_number - int(input) 2 Type your code here. " 4 if highway_number - 0: 5 print(highway_number, 'is not a valid interstate highway number.') 6 if highway_number in range(1, 99-1): 7 if highway..number % 2 - : 8 print('I-' highway number, "is primary, going east/west.") 9 print("I-' highway_number, "is primary, going north/south." 11 else: 12 served - highway_number % 100 13 if highway number - 1000: print highway_number, 'is not a valid Interstate highway number.') 15 if highway number in range(99, 999.1): 16 if highway_number 2 - 0 print('I..highway_number, 'is auxiliary, serving I.', 'x.f.' Xserved, 'going eastwest.) 18 else: print('1', highway_number, 'is auxiliary, rving I-','%.f.' Xserved, 'going north/south.) 10 14 17 19 Develop mode Submit mode When done developing your program press the Submit for grading button below. This will submit your program for auto-grading. Submit for grading Sature of your work Input 90 Your output I- 90 is primary, going east/west. Expected output I-90 is primary, going east/west. 0 2: Auxiliary (290) Output is nearly correct; but whitespace differs. See highlights below. Special character legend Input 290 Your output 1- 290 is auxiliary, serving I- 90, going east/west. I-290 is auxiliary, serving 1-90, going east/west. Expected output 3 Invalid (0) 1/1 Input 0 Your output is not a valid interstate highway number. 4. Compare output 0/2 Output is nearly correct; but whitespace differs. See highlights below Special character legend Input Your output

Answers

Answer:

See attachment for complete solution

Explanation:

The program in your question is unreadable.

So, I started from scratch (see attachment for complete solution)

Using the attached file as a point of reference.

The program has 15 lines

Line 1: Prompt the user for highway number (as an integer)

Line 2: Convert the user input to string

Line 3: Check if highway number is outside 1-999

Line 4: If line 3 is true, print a notice that the input is outside range

Line 5: If line 3 is not true

Line 6: Check if the number of highway digits is 2.

Line 7: If true, Check if highway number is an even number

Line 8: If even, print that the highway is primary and heads east/west

Line 9: If highway number is odd number

Line 10: Print that the highway is primary and heads north/south

Line 11: If the number of highway digits is 3

Line 12: Check if highway number is an even number

Line 13: If even, print that the highway is auxiliary and heads east/west

Line 14: If highway number is odd number

Line 15: Print that the highway is auxiliary and heads north/south

See attachment for complete program

what is computer sences​

Answers

Answer:

Computer science is the study of computers and computing as well as their theoretical and practical applications. Computer science applies the principles of mathematics, engineering, and logic to a plethora of functions, including algorithm formulation, software and hardware development, and artificial intelligence.

Create a change-counting game that gets the user to enter the number of coins required to make exactly one dollar. The program should prompt the user to enter the number of pennies, nickels, dimes, and quarters and immediately verify whether they are positive integer numbers. If the total value of the coins entered is equal to one dollar, the program should congratulate the user for winning the game. Otherwise, the program should display a message indicating whether the amount entered was more than or less than one dollar.

Answers

Answer:

In Python:

pennies= int(input("Pennies: "))

while pennies<0:

   pennies= int(input("Pennies: "))

nickels = int(input("Nickels: "))

while nickels < 0:

   nickels = int(input("Nickels: "))

dimes = int(input("Dimes: "))

while dimes < 0:

   dimes = int(input("Dimes: "))

quarters = int(input("Quarters: "))

while quarters < 0:

   quarters = int(input("Quarters: "))

dollars = pennies * 0.01 + nickels * 0.05 + dimes * 0.1 + quarters * 0.25

if dollars == 1:

   print("Congratulations")

else:

   if dollars > 1:

       print("More than $1")

   else:

       print("Less than $1")

Explanation:

Prompts the user for pennies and also validates for positive values

pennies= int(input("Pennies: "))

while pennies<0:

   pennies= int(input("Pennies: "))

Prompts the user for nickels and also validates for positive values

nickels = int(input("Nickels: "))

while nickels < 0:

   nickels = int(input("Nickels: "))

Prompts the user for dimes and also validates for positive values

dimes = int(input("Dimes: "))

while dimes < 0:

   dimes = int(input("Dimes: "))

Prompts the user for quarters and also validates for positive values

quarters = int(input("Quarters: "))

while quarters < 0:

   quarters = int(input("Quarters: "))

Calculate the amount in dollars

dollars = pennies * 0.01 + nickels * 0.05 + dimes * 0.1 + quarters * 0.25

Check if amount is $1

if dollars == 1:

If yes, prints congratulations

   print("Congratulations")

If otherwise, print greater of less than $1

else:

   if dollars > 1:

       print("More than $1")

   else:

       print("Less than $1")

Other Questions
PLEASE HELP!!!!!!!! ASAPP In RST, the measure of T=90, TR = 1.8 feet, and RS = 8.7 feet. Find the measure of S to the nearest tenth of a degree. IF YOU WANT POINTS HERE IS A GOOD PLACE TO START!!!! QUESTION IS IN PICTURE!!! Please help and thank you:) Complete the answer with the present or infinitive of each verb in parentheses and an object pronoun in the list.Te gusta la ropa que venden aqu?S, mucho. Me voy a probar ese vestido. Creo que va a (quedar) muy bien.- use either me, la, los, le les g(x) = 2x 4h(x) = 3x - 3Find g(h(-8) Why did Japan work to modernize Korea between 1910 and 1945? O Japan hoped to benefit itself. O Japan hoped to restore democratic ideals. O Japan hoped to assist the regional economy. O Japan hoped to end its colonization of the peninsula. If the factors of function f are (x - 6) and (x - 1), what are the zeros of function f? How many digits does the smallest repeating block in the decimal expansion of 7/9 contain? Preston writes 3 songs in 2 days, working 7 hours each day. He spends the same amount of time on each song. How long does he spend on each song? What is specialization? What are the three benefits of specialization? ASAP HELP!!! PLEASE ANSWER THIS!!! I GIVE COINS!!! I GIVE BRAINLIEST TOO!!!!Which ecosystem has the greatest biodiversity? Which explorer called the new lands he explored "New Albion"? From time to time, many of us have the urge to do something wild or unusual, such as streaking in the buff past the fifty-yard line during the homecoming football game. Such a desire is resisted and subdued, however, because our socialization has created effective controls to discourage such behavior. This concept of self-regulation based on socialization into a self and emotions is known as our ________. Please help with 7 Will give brainlist some paragraph on friends are important influence on teenagers Jeremy made one vertical stack of boxes that had a surface area of 17,052 square centimeters. How many shoe boxes were in the stack?A.7B.8C.9D.10Help pls a _ is a push or a pull on an object According to the Justinian Code, what are the two branches of the study of law? What are the differences between these two branches? Caleb is making a soil mix that is 8 parts dirt to 3 parts peat moss. Which of the following best describes the amount of dirt? Explain your answer.A)he should use for every 1 cup of peat moss?B) He should add between cup and cup of dirt. He should add between cup and 1 cup of dirt.C)He should add between 1 cup and 2 cups of dirt.D) He should add between 2 cups and 3 cups of dirt.