4.5 code need help we are not to the stage .format Teacher does not want that

4.5 Code Need Help We Are Not To The Stage .format Teacher Does Not Want That

Answers

Answer 1

i = 0

while True:

   word = input("Please enter the next word: ")

   if word == "STOP":

       break

   i += 1

   print("#"+str(i)+": You entered "+word)

print("All done. "+str(i)+" words entered.")

I hope this helps!


Related Questions

HELP PLEASE

Today, not only do companies employ public relations managers but so do many
celebrities and politicians. Research and explain what the role of a public relations
manager is and see if you can think of the reasons why many public figures seem
to find them useful.

Answers

Answer: The role of a public relations manager is to keep the image of a celebrity, politician, ect. good so that they can keep their career going while constantly in the eye of the public. Public figures may find this useful because it can help them keep their record clean and have a personal life while also making it seem like they are perfect people to their audience, which in hand can help with business.

Explanation:

write a program to prompt for a score between 0.0 and 1.0. If the score is
out of range, print an error. If the score is between 0.0 and 1.0, print a grade
usmg the following table:
Score Grade
0.9 A
08 B
07
= 0.6 0
0.6
if the user enters a value out of range, print a suitable error message and exit.
For the test enter a score of 0.85.
Check Code
Reset Code​

Answers

score = float(input("Enter Score: "))

message = "Score out of range"

if score >= 0.9:

   message = "A"

elif score >= 0.8:

   message = "B"

elif score >= 0.7:

   message = "C"

elif score >= 0.6:

   message = "D"

elif score < 0.6:

   message = "F"

else:

   message = "Out of Range"

print(message)

I hope this helps!

power point programm

Answers

huhhhhhhhyyyyhheyeydud

4
Multiple Choice
You wrote a program to find the factorial of a number. In mathematics, the factorial operation is used for positive integers and zero.
What does the function return if the user enters a negative three?
def factorial number):
product = 1
while number > 0
product = product number
number = number - 1
return product
strNum = input("Enter a positive integer")
num = int(str Num)
print(factorial(num))
O-6
O-3
O There is no output due to a runtime error.
0 1
< PREVIOUS
NEXT >
SAVE
SUBMIT
© 2016 Glynlyon, Inc. All rights reserved.
V6.0 3-0038 20200504 mainline

Answers

The function will output positive 1 to the console. This happens because we declare product as 1 inside our function and that value never changes because the while loop only works if the number is greater than 0.

Create a script to input 2 numbers from the user. The script will then ask the user to perform a numerical calculation of addition, subtraction, multiplication, or division. Once the calculation is performed, the script will end.

Answers

Answer:

The code given is written in C++

First we declare the variables to be used during the execution. The names given are self-explanatory.

Then the program outputs a request on the screen and waits for user input, for both numbers and one more time for the math operation wanted, selected with numbers 1 to 4.

Finally, the program executes the operation selected and outputs the result on screen.  

Code:

#include <iostream>

int main()

{

// variable declaration

float numberA;

float numberB;

int operation;

float result=0;

//number request

std::cout<<"Type first number:\n"; std::cin>>numberA;

std::cout<<"Type second number:\n"; std::cin>>numberB;

 

//Operation selection

cout << "Select an operation\n";

cout << "(1) Addition\n";

cout << "(2) Subtraction\n";

cout << "(3) Multiplication\n";

cout << "(4) Division\n";

std::cout<<"Operation:\n"; std::cin>>operation;

switch(operation){

 case 1:

  result = numberA+numberB;

  break;

 case 2:

  result = numberA-numberB;

  break;

 case 3:

  result = numberA*numberB;

  break;

 case 4:

  result = numberA/numberB;

  break;    

 default:

  std::cout<<"Incorrect option\n";

 }

//Show result

std::cout<<"Result is:"<<result<<::std::endl;

return 0;

}

Imagine you have a friend who is new to computing. He is not necessarily interested in going into programming, but he would like to know the basics in terms of how computers work, how programs are written, and how computers communicate with each other. You are talking to him about the basics, but he keeps confusing operating systems, programming language, computer language, and markup language. How would you use very plain language to explain to him the differences between these things and how they interact with each other?

Answers

An operating system is responsible for the overall function of a computer system and it enables us to program a computer through thes use of a computer language.

What is programming?

Programming can be defined as a process through which software developer and computer programmers write a set of instructions (codes) that instructs a software on how to perform a specific task on a computer system.

What is an operating system?

An operating system can be defined as a system software that is pre-installed on a computing device, so as to manage computer hardware, random access memory (RAM), software, and all user processes.

Basically, an operating system is responsible for the overall function of a computer system and as such without it, a computer cannot be used for programming. Also, a computer language is typically used for programming while a markup language is a type of computer language that is mainly used for designing websites through the use of tags.

Read more on software here: https://brainly.com/question/26324021

What can be harmful to your computer?

Mobile Devices
Fogd and Drinks
Respect
Cyberbullying

Answers

Answer:

B, Food and Drinks......

Write a program that prompts the user to enter a Social Security number in the format ddd-dd-dddd, where d is a digit. The program displays Valid SSN for a correct Social Security number or Invalid SSN otherwise.

Answers

ssn = input("Enter a valid Social Security number: ")

dashes = 0

nums = 0

message = "Invalid SSN"

if len(ssn) == 11:

   for x in ssn:

       if x.isdigit():

           nums += 1

       elif x == "-":

           dashes += 1

if nums == 9 and dashes == 2:

   message = "Valid SSN"

print(message)

I wrote my code in python 3.8. I hope this helps!

The program that prompts the user to enter a Social Security number in the format ddd-dd-dddd, where d is a digit can be implemented in Python using regular expressions. The regular expression pattern for the SSN format can be used to validate the input.

Pythons code:

```python

import re

ssn_pattern = re.compile(r'^\d{3}-\d{2}-\d{4}$')

ssn = input("Enter your Social Security Number (format: ddd-dd-dddd): ")

if ssn_pattern.match(ssn):

print("Valid SSN")

else:

print("Invalid SSN")

```

In the above code, we first import the `re` module to work with regular expressions.

We then define the regular expression pattern for the SSN format as `^\d{3}-\d{2}-\d{4}$`. This pattern matches any string that starts with three digits, followed by a hyphen, then two digits, another hyphen, and finally, four digits.

We then prompt the user to enter their SSN using the `input()` function. We then check if the entered SSN matches the pattern using the `match()` function of the regular expression object `ssn_pattern`.

If the SSN matches the pattern, we print "Valid SSN". Otherwise, we print "Invalid SSN".

Know more about SSN,

https://brainly.com/question/31778617

#SPJ4

What is the main purpose of the status report? O A. To ensure that management and the team has a clear picture of the state of the project. B. To alert management to exceptional or unusual situations, C. To document the impact of change requests from the client. D. To detail the mistakes made in planning and budgeting,​

Answers

Answer:

A. To ensure that management and the team has a clear picture of the state of the project

Explanation:

hope this helps!

Answer:

A

Explanation:

a file named loan.html, write an HTML document that looks similar to figure 9-7 in the textbook. Write four functions with these headers:
function doPayment ( )
function doBalance ( )
function computePayment (principal, annualRate, years, periodsPerYear)
function computeBalance (principal, annualRate, years, periodsPerYear, numberOfPaymentPaidToDate)
The first two functions (doPayment and doBalance) do the following:

Take no parameters.
Are called from an onclick attribute.
Get input from the user.
Call the computePayment or the computeBalance function.
Display a result to the user.
The computePayment function computes and returns the monthly payment for a loan with a fixed annual interest rate. The formula for computing a loan payment is

p = ar
1 − (1 + r)−n
Where p is the payment per period, a is the loan amount, r is the interest rate per period, and n is the total number of periods throughout the life of the loan.

The computeBalance function computes and returns the balance for a loan with a fixed annual interest rate. The formula for computing the balance of a loan after d payments have been made is

b = a (1 + r)d − p ( (1 + r)d − 1 )
r
Where b is the balance or payoff amount, a is the loan amount, r is the interest rate per period, p is the payment per period, and d is the number of payments paid to date.

Answers

Answer:

function computePayment(principal, annualRate, periodsPerYear){

   var pay;

   pay = (principal * annualRate)/(1-(1+annualRate)-periodsPerYear);

   return pay;

}

function computeBalance(principal, annualRate, periodsPerYear, numberOfPaymentsPaidToDate){

   var balance ;

   let num = (principal*(1+annualRate)*periodsPerYear);

   let denum = numberOfPaymentsPaidToDate *((1+annualRate) * periodsPerYear-1)*annualRate;

   balance = num-denum;

   return balance;

}

function doPayment(){

   let loanAmount = document.getElementById("principal").value;

   let rate = document.getElementById("rate").value;

   let duration = document.getElementsById("time").value;

   let result = computePayment(loanAmount, rate, duration);

   document.getElementsById("periodPay").value = result;

}

function doBalance(){

   let loanAmount = document.getElementById("principal").value;

   let rate = document.getElementById("rate").value;

   let duration = document.getElementById("time").value;

   let currentPaid = document.getElementById("paidMonths").value;

   let result = computeBalance(loanAmount, rate, duration, currentPaid);

   document.getElementById("displayBalance").value = result;

}

Explanation:

The javascript source code defines four functions. The 'doPayment' and 'doBalance' functions are initiated with the onclick properties of the HTML file buttons of the loan calculator. The doPayment function gets the user input from the HTML file and assigns them to variable which are used as the parameters of the computePayment function called.

The doBalance function also retrieve user input from the HTML file and calls the computeBalance function to calculate and return the balance of the loan to be paid.

The Review tab in Microsoft Publisher provides two groupings called _____. Proofing and Language Spell Check and Research Proofing and Thesaurus Language and Comments

Answers

Answer:

Proofing and language.

Explanation:

If anyone has the answer for this that would be really helpful!!

Answers

Hope this will help you...

Answer:

1.a

2.f

3.b

4.c

5.e

6.g

7.h

8.d

Explanation:

what does libtard mean

Answers

Answer:

Normally, It is a person of the opposite political belief that thinks that liberals/leftists are stupid for what they say. Most of the time, this "insult" is mostly used by Right-Winged Conservitives or used as a joke by leftists to show how funny it is when conservitives say it.

Answer:

it means a liberal r3tard. lib-tard

Explanation:

Other Questions
who thinks i might be attractive lol Guys plz helppppppppppppppppppppppp plz help :) will mark brainliest if correct please answer thanks uuuu EnglishEspaolHelTim bought an antique vase 15 years ago for $25. Today, the vase isvalued at $1,200. Tim knows the increase in the value followed anexponential growth pattern. Which equation can be solved to find r, therate of increase in the vase's value during the 15-year period? Where would a park ranger most likely tell hikers and campers not to build a campfire?(1 point)in areas with cold temperatures and frozen groundin areas with high winds and droughtin areas where there are clouds and rain is fallingin areas where there is lots of sand and little vegetationScientists can help determine areas likely to have wildfires by using satellites to figure out much humidity is in the air. What does humidity measure?(1 point)the types of clouds found in the airthe amount of water vapor in the airthe temperature of the airthe speed of wind caused by the airA group of campers want to ensure they have a safe campfire, reducing the chances for it to spread into a wildfire.What should they do to minimize the risk of the campfire causing a wildfire?(1 point)keep buckets of sand nearby in case the fire spreadsremove any dried leaves or sticks from areas around the firehave campers wake up to check the fire every five hours at nighthave several small campfires in the same areaOne way to limit the spread of wildfires is to create a defensible space. What is a defensible space?(1 point)a fire set on purpose to clear land and remove dead vegetationcreating a path in the woods that leads out of a wildfireclearing vegetation and other materials that could catch fire away from buildingsan area with stored water to fight wildfires In 1927, the KKK marched 50,000 strong down the streets of the nations __________. Fill in the blank Juveniles right to proper placement could best be described as the right to be placedby themselves.separately from adult offenders.under parental or guardian supervision.with other juveniles. What is the equation of this line?y=1/2x-3y=-1/2x-3y=-2x-3y=2x-3 Which type of figurative language is used as an exaggeration to evoke strong emotion (metaphor simile hyperbole epithet) What is a good alternative to eating when you are not hungry?-Just having a snack-Drinking a glass of water-Staying distracted by the desire to eat-Having a high-calorie beverage instead what happened before the murder in tell tale heart According to Jewish scripture, what role did Moses play in the Jewish faith? Kate owns a refreshment-stand business at the community ball park. She goes to a warehouse like Sam's and purchases snacks and canned soda that she will sell at her stand. Kate is considered a When characters in a story discuss other characters, this is an example of:direct characterizationplotconflictindirect characterization There are 2 sets of balls numbered l through 19 placed in a bowl. If 2 balls are randomly chosen without replacement, find the probability that the balls have the same number. Express your answer as a fraction in lowest terms or a decimal rounded to the nearest millionth. How is the moderator's role typically shared in a one-on-one formal discussion?O One person is assigned to make sure both participants stay on task.O One person creates an agenda, while the other person makes sure they stay on task.O The participants allow each other to talk for however long they need to make their point,O Both participants collaborate on creating an agenda and keeping each other on task. What can you conclude about the population of Africa based on this information?Analyze the map below and answer the question that follows.A satellite map of Africa with country boundaries. Countries are labeled A, B, C, D, E, F, G, H, and J. A, B, C, D, E, and F are along the east coast near the Saudi Arabian peninsula. H is the largest country in the rainforest region. G is on the west coast near Niger and Cameroon. J is the country at the southern tip of Africa.Image courtesy of NASAAnalyze the map above. Which of the following countries is identified correctly? i. Country A is Egypt ii. Country G is Sudan iii. Country H is South AfricaA. i. onlyB. ii. onlyC. i. and iii. onlyD. ii. and iii. only A fish tank holds 95 gallons of water and is losing water at a rate of 4 gallons per day. A second fish tankcontains 40 gallons of water and is having 5 gallons added per day. Write an inequality to determine after howmany days the first tank will have less water than the second.Define the variable:Write the Inequality: Which of the following might mean that Stephanie is tired?