Guys I should write the program in C++
Can u help me?


Write a program which reads numbers from keyboard in a loop and checks if the given number is even.
The program ends when a negative number is input.​

Answers

Answer 1

#include <iostream>

int main(int argc, char const* argv[]) {

   while(1) {

       std::cout << ">> "; int x; std::cin>>x;

       if(x<0) break;

       else if(x%2==0) {std::cout << "\nThis is even number.\n";}

       else std::cout << "\nThis is odd number.\n";

   }

   return 0;

}

Guys I Should Write The Program In C++Can U Help Me?Write A Program Which Reads Numbers From Keyboard

Related Questions

Suppose you work for a company that has just hired a new senior vice president. After reviewing the budgets of all departments, the new VP went on record saying that the amount of money spent on cybersecurity is too large in proportion to the size of the company. She recommends an immediate 23 percent reduction in the cybersecurity budget. she has decided on this amount after informal conversations with other companies that have about the same number of employees. However, these other companies perform completely different functions: one company is in manufacturing while the other is a service organization, neither of which is the same as your company. The new VP says she will retract her recommendation if someone can prove that there have been no significant attacks due to the money spent on cyber defenses and not just because your company is unattractive to threat actors

Answers

Answer:

Explanation:

Suppose you work for a company that has just hired a new senior vice president. After reviewing the budgets of all departments, the new VP went on record saying that the amount of money spent on cybersecurity is too large in proportion to the size of the company. She recommends an immediate 23 percent reduction in the cybersecurity budget. she has decided on this amount after informal conversations with other companies that have about the same number of employees. However, these other companies perform completely different functions: one company is in manufacturing while the other is a service organization, neither of which is the same as your company. The new VP says she will retract her recommendation if someone can prove that there have been no significant attacks due to the money spent on cyber defenses and not just because your company is unattractive to threat actors

Modify the following program to display the sales tax with two digits after the
decimal point.

Answers

Using the knowledge in computational language in python  it is possible to write a code that  modify the following program to display the sales tax with two digits after the decimal point.

Writting the code:

county_tax_rate = 0.02

state_tax_rate = 0.04

tax_rate = county_tax_rate + state_tax_rate

item_price = float(input("Please enter the price of your item: "))

item_price = int(100 * item_price) # Item price in cents

total_price = item_price * (1 + tax_rate) # Total price in cents

print("Your Total Sales Cost is ${:0.2f}".format(total_price / 100.0))

print("Your Purchase Amount was ${:0.2f}".format(item_price / 100.0))

print("Your County Tax Rate was {}%".format(int(county_tax_rate * 100)))

print("Your State Tax Rate was {}%".format(int(state_tax_rate * 100)))

print("Your Total Tax Rate was {}%".format(int(tax_rate * 100)))

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

#SPJ1

Could some help me please

Design a program to determine if a student is entitled to an incentive granted upon payment of his/her Boarding Fee in full. Accept the boarding fee and the amount paid. Output a message stating whether the incentive will be granted. (Required: IPO Chart)​

Answers

The program to determine if a student is entitled to an incentive is illustrated below:

#include <stdio.h>

int main() {

int num;

printf("Enter an integer: ");

scanf("%d", &num);

// true if num is perfectly divisible by 2

if(num % 2 == 0)

printf("%d is even.", num);

else

printf("%d is odd.", num);

return 0;

}

python program.

num = int(input("Enter a number: "))

if (num % 2) == 0:

print("{0} is Even".format(num))

else:

print("{0} is Odd".format(num))

Pseudocode:

0. Start

1. Print "Enter Any Number to Check, Even or Odd"

2. Read input of a number

3. If number mod = 0

4. Print "Number is Even"

5. Else

6. Print "Number is Odd"

7. End

What is a computer program?

A computer program is a set of instructions written in a programming language that a computer can execute. Software includes computer programs as well as documentation and other intangible components.

Source code refers to a computer program in its human-readable form. In this case, the program to determine if a student is entitled to an incentive granted upon payment of his/her boarding fee in full is given.

Learn more about programs on:

https://brainly.com/question/1538272

#SPJ1

A teacher has five students who have taken four tests. The ten her uses the following grading scale to assign a letter grade to a student, based on the average of his or her four test scores:
Write a class that uses a string array to hold the five students' names, an array of five characters to hold the five students' letter grades, and five arrays of four doubles each to hold each student's set of test scores. The class should have methods that return a specific student's name, the average test score, and a letter grade based on the average.
Demonstrate the class in a program that allows the user to enter each student's name and his or her four test scores. It should then display each student's average test score and letter grade.
Input Validation: Do not accept test scores less than zero or greater than 100.

Answers

The program for the class will be:

import java.util.Scanner;

class Gradecalculator

{

static String [] names=new String[5];

static char [] grades=new char[5];

static double [][] testscore=new double[5][4];

protected char[] calculate(double [][] testscore)

{

double total[]=new double[5];

for(int i=0;i<5;i++)

{

for(int j=0;j<4;j++)

{

total[i]=0;

}

}

for(int i=0;i<5;i++)

{

for(int j=0;j<4;j++)

{

total[i]=total[i]+testscore[i][j];

}

}

for(int i=0;i<5;i++)

{

total[i]=total[i]/4;

}

for(int i=0;i<5;i++)

{

if(total[i]>=90&&total[i]<=100)

grades[i]='A';

else if(total[i]>=80&&total[i]<90)

grades[i]='B';

else if(total[i]>=70&&total[i]<80)

grades[i]='C';

else if(total[i]>=60&&total[i]<70)

grades[i]='D';

else

grades[i]='F';

}

return(grades);

}

}

public class Grade extends Gradecalculator {

public static void main(String[] args) {

Scanner sc=new Scanner(System.in);

Grade ob=new Grade();

System.out.println("enter the name of students");

for(int i=0;i<5;i++)

{

System.out.println((i+1)+"student");

names[i]= sc.nextLine();

}

System.out.println("enter the test scores of students");

for(int i=0;i<5;i++)

{

System.out.println("STUDENT "+(i+1));

for(int j=0;j<4;j++)

{

System.out.println("TEST "+(j+1));

testscore[i][j]=sc.nextDouble();

if(testscore[i][j]>100)

{

System.out.println("in appropriate value TRY AGAIN");

j--;

continue;

}

}

}

System.out.println

("OK INPUT COMPLETE WANT TO KNOW THE FULL RESULTS Y/N");

String resp=sc.next();

ob.calculate(testscore);

if(resp.equals("Y"))

{

System.out.println("------------DISPLAYING RESULTS-----------") ;

System.out.println("STUDENT NAME \t\t GRADES");

for(int i=0;i<5;i++)

{

System.out.println(names[i]+"\t\t"+grades[i]);

}

System.out.println("want to check individual scores \n enter the student number");

int n=sc.nextInt();

try

{

System.out.println("STUDENT NAME "+names[n-1]+" GRADES "+grades[n-1]);

System.out.println("INDIVIDUAL TEST SCORES");

for(int i=0;i<4;i++)

{

System.out.println(testscore[n-1][i]);

}

}

catch(Exception e)

{

System.out.println("this student does not exist");

}

}

else

{

System.out.println("CLOSING");

}

}

}

What is a program?

A computer program is a set of instructions written in a programming language that a computer can execute.

Software includes computer programs as well as documentation and other intangible components. Source code refers to a computer program in its human-readable form.

In this case, the class in a program that allows the user to enter each student's name and his or her four test scores is illustrated.

Learn more about program on:

https://brainly.com/question/26642771

#SPJ1

Which phrase best describes the hardware layer of computing abstraction?
A. The physical components of a computing system
B. The interface that allows users to run programs
C. The programs that give computers instructions
D. The system that manages a device's resources

Answers

Answer:

A. The physical components of a computing system

Explanation:

think of hardware like the hard, physical, tangible parts of your computer. hope this helped!!

"Computer hardware includes the physical parts of a computer, such as the case, central processing unit (CPU), random access memory (RAM), monitor, mouse, etc..."

Which activities would Full Screen Reading View be most helpful for? Check all that apply.
editing a document
removing text from a document
reading a document
Dwriting a document
looking at the layout of a document

Answers

Reading a document and looking at the layout of a document are the activities for which Full Screen Reading View is quite helpful.

What exactly is a Document?

A document is a type of information that may be useful to one or more users. This data can be in both digital and nondigital formats. As a result, a document can be digital or nondigital. Digital and nondigital documents are stored using various methods and layouts.

A nondigital or paper document can be physically stored in a file cabinet, whereas an electronic or digital document is stored as one or more files in a computer. A database can also include digital documents. Electronic document management software is used to manage, store, and secure electronic documents.

To learn more about Document, visit: https://brainly.com/question/28578338

#SPJ9

Briefly discuss the relationship between waterfall model and HCI (5mks)

Answers

HCI (human-computer interaction) is the study of how people engage with computers and how computers are or are not designed to communicate successfully with humans. HCI, as the name indicates, comprises of three components: the user, the computer, and the methods in which they interact.

The waterfall model is a traditional paradigm used in the system development life cycle to build a system in a linear and sequential manner. The model is called a waterfall because it progresses methodically from one phase to the next in a downward direction.

What is the importance of the Waterfall model?

The waterfall process has the following advantages: requirements are accomplished early in the project, allowing the team to define the whole project scope, construct a comprehensive timeline, and design the total application.

This model is straightforward and simple to grasp and apply. Because of the model's rigor - each phase has precise deliverables and a review procedure - it is simple to maintain. Phases are analyzed and completed one at a time in this methodology. The phases do not mix.

Learn more about Waterfall Model:

https://brainly.com/question/13439438

#SPJ1

1. Identify at least 3 security vulnerabilities on the HQ LAN.

Answers

There are numerous types of network vulnerabilities, but the following are the most prevalent and The three security vulnerabilities of the LAN are Malware, Outdated or unpatched software and Misconfigured firewalls.

Common LAN Network Security Issues :

Internal Security Threats: Human error accounts for more than 90% of cyberattacks. Instances of this include phishing scams, hasty decisions, using unsecure passwords, and more.

Distributed Denial-Of-Service (DDoS) Attacks: Websites that are subjected to DDoS attacks frequently crash, have technical difficulties, or load slowly. Cybercriminals infect internet-connected devices (such as computers, smartphones, and other devices) in these situations, turning them into bots. The bots are sent to a victim's IP address by hackers.

Malware: Malware are malicious software applications that are used to gather data on victims from infected devices. After successful deployments, hackers can mine devices for sensitive data (such as email addresses, bank account numbers, and passwords) and use it for identity theft, extortion, or other damaging business practices.

To know more about LAN, visit: https://brainly.com/question/8118353

#SPJ9

Steps for Adjusting the width of a cell in ms Excel​

Answers

After that, select "Format" from the "Cells" submenu. There is a drop-down menu where you may choose between "Row Height" and "Column Width." Choose the one that you wish to make the initial adjustment to.

What are cells in Excel?The fundamental building block of an Excel spreadsheet is a cell. The hundreds of tiny, rectangular rectangles you see when you start a new sheet in a spreadsheet are called cells. You can enter the data you intend to utilize in your spreadsheet in these cells.The system arranges rows by number and columns by letter, with each cell located at the junction of a row and a column. As a result, depending on its column and row, each cell has a unique cell address. For instance, the cell in row six and column B holds the address B6. Additionally, you may pick a cell range, which is a collection of cells, at once.List the first and last cells in a cell range to make a reference to that range. For instance, you could write "B3:B6" for the cell range that consists of B3, B4, B5, and B6.

Learn more about Excel spreadsheet refer to :

https://brainly.com/question/24749457

#SPJ9

i need like 2 sentences for each

Explain the characteristics of the Internet and the systems built on it.
Explain the abstractions in the Internet and how the Internet functions.
Explain how the characteristics of the Internet influence the systems built on it.

Answers

Accessibility. The Internet is a service that is available to everyone worldwide.

Participation in Other Media.

What is the internet?

The Internet, sometimes known as "the Net," is a global system of computer networks. It is a network of networks that allows users at any one computer to obtain information from any other computer with permission (and sometimes talk directly to users at other computers).

A vast network of specialized computers known as routers makes up the Internet. Knowing how to move packets from their source to their destination is the responsibility of each router. During its journey, a packet will have passed through numerous routers. A hop occurs when a packet passes from one router to the next.

Therefore,  . The Internet is a service that is available to everyone worldwide.

Learn more about the internet here:

https://brainly.com/question/13308791

#SPJ1

PYTHON
The assignment:
41.3 Summing LoD
Use the Loop Summing Pattern to calculate and print the total score of all the games in this list of dictionaries:

games = [
{"Name": "UD", "Score": 27, "Away?": False},
{"Name": "Clemson", "Score": 14, "Away?": True},
{"Name": "Pitt", "Score": 32, "Away?": True},
]

It's a list of dictionaries, so I'm having difficult accessing this.

Answers

Using the knowledge in computational language in python it is possible to write a code that  use the Loop Summing Pattern to calculate and print the total score of all the games in this list of dictionaries.

Writting the code:

games = [

   {"Name": "UD", "Score": 27, "Away?": False},

   {"Name": "Clemson", "Score": 14, "Away?": True},

   {"Name": "Pitt", "Score": 32, "Away?": True},

]

total_score = 0  # initialize total_score to 0

for d in games:     # go through all dictionaries of games list

   total_score += d["Score"]   # add each score to total_score

# print total score with a print function

print(total_score)

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

#SPJ1

Can anyone hep me in this question pls?...

Answers

The operations from the highest priority to the lowest priority in Javascript are 1. Opeartions enclosed in parentheses 2. Exponentiation 3. Multiplication and divison and 4. Addition and Substraction.

What is Operator precedence?

How operators are parsed in relation to one another depends on operator precedence. Higher precedence operators become the operands of lower precedence operators.

Operator  Operation Order of Precedence Order of Evaluation

     ++         Increment           1                                  R -> L

     --         Decrement           1                                  R -> L

     -                  Negation           1                                  R -> L

     !                     NOT                   1                                  R -> L

 *, /, %      Multiplication,

                 division, modulus          2                                  L -> R

  +, —  Addition, subtraction  3                                  L -> R

   +              Concatenation          3                                  L -> R

 <, <= Less than, less than,

                       or equal                  4                                  L -> R

 >, >= Greater than, greater than,

                      or equal                 4                                 L -> R

To learn more about Javascript, visit: https://brainly.com/question/16698901

#SPJ1

Research statistics related to your use of the Internet. Compare your usage with the general statistics.
Explain the insight and knowledge gained from digitally processed data by developing graphic (table, diagram, chart) to communicate your information.
Add informational notes to your graphic so that they describe the computations shown in your visualization with accurate and precise language or notations, as well as explain the results of your research within its correct context.
The statistics and research you analyzed are not accomplished in isolation. The Internet allows for information and data to be shared and analyzed by individuals at different locations.
Write an essay to explain the research behind the graphic you develop. In that essay, explain how individuals collaborated when processing information to gain insight and knowledge.

Answers

By providing it with a visual context via maps or graphs, data visualization helps us understand what the information means.

What is a map?

The term map is having been described as they have a scale in It's as we call the longitude and latitude as well as we see there are different types of things are being different things are also in it as we see there are different things are being there in it as we see the oceans are there the roads and in it.

In the US, 84% of adults between the ages of 18 and 29, 81% between the ages of 30-49, 73% between the ages of 60 and 64, and 45% between the ages of 65 and above use social media regularly. On average, users use social media for two hours and 25 minutes each day.

Therefore, In a visual context maps or graphs, and data visualization helps us understand what the information means.

Learn more about the map here:

https://brainly.com/question/1565784

#SPJ1

Workers at a particular company have won a 7.6% pay increase retroactive for six months. Write a program that takes an
employee's previous annual salary as input, and outputs the amount of retroactive pay due the employee, the new annual
salary, and the new monthly salary. For example:

Answers

The C++ code for the program in question will be as follows:

#include <iostream>

using namespace std;

int main()

{

double oldSalary, retroSalary, newSalary, increaseSalary, newMonthlySalary;

const double payIncrease = .076;

 

cout << "Enter your old annual salary." << endl;

cin >> oldSalary;

newSalary = (oldSalary * .076) + oldSalary;

increaseSalary = newSalary - oldSalary;

newMonthlySalary = newSalary / 12;

retroSalary = (oldSalary / 2) * payIncrease;

cout << endl;

cout << "Your new annual salary is: $" << newSalary << endl;

cout << "You received a $" << increaseSalary << " increase in salary." << endl;

cout << "You will receive $" << retroSalary << " in retroactive salary." << endl;

cout << "Your new monthly salary is: $" << newMonthlySalary << endl;

return 0;

}

What is C++ programming? Why is it useful?

Applications with great performance can be made using the cross-platform language C++. As a C language extension, it was created by Bjarne Stroustrup. With C++, programmers have extensive control over memory and system resources.

Given that C++ is among the most widely used programming languages in use today and is used in embedded devices, operating systems, and graphical user interfaces, it is helpful. C++ is portable and may be used to create applications that can be converted to other platforms since it is an object-oriented programming language, which gives programs a clear structure and allows code to be reused, reducing development costs.

To learn more about C++, use the link given
https://brainly.com/question/24802096
#SPJ1

Java Question: What is printed as a result of executing the code segment?

Answers

The answer should be [tex]7.[/tex]

HELP

Patents, trademarks, and copyrights protect _____.
a) women
b) waivers
c) intellectual property
d) netiquette

Answers

Answer: C) Intellectual Property

Answer:

THE ANSWER IS C

Explanation:

The hardware components that write data to storage media storage devices true or false

Answers

Answer:

True

Explanation:

i think i am right computer forever

31
What is the different between Diaster.
and data inters integrity.

Answers

A disaster is a catastrophic event, typically one that is sudden and damaging.The accuracy and completeness of data are defined as data integrity.

What do you mean by Data integrity?
Data integrity
is a crucial component of the design, implementation, and use of any system that stores, processes, or retrieves data. It is the preservation and assurance of data accuracy and consistency over the course of its full life-cycle. The phrase has a wide range of applications and can signify quite different things depending on the situation, even within the same broad computing context. Data integrity requires data validation, which is sometimes used as a stand-in for data quality. The opposite of data corruption is data integrity. Any data integrity technique has the same main goal: to make sure data is recorded exactly as intended. Additionally, make sure the information is accurate when it is later retrieved.

To learn more about Data integrity
https://brainly.com/question/14127696
#SPJ1

In computer science, decomposition is breaking a problem down into sub-problems and smaller parts.
TRUE OR FALSE

Answers

Answer:

!TRUE!

Explanation:

It involves breaking down a complex problem or system into smaller parts that are more manageable and easier to understand. The smaller parts can then be examined and solved, or designed individually, as they are simpler to work with.

Write a program that asks the user for a string, then searches the alice.txt file and returns the number of times that string occurs in the file. We're keeping this one simple and just looking for the *string sequence*, so if you searched for "Bob", then "Bob", "Bobby" and "SpongeBob" would each be counted. The search is case sensitive!

This can be done with a short, simple function if you read in the whole file. No loops!

Make sure your code looks like mine:
```
Enter a string to count: to
The sequence appears 60 times.
```

Answers

Using the knowledge in computational language in python  it is possible to write a code that  asks the user for a string, then searches the alice.txt file and returns the number of times that string occurs in the file.

Writting the code:

def count_letter(content, letter):

 """ Count the number of times `letter` appears in `content`."""

 if (not isinstance(letter, str)) or len(letter) != 1:

   raise ValueError('`letter` must be a single character string.')

 return len([char for char in content if char == letter])

def count_letter(content, letter):

 """Count the number of times `letter` appears in `content`.

 Args:

   content (str): The string to search.

   letter (str): The letter to search for.

 """

 if (not isinstance(letter, str)) or len(letter) != 1:

   raise ValueError('`letter` must be a single character string.')

 return len([char for char in content if char == letter])

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

#SPJ1

What are some resources you can learn from now to learn how to use these different devices with different operating systems?

Answers

The resources that I can learn from now to learn how to use these different devices with different operating systems are:

Learning Operating Systems from scratch [Best Udemy Course] ...Learning Operating Systems Fundamentals [Udemy] ...Learning Computer Hardware and Operating Systems [edX Course]

Why is understanding operating systems critical to IT?

You can "speak" to your computer using your operating system even if you don't understand its language. The file system, scheduler, and device driver are the three components of an OS that are most crucial. You can assess your computer's general health by understanding the fundamentals of your operating system.

Note that A computer user and computer hardware interact through an operating system (OS). An operating system is a piece of software that handles all the fundamental operations like managing files, memory, processes, handling input and output, and managing peripheral devices like disk drives and printers.

Learn more about operating systems from

https://brainly.com/question/22811693
#SPJ1

Which is referred to as the "Banker's Bank?"
(1 point)
FDIC
Treasury Department
IRS
The Federal Reser
ve (The Fed)

Answers

The option D: The Federal Reserve (The Fed) is referred to as the "Banker's Bank".

What exactly does the Federal Reserve do?

To guarantee that the financial system supports a strong economy for American people, communities, and businesses, the Federal Reserve analyzes financial system risks and actively participates at home and abroad.

Note that The United States of America's central banking system is called the Federal Reserve System. With the passage of the Federal Reserve Act on December 23, 1913, it was established in response to the need for centralized control of the monetary system to prevent financial crises following a string of financial panics.

Learn more about Federal Reserve from

https://brainly.com/question/382312
#SPJ1

Write an algorithm program to accepts two students score and print out who save the greater score

Answers

An algorithm is a set of clear instructions for solving a specific problem in computer programming. It generates the desired output from a set of inputs. And here the desired inputs are the scores of two students.

Algorithm to print greater score:

START

Take input Score from Student1 and assign it to Score1.

Take input Score from Student1 and assign it to Score2.

Compare the Score1 and Score2.

Assign the larger score value to Max_Score

Print Max_Score

END

What is Algorithm?

An algorithm is a set of instructions, or a set of rules to adhere to, for carrying out a particular task or resolving a particular issue. In the ninth century, the term algorithm was first used. There are algorithms all around us.

For example,

An algorithm to add two numbers:

Take two number inputs

Add numbers using the + operator

Display the result

To know more about Algorithm, visit: https://brainly.com/question/13800096

#SPJ9

When do you use while loop instead of a for loop?
Group of answer choices

1: To loop exactly 10 times

2: To perform number calculations

3: To loop until a certain condition is reached

4: To make sure a correct number is entered

Answers

A while loop is used until a certain condition is reached unknown number of times.

Option 3

What is the difference between a while loop and a for loop?

Both the for loop and the while loop is used to execute the statements repeatedly while the program is running. The main distinction between the for loop and the while loop is that the for loop is used when the number of iterations is known, whereas the while loop executes until the statement in the program is proven incorrect.

Iteration refers to a single execution of the loop body. In the preceding example, the loop iterates three times.

If i++ were not present in the preceding example, the loop would (in theory) continue indefinitely. In practice, the browser provides methods to stop such loops, and we can kill the process in server-side JavaScript.

Any expression or variable, not just comparisons, can be used as a loop condition: while evaluating the condition and converting it to a boolean.

Hence to conclude use a while loop instead of a for loop, To loop until a certain condition is reached

To know more on loops follow this link

https://brainly.com/question/26098908

#SPJ1

you have just configured the password policy and set the minimum password age to 10. what is the effect of this configuration?

Answers

Answer:

User cannot change the password for 10 days.

3.6 Consider the following variable declarations.
boolean a = true, b = false;
int k = 7;
In which expression will short-circuiting occur?

Answers

Answer:

Explanation:

Necessary:

var a, b : boolean;

        k : integer;

 begin

   a := true;

   b := false;

   k := 7;

 end.

Importance of page break in Ms word

Answers

Answer:

Page breaks are used to end a page without filling it with text. To make sure the title page of your thesis/dissertation is separate from the signature page, for example, insert a page break after the graduation date on the title page.

PLEASE GIVE BRAINLIEST THANK YOU!!!

On a computer with 32-bit addresses, suppose we have a 2 GB main memory, that is byte addressable, and a 512KB cache with 32 bytes per block.

What would be the format of the memory address for fully associative caching technique?

Answers

The format of the memory address for fully associative caching technique is option C:  c) TAG= 13 SET = 14 WORD =5.

The definition of fully associative cache

A fully associative cache allows data to be stored in any cache block rather than forcing each memory address into a specific block. — Data can be stored in any vacant block of the cache when it is read from memory.

Note that the term "fully associative mapping" refers to a cache mapping technique that enables mapping of the main memory block to an openly accessible cache line.

Furthermore, data could be stored in any cache block with a fully associative cache. Every memory address wouldn't have to be confined to a specific block and option c best fit the statement above.

Learn more about caching from

https://brainly.com/question/3522040
#SPJ1

A compound conditional is a type of selection that uses statements with ____________ or more logical conditions.

Answers

A compound conditional is a type of selection that uses statements with control or more logical conditions.

What are the applications of compound conditional statements?

It is possible to test two conditions with compound conditionals in a single sentence. In Blockly, there are two methods to complete this using just one block! You can check to see if a statement's two criteria are true or simply the first one.

Therefore, When defining a constraint, compound logic operators like AND, NOT, and OR are utilized to connect expressions. For instance: Item C is required by (Condition A AND Condition B). Boolean operators are another name for compound logic operators.

Learn more about compound conditional from

https://brainly.com/question/28060852
#SPJ1

When a code block is placed inside this loop, what happens to the code?

A. It repeats until the program stops running.

B. It repeats once and then stops.

C. It repeats a certain number of times and then stops.

D. It repeats as long as a certain condition is true.

Answers

When a code block is placed inside a loop, what happens to the code is that: D. It repeats as long as a certain condition is true.

What is a looping structure?

A looping structure can be defined as a type of function that is designed and developed (written) to instruct a computer to repeat specific statements, especially for a certain number of times based on some certain true condition(s).

The types of looping structure.

In Computer programming, there are different types of looping structure and these include the following:

If/Else StatementIf StatementFor LoopWhile LoopForever loopIndefinite loop

This ultimately implies that, a code block would repeat particular statements for a certain number of times (iterations) based on some certain true condition(s) in the looping structures.

Read more on loop here: brainly.com/question/26130037

#SPJ1

Answer:

C.

It repeats a certain number of times and then stops.

Explanation:

Other Questions
a client has presented in the early phase of labor, experiencing abdominal pain and signs of growing anxiety about the pain. which pain management technique should the nurse prioritize at this stage? A basketball has a volume of about 452.1 cubic inches. Fine the radius of the basketball in inches Which decimal is equivalent to \{31}{9} 931 start fraction, 31, divided by, 9, end fraction? Which of the following roles does a population comparison or ecological study primarily play in establishing contributory cause?Group associationIndividual associationCause precedes the effectAltering the cause alters the effect If sodium (na) has 4 neutrons, 3 protons, and 2 electrons, which would be the correct ion symbol?. Solve the equation without using a calculator[tex]\displaystyle\\3^\frac{x+2}{3x-4}-2\cdot3^\frac{5x-10}{3x-4}=7[/tex] What is the Qurans stance on the topics:learning and business? the ___ oversees all operations of the restaurant. Arab and berber traders helped facilitate the gold-salt trade in africa. What part of africa had an abundant supply of salt that was traded for gold?. select all characteristics that are true of a chaperone protein. check all that apply it is encoded by a structural gene. it is encoded by a structural gene. it acts as an enzyme in an amino acid synthesis pathway. it acts as an enzyme in an amino acid synthesis pathway. it has primary, secondary, and tertiary structure. it has primary, secondary, and tertiary structure. it has an amino-terminal and a carboxyl-terminal end. it has an amino-terminal and a carboxyl-terminal end. it assists other polypeptides with folding into the correct secondary structure. it assists other polypeptides with folding into the correct secondary structure. it assists the ribosome with translation. Physical fitness is an important part of overall health. It makes a person feel great and lowers his or her risk of developing chronic diseases. One aspect of maintaining a physically active lifestyle is to create a safety plan to prevent injury. In the first paragraph, write a personal physical activity plan using current safety guidelines. Your plan should include an approach for assessing your own physical activity level. Include supporting details in the form of facts, statistics, or examples.In the second paragraph, list any personal barriers, and internal and external influences that may prevent you from executing this plan as well as the short- and long-term goals that would ensure your plan is successful. Also, explain one method you could use to monitor how well you progress toward meeting these goals and combating barriers and influences. Include supporting details in the form of facts, statistics, or examples. In the Calculations section you were asked to calculate the percent error in your Hess's Law determination. Discuss at least two possible sources of error that could contribute to your percent error. What approach did you find to help you identify sketches that are not fully constrained in the future? How will you approach adding constraints to achieve full constraint? why is the underlined heading a good choice for this section What happens at divergent boundaries? Choose at least one example from the lab to cite your evidence. Use the RACE strategy to write 3 - 5 sentences in paragraph form. RACE = R - Restate the Question. A - Answer Question C- Cite your evidence E- Explain how the evidence supports your answer. To write your paragraph, use the sentence starters and fill in the blanks. 1st sentence: A _____________________ forms at divergent boundaries. 2nd sentence: This happens when the two plates _______________. 3rd sentence: This was shown in the lab when _______________ happened. 4th sentence: _________________ occurs here and creates a new ocean crust. 5th sentence: This lab demonstration has helped me to better understand _________________________ boundaries. Which action is most similar to the tactics Hideki Tojo advocated as a generaland political leader in Japan?A. A country cuts off foreign imports in an effort to become totallyself-reliant.OB. A country abandons industrialization and returns to agrarianeconomic models.C. A country abolishes political parties and allows the military tocontrol its government.OD. A country supports nationalist rebellions in colonies dominated byimperial powers. An airplane is flying in a horizontal circle at aspeed of 105 m/s. The 87.0 kg pilot does notwant the centripetal acceleration to exceed6.27 times free-fall acceleration.Find the minimum radius of the plane'spath. The acceleration due to gravity is 9.81m/s.Answer in units of m. What was the purpose of Compromise of 1850? Why is the following no solution?|x| = -5 corey was struck in the back of the head with a baseball bat. after the blow, she had difficulty with balance and coordinated movements and experienced problems with walking and riding a bike. which brain structure was probably damaged?