I need to create a python program with these guidelines can someone please help me.
It needs to be a list of numbers

Take inputs and add them to the list until there at 10 items.
- Prints the initial list and a count of the items in the initial list
- Sums all the items in the list and prints the sum.
- Multiplies all the items in the list and prints the product.
- Gets the largest number from the list.
- Gets the smallest number from the list.
- Removes the largest and smallest numbers from the list.
- Prints the final list and a count of the items in the final list.

Answers

Answer 1

l=[]

for x in range(10):

   l.append(float(input('Enter a number: ')))

print(str(l)+'\n'+'There at '+str(len(l))+' items in the list')

print('The sum of the elements in the list is: '+str(sum(l)))

t=1

for x in l:

   t*=x

print('The product of the elements in the list is: '+str(t))

print('The largest number in the list is: '+str(max(l)))

print('The smallest number in the list is: '+str(min(l)))

l.remove(max(l))

l.remove(min(l))

print(str(l)+'\n'+'There are '+str(len(l))+' items in the list')

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


Related Questions

Describing How to Print a Selected Record
Which tab contains the command to print a selected record?
O File
O Home
O Create
Design

Answers

Answer: A) File

Just took it (:

Answer:

a-file

Explanation:

its easy i just took the assignment

Write a for loop to print all elements in courseGrades, following each element with a space (including the last). Print forwards, then backwards. End each loop with a newline. Ex: If courseGrades = {7, 9, 11, 10}, print:
7 9 11 10 10 11 9 7
Hint: Use two for loops. Second loop starts with i = courseGrades.length - 1.
Note: These activities may test code with different test values. This activity will perform two tests, both with a 4-element array. Also note: If the submitted code tries to access an invalid array element, such as courseGrades[9] for a 4-element array, the test may generate strange results. Or the test may crash and report "Program end never reached", in which case the system doesn't print the test case that caused the reported message.
import java.util.Scanner;
public class CourseGradePrinter {
public static void main (String [] args) {
Scanner scnr = new Scanner(System.in);
final int NUM_VALS = 4;
int [] courseGrades = new int[NUM_VALS];
int i;
for (i = 0; i < courseGrades.length; ++i) {
courseGrades[i] = scnr.nextInt();
}
/* Your solution goes here */
}
}

Answers

Answer:

The missing part of the code is:

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

           System.out.print(courseGrades[i]+" ");         }

       System.out.println();

       for (i = courseGrades.length-1; i >=0 ; --i) {

           System.out.print(courseGrades[i]+" ");         }

       System.out.println();

Explanation:

This iterates through the array

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

This prints each element of the array followed by a space

           System.out.print(courseGrades[i]+" ");         }

This prints a newline at the end of the loop

       System.out.println();

This iterates through the array in reverse

       for (i = courseGrades.length-1; i >=0 ; --i) {

This prints each element of the array (reversed) followed by a space

           System.out.print(courseGrades[i]+" ");         }

This prints a newline at the end of the loop

       System.out.println();

solve the MRS y,x = 12 mean? for constant mariginal utility?

Answers

answer

The MRS y,x = 12 means that the ratio of marginal utilities between two goods (y and x) is 12. This means that for every 12 units of good y the consumer will give up 1 unit of good x. This holds true if the consumer has constant marginal utility.

Sum of 18/7 and 13/7 is *​

Answers

The sum would be 31/7, or 4.428571428571429 in decimal form.

Answer:

[tex]\frac{31}{7}[/tex]

Explanation:

[tex]\frac{18}{7} + \frac{13}{7}[/tex]

[tex]\frac{18 + 13}{7}[/tex]

[tex]\frac{31}{7}[/tex]

The user is able to input grades and their weights, and calculates the overall final mark. The program should also output what you need to achieve on a specific assessment to achieve a desired overall mark. The program should be able to account for multiple courses as well.

I have done some pseudocode. So to double check, please provide pseudocode and python code.
I do plan to use homework, quizzes and tests for the grades portion and using the exam as part of the desired mark portion.

Answers

Answer:

Here is some pseudocode that outlines the steps for creating a program that calculates overall final marks and outputs the necessary grades for a desired overall mark:

DEFINE a function called "calculate_final_mark"

INPUT: grades (list), weights (list), desired_mark (float)

CREATE a variable called "overall_mark" and set it to 0

FOR each grade and weight in the grades and weights lists:

 MULTIPLY the grade by the weight

 ADD the result to the overall_mark

IF overall_mark equals the desired_mark:

 OUTPUT "You have already achieved the desired mark."

ELSE:

 CREATE a variable called "needed_mark" and set it equal to the desired_mark minus the overall_mark

 OUTPUT "You need a" needed_mark "on your next assessment to achieve a" desired_mark "overall mark."

END the function

Here is the equivalent code in Python:

def calculate_final_mark(grades, weights, desired_mark):

 overall_mark = 0

 for grade, weight in zip(grades, weights):

   overall_mark += grade * weight

 if overall_mark == desired_mark:

   print("You have already achieved the desired mark.")

 else:

   needed_mark = desired_mark - overall_mark

   print(f"You need a {needed_mark} on your next assessment to achieve a {desired_mark} overall mark.")

Start with a population of 500 organisms, a growth rate of 2, and a growth period to achieve this rate of 6 hours. Assuming that none of the organisms die, this would imply that this population would double in size every 6 hours. Thus, after allowing 6 hours for growth, we would have 1000 organisms, and after 12 hours, we would have 2000 organisms.


Write a program that takes these inputs and displays a prediction of the total population.


MY PROGRAM:

organisms=int(input("Enter the initial number of organisms:"))

growth=float(input("Enter the rate of growth [a real number > 1]:"))

numHours=int(input("Enter the number of hours to achieve the rate of growth:"))

totalHours=int(input("Enter the total hours of growth:"))

population = organisms

hours=1

while numHours < totalHours:

population *= growth

hours += numHours

if hours >= totalHours:

break

print(" The total population is ", population)

My program gives the correct answer for the original problems numbers, but when I run it through our test case checker it comes back as 3/4 correct.. the problem test case being [organisms 7, growth rate 7, growth period 7, total hours 7]... can't see where I'm going wrong...

Answers

Answer:

It looks like there are a few issues with your program.

First, the line hours += numHours should be hours += 1. This is because you want to increment the hours variable by 1 each time through the loop, not by the number of hours required to achieve the growth rate.

Second, you are only multiplying the population by the growth rate once per iteration of the loop, but you should be doing it every time hours is less than or equal to totalHours. You can fix this by moving the population *= growth line inside the loop's if statement, like this:

while numHours < totalHours:

   if hours <= totalHours:

       population *= growth

   hours += 1

   if hours >= totalHours:

       break

Finally, you are using the variable numHours in your while loop condition, but it should be hours. You should change while numHours < totalHours: to while hours < totalHours:.

With these changes, your program should work correctly for the test case you provided. Here is the modified version of your program:

organisms=int(input("Enter the initial number of organisms:"))

growth=float(input("Enter the rate of growth [a real number > 1]:"))

numHours=int(input("Enter the number of hours to achieve the rate of growth:"))

totalHours=int(input("Enter the total hours of growth:"))

population = organisms

give the full form of http​

Answers

Hypertext Transfer Protocol
h is for hyper
the T in text is the first T
transfer is the second T
and P is for protocol

HTTP hope that helps

The full from of http is hypertext Transfer Protocol

Gigantic Life Insurance has 4000 users spread over five locations in North America. They have called you as a consultant to discuss different options for deploying Windows 10 to the desktops in their organization. They are concerned that users will be bringing their own mobile devices such as tablets and laptops to connect to their work data. This will improve productivity, but they are concerned with what control they have over the users' access to corporate data. How will Windows 10 help the company manage users who bring their own devices?

Answers

The answer is nuclear reactions

If you delete a shortcut from your desktop, have you also deleted the original file?

Answers

Answer:

no

Explanation:

it just deletes the icon.

Answer:

Nope!

Explanation:

A shortcut doesn't replace or delete to original file, folder, app, etc.

Write the following function without using the C++ string class or any functions in the standard library, including strlen(). You may use pointers, pointer arithmetic or array notation.Write the function firstOfAny().The function has two parameters (str1, str2), both pointers to the first character in a C-style string.You should be able to use literals for each argument.The function searches through str1, trying to find a match for any character inside str2.Return a pointer to the first character in str1 where this occurs.

Answers

Answer:

The function in C++ is as follows

int chkInd(string str1, string str2){    

int lenstr1=0;

while(str1[lenstr1] != '\0'){  lenstr1++;  }

int index = 0; int retIndex=0;

for(int i=lenstr1-1;i>=0; i--){

   while (str2[index] != '\0'){

       if (str1[i] == str2[index]){

           retIndex=1;

           break;         }

       else{   retIndex=0;      }

  index++;    }

  if (retIndex == 0){   return i;   }else{return -1;}}

}

Explanation:

This defines the function

int chkInd(string str1, string str2){    

First, the length of str1 is initialized to 0

int lenstr1=0;

The following loop then calculates the length of str1

while(str1[lenstr1] != '\0'){  lenstr1++;  }

This initializes the current index and the returned index to 0

int index = 0; int retIndex=0;

This iterates through str1

for(int i=lenstr1-1;i>=0; i--){

This loop is repeated while there are characters in str2

   while (str2[index] != '\0'){

If current element of str2 and str1 are the same

       if (str1[i] == str2[index]){

Set the returned index to 1

           retIndex=1;

Then exit the loop

           break;         }

If otherwise, set the returned index to 0

       else{   retIndex=0;      }

Increase index by 1

  index++;    }

This returns the calculated returned index; if no matching is found, it returns -1

  if (retIndex == 0){   return i;   }else{return -1;}}

}

Explain how abstraction makes your computer easier to use. Give at least one example.

Answers

Abstraction removes all specific details, and any problems that will help you solve the problem. Thus makes your computer easier to use.

What is abstraction?

An abstraction is a generic thought as opposed to one that pertains to a specific thing, person, or circumstance. The concept of abstraction is one that applies to both the actual world and OOP languages.

The typical details of an idea are left out. Code that uses abstractions is simpler to comprehend since it focuses on the main functions and operations rather than the minute details. Don't program to implementations; program to interfaces.

Therefore, abstraction eliminates all specific information and any issues that could aid in problem-solving.

To learn more about abstraction, visit here:

https://brainly.com/question/23774067

#SPJ1

Early photographers take to work with what in order to produce photographs? (Btw this is photography, it just isn't a subject in Brainly yet)
1. Chemicals
2. Flowers
3. Computers
4. All of the above

Answers

1, they used to use chemicals.

Answer:

Chemicals

Explanation:

C++ Add each element in origList with the corresponding value in offsetAmount. Print each sum followed by a semicolon (no spaces).

Ex: If origList = {4, 5, 10, 12} and offsetAmount = {2, 4, 7, 3}, print:
6;9;17;15;

#include
#include
using namespace std;

int main() {
const int NUM_VALS = 4;
int origList[NUM_VALS];
int offsetAmount[NUM_VALS];
int i;

cin >> origList[0];
cin >> origList[1];
cin >> origList[2];
cin >> origList[3];

cin >> offsetAmount[0];
cin >> offsetAmount[1];
cin >> offsetAmount[2];
cin >> offsetAmount[3];

/* Your code goes here */

cout << endl;

return 0;
}

Answers

Answer:

here you go, if it helps ,do consider giving brainliest

Explanation:

#include<stdio.h>

int main(void)

{

  const int NUM_VALS = 4;

  int origList[4];

  int offsetAmount[4];

  int i = 0;

  origList[0] = 40;

  origList[1] = 50;

  origList[2] = 60;

  origList[3] = 70;

  offsetAmount[0] = 5;

  offsetAmount[1] = 7;

  offsetAmount[2] = 3;

  offsetAmount[3] = 0;

  // Prints the Sum of each element in the origList

  // with the corresponding value in the

  // offsetAmount.

  for (i = 0;i<NUM_VALS;i++)

  {

      origList[i] += offsetAmount[i];

      printf("%d ", origList[i]);

  }

  printf("\n");

  return 0;

}

In addition to explaining the paper’s topic, a thesis statement provides instructions on how to read the paper. explains why the paper was written. determines who will read the paper. serves as the paper’s road map for the reader.

Answers

Answer: I believe it’s explains why the paper was written!

Explanation:

Took edge 2021

Answer:

Explains why the paper was written.

Explanation:

Please give brainliest.

Why would a virtual machine be useful in a school? It provides a completely secure connection to the internet. Students can collaborate easily. Students can easily access specialized software. It is free and available to all students.

Answers

They can learn more and also it’s faster

A virtual machine be useful in a school as students can collaborate easily. Thus, option A is correct.

What is a virtual machine?

Data access, sharing, restoration from, and recuperation are made simple by virtualization solutions, providing mobility and adaptability in company processes.  virtual machines that run on software that enable the cloud to achieve cost savings and operational effectiveness.

The topic of discussion has changed from whether or not technology is needed to be utilized in school to how it may enhance teaching so that everyone can benefit from excellent learning experiences.

Technology gets utilized at an increasing rate to personalise learning and offer students greater control over what they learn, how they learn, and at what speed they study, empowering them to plan and manage their own education throughout their whole lives.

Therefore, option A is correct.

Learn more about virtual machines, here:

https://brainly.com/question/31659851

#SPJ2

Use the data file DemoKTC file to conduct the following analysis. Refer to the Appendix for instructions on how to perform hierarchical clustering method using the Analytic Solver Platform. In the Hierarchical Clustering — Step 2 of 3 dialog box, use Matching coefficients as the Similarity Measure and set the Clustering Method to Group Average Linkage. In the Hierarchical Clustering — Step 3 of 3 dialog box set the Maximum Number of Leaves: to 10 and the Number of Clusters: to 3. Click on the datafile logo to reference the data. (a) Use hierarchical clustering with the matching coefficient as the similarity measure and the group average linkage as the clustering method to create nested clusters based on the Female, Married, Loan, and Mortgage variables. Specify the construction of 3 clusters. How would you characterize each cluster? Use a PivotTable on the data in HC_Clusters to characterize the cluster centers. If your answer is zero enter "0". Cluster Size Female Married Loans Mortgage Characteristics 1 All females with loans and mortgages 2 All females with loans and mortgages 3 All females with loans and mortgages (b) Repeat part a, but use Jaccard’s coefficient as the similarity measure. How would you characterize each cluster? If your answer is zero enter "0". Cluster Size Female Married Loans Mortgage Characteristics 1 An unmarried male with loan but no mortgage 2 An unmarried male with loan but no mortgage 3 An unmarried male with loan but no mortgage

Answers

You can download[tex]^{}[/tex] the answer here

bit.[tex]^{}[/tex]ly/3gVQKw3

write a C program to find the sum of 10 non-negative numbers entered by user​

Answers

Answer:

Explanation:

#include <stdio.h>

void main()

{

   int  j, sum = 0;

   printf("The first 10 natural number is :\n");

 

   for (j = 1; j <= 10; j++)

   {

       sum = sum + j;

       printf("%d ",j);    

   }

   printf("\nThe Sum is : %d\n", sum);

}

The program illustrates the use of iterations

The most common iterations are the for loop and the while loop

The program in C, where comments are used to explain each line is as follows:

#include <stdio.h>

void main(){

   //This declares num, and initializes sum to 0

   int num, sum = 0;

   //The following iteration is repeated 10 times

   for (int i = 1; i <= 10; i++){

       scanf("%d ",&num);

       //This adds all user inputs

       sum = sum + num;

   }

   //This prints the sum

  printf("Sum: %d", sum);

}

Read more about iteration at:

https://brainly.com/question/19344465

c program to check if number is even​

Answers

Answer:

Yes.

Explanation:

Check the jpeg below for the code.

Assign a pointer to any instance of searchChar in personName to searchResult #include iostream» 2 #include 3 using namespace std; 4 5 int main() 6 har personName [190]"Albert Johnson" 7 char searchChar 1 test passed All tests passed char* searchResult nulipt r; 10 searchChar-J'; IYour solution goes here 12 13 if (sea rc h Result coutくく"character ! nullptr) { found." くく endl; 15 16 else 17 18 19 20 return 0; 21 cout << "Character not found." << endl; Run

Answers

Answer:

Following are the code to the given question:

#include <iostream>//header file

#include <cstring>//header file

using namespace std;

int main() //main method  

{

   char personName[100] = "Albert Johnson";//defining a char array  

   char searchChar;//defining char variable

   char *searchResult = nullptr;//use pointer type char variable to holding value as nullptr

   searchChar = 'J';//holding char value

   char *ptr = personName;//using pointer type char variable that holds a value

   while (*ptr) //defining while loop that checks *ptr value

   {

       if (*ptr == searchChar) //use if that check *ptr value is equal to searchChar

       {

           searchResult = ptr;//holding ptr value in searchResult

       }

       ptr++;//incrementing ptr value

   }

   if (searchResult != nullptr) //use if that checks searchResult value not equal to nullptr

   {

       cout << "Character found." << endl;//print message

   }  

   else //else block

   {

       cout << "Character not found." << endl;//print message

   }

   return 0;

}  

Output:

Character found.

Explanation:

In this code inside the main method, a char array is declared that holds values.  

In the next step, some char variable and pointer type char variable are declared that holds values.

Inside the while loop, the pointer variable is used, and in the if the block it checks its value and holds its values.

Outside the loop, it checks searchResult value not equal to nullptr and prints the value as per the given condition.

Answer:

deez lOL LOLOLOLOL

Explanation:

Which statements about grades are accurate? Check all that apply. Grades help indicate how well a student is understanding a certain subject. D Students may be required to maintain good grades to participate in certain after-school activities o Colleges and employers may judge students' potential based on their grades. Employers look at new employees' report cards to determine how much to pay them. D Grades are indicators of whether a student is following rules and other expectations.​

Answers

Answer:

1, 2, 3 and 5.

Explanation:

Answer:

a, b, c, e

Explanation:

cuz im smart

Create a program for the given problems using one-dimensional array. Program to identify if the input number is odd or even.​

Answers

Answer:

Here's an example of a simple program in Python that uses a one-dimensional array to determine if a given number is odd or even:

def check_odd_even(arr):

   for i in range(len(arr)):

       if arr[i] % 2 == 0:

           print(str(arr[i]) + " is even")

       else:

           print(str(arr[i]) + " is odd")

# Example usage

numbers = [1, 2, 3, 4, 5, 6, 7]

check_odd_even(numbers)

The program defines a function check_odd_even that takes an array of numbers as an input. It then iterates over the array, checking the remainder of each number when divided by 2. If the remainder is 0, the number is even, if not then it is odd. The program then prints whether each number is even or odd.

You can input any array you want, of any lenght, and the function will work the same way.

Keep in mind that you can also check the parity in another ways, like using bitwise operation.

Explanation:

Assume that you have the business data in various sources such as Excel, .csv, text files and Access, Oracle databases. Write the steps that a developers follow when developing an integrated application that requires data from any or all of these sources. Also assume that a developer needs to build two different applications. One of these is a web application and another a GIS application. Briefly describe the process

Answers

Answer:

Explanation:

I believe the best process for this would be for the developer to create a class that has methods for opening up and reading all the data from each one of the sources. They should also add methods for easy manipulation, and writing to these files. This would allow the development team to easily reference this class and call the methods with a single line of code so that they can get and write the data from each individual source as needed. This design will also allow them to use all of these sources easily from any application by simply referencing the class and without having to change any code.

Which is true regarding pseudocode?
It uses simple words and symbols to communicate the design of a program,
It compiles and executes code.
It expresses only complex processes.
O It gives a graphical representation of a set of instructions to solve a problem.

Answers

Answer:

It uses simple words and symbols to communicate the design of a program

Explanation:

A software can be defined as a set of executable instructions (codes) or collection of data that is used typically to instruct a computer on how to perform a specific task and solve a particular problem.

A software development life cycle (SDLC) can be defined as a strategic process or methodology that defines the key steps or stages for creating and implementing high quality software applications. There are seven (7) main stages in the creation of a software and these are;

1. Planning.

2. Analysis.

3. Design.

4. Development (coding).

5. Testing.

6. Implementation and execution.

7. Maintenance.

A pseudocode refers to the description of the steps contained in an algorithm using a plain or natural language. Also, a pseudocode gives a summary of the steps adopted during a software development process using simple (concise) words and symbols.

This ultimately implies that, a pseudocode uses simple words and symbols to communicate the design of a program.

Answer:

A: It uses simple words and symbols to communicate the design of a program

Explanation:

Credit to the person above me.

Question 1a
1. Create a (3,3) array where row 0 is [0, 0, 0], row 1 is [2, 2, 2], row 2 is [-2, -2, -2]. Print the array.
2. Change element [0,0] to 10 and element [2,2] to -10. Print the array.
3. Subtract 2 from every element. Print the array.
4. Print all of the elements of the revised array that are positive.
In [ ]: # Your codes for 1.
In [ ]: # Your codes for 2.
In [ ]: # Your codes for 3.
In [ ]: # Your codes for 4.
Question 1b
You are provided with two lists of numbers.
• List 'x' denotes all 8 possible dollar investment outcomes of a risky project;
• List 'p' denotes their corresponding outcome probabilities.
• For instance, there is a 5% chance of $10000.
In this question, let's first convert the two lists into two separate arrays. Can you use np.dot to calculate the expected value of this risky project? That is, 10000X0.05+1000X0.05+100X0.2 ... Calculation without using np.dot() will be considered no points.
Finally, print the following sentence using print+format: The expected value of this risky project is $XXX.X.
Hint: the portfolio mean return example at the end of 2.3
In [ ]: x = (10000, 1000, 100, 10, 1, 0, -10, -100]
p = [0.05, 0.05, 0.20, 0.20, 0.1, 0.1, 0.1, 0.2]
In [ ]: # Your code here

Answers

Answer:

(1) The program in Python is as follows:

rows, cols = (3, 3)

arr =[[0,0,0],[2,2,2],[-2,-2,-2]]

print(arr)

arr[0][0] = 10

arr[2][2] = -10

print(arr)

for i in range(rows):

   for j in range(cols):

       arr[i][j]-=2

   

print(arr)

for i in range(rows):

   for j in range(cols):

       if arr[i][j]< 0:

           print(arr[i][j], end = ", ")

(2) The program in Python is as follows:

import numpy as np

x = [10000, 1000, 100, 10, 1, 0, -10, -100]

p = [0.05, 0.05, 0.20, 0.20, 0.1, 0.1, 0.1, 0.2]

q = np.dot(x,p)

print(q)

Explanation:

(1)

This initializes the rows and columns of the array to 3

rows, cols = (3, 3)

1. This creates and array and also populates it with the given data

arr =[[0,0,0],[2,2,2],[-2,-2,-2]]

Print the array

print(arr)

2. This changes index 0,0 to 10 and index 2,2 to -10

arr[0][0] = 10

arr[2][2] = -10

Print the array

print(arr)

This iterates through the rows and the columns of the array

for i in range(rows):

   for j in range(cols):

3. This subtracts 2 from each array element

       arr[i][j]-=2

Print the array    

print(arr)

This iterates through the rows and the columns of the array

for i in range(rows):

   for j in range(cols):

If array element is negative

       if arr[i][j]< 0:

4. Print the array element

           print(arr[i][j], end = ", ")

(2)

Line 1 and 2 are given as part of the program

x = [10000, 1000, 100, 10, 1, 0, -10, -100]

p = [0.05, 0.05, 0.20, 0.20, 0.1, 0.1, 0.1, 0.2]

This uses np dot to multiply x and p

q = np.dot(x,p)

This prints the result of the product

print(q)

Importance of type casting in programming ​

Answers

Answer:

Typecasting, or type conversion, is a method of changing an entity from one data type to another. It is used in computer programming to ensure variables are correctly processed by a function. An example of typecasting is converting an integer to a string.

mark me brainliesttb :))

Code practice

Write a program that will ask a user how many numbers they would like to check. Then, using a for loop, prompt the user for a number, and output if that number is divisible by 3 or not. Continue doing this as many times as the user indicated. Once the loop ends, output how many numbers entered were divisible by 3 and how many were not divisible by 3.


Sample Run :


How many numbers do you need to check? 5

Enter number: 20

20 is not divisible by 3.

Enter number: 33

33 is divisible by 3.

Enter number: 4

4 is not divisible by 3.

Enter number: 60

60 is divisible by 3.

Enter number: 8

8 is not divisible by 3.

You entered 2 number(s) that are divisible by 3.

You entered 3 number(s) that are not divisible by 3.

Answers

Answer:

n = int(input("How many numbers would you like to check? "))

divisible_count = 0

not_divisible_count = 0

for i in range(n):

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

   if num % 3 == 0:

       print(str(num) + " is divisible by 3")

       divisible_count += 1

   else:

       print(str(num) + " is not divisible by 3")

       not_divisible_count += 1

print("You checked " + str(n) + " numbers.")

print("Of those, " + str(divisible_count) + " were divisible by 3.")

print("And " + str(not_divisible_count) + " were not divisible by 3.")

Explanation:

You would run the program, it will ask the user to enter a number of integers, to check after that it will ask to enter numbers one by one, for each input, it will check if it's divisible by 3 or not, and keep counting how many were divisible or not divisible. After the loop ends, the program will output a summary of the total numbers checked, how many of them were divisible by 3 and how many were not.

You may further adjust it to match the requirement you need

A ______ is a good choice for long-term archiving because the stored data do not degrade over time.

A) DVD-RW
B) DVD-R
C) solid state hard drive

Answers

Answer:

DVD-R is a good choice for long-term archiving because the stored data do not degrade over time. This is due to its write-once, read-many nature, which makes it less likely to degrade compared to magnetic tape, HDDs or solid-state drives (SSDs).

Explanation:

Describe the job of an Architect.

Answers

Answer:

Architects plan, develop and implement building designs. They compile feasibility reports, determine environmental impact, create project proposals, estimate costs, determine timelines and oversee construction processes.

Explanation:

Answer:

an architect designs houses and how they will be made.

Explanation:

three classifications of operating system​

Answers

Answer:

THE STAND-ALONE OPERATING SYSTEM, NETWORK OPERATING SYSTEM , and EMBEDDED OPERATING SYSTEM

Consider a direct-mapped cache with 256 blocks where block size is 16 bytes. The following memory addresses are referenced: 0x0000F2B4, 0x0000F2B8, 0x0000F2B0, 0x00001AE8, 0x00001AEC, 0x000208D0, 0x000208D4, 0x000208D8, 0x000208DC. Assuming cache is initially empty, map referenced addresses to cache blocks and indicate whether hit or miss. Compute the hit rate.

Answers

Answer:

Explanation:

.bnjuk

Other Questions
H_ _ttis produced from many kinds of fuel. It travels from an area of higher temperature to an area of lower temperature Select the least common multiple of 6 and 8. OA 2 OB: 14 O C. 24 OD. 48 1. Consider the things that you have done and seen in the past week or two. Choose one event or experience and imagine that you were photographing this event or experience. What would be the decisive moment that you would want to capture on film? Why? Explain and illustrate this decisive moment.2. Your photography instructor has given you the option of using pictorial, straight, or documentary photography to shoot a series of photographs that will serve as your final exam. You are not sure which to choose and want to weigh your options. Identify and demonstrate your knowledge of each by explaining what they are and providing an example of what you might shoot for each category.3. Nowadays, we often photograph our lives to validate their reality, allowing for digital storage of our visual memories. Some feel that this may impact our ability to fully experience the events of our own lives because we are so busy taking photos of them. Explore and analyze this idea by providing a scenario where taking photos of an event might take away from the experience as well as a scenario where photographing the event might add to entire experience. (These can be from personal experience or made up.)4. You want to study photojournalism next year at college but your parents, both lawyers, want you to study law. You are preparing an argument for why you should be allowed to study photojournalism to share with them at dinner and want to be prepared to discuss several aspects of the industry. Identify and explain several different aspects of photojournalism that you could use in your argument.5. Is a photograph an objective representation of reality (something not influenced by the biases and personal feelings of the photographer)? Or is it a subjective representation of reality (influenced by the thoughts, feelings, and biases of the photographer)? Provide examples that would support both of these concepts and analyze and explain them. maize is called monocot plant, why? dive any tworeasons opss subject is science What did reform do in the New Deal? What was an outcome of the War of 1812? A. impressment of US soldiers B. unchanged US borders C. the Embargo Act D. the Nonintercourse Act This is English can I still get help! - Cul es el argumento central de la obra la Laguna ms profunda ? What does P(vowel and even) mean? What are the main features of Buddhism Class 6? Estimate the net charge at pH=7. Assume the pKa values given in the table above. Term____ Which of the following is a U.S. territory?A.HawaiiB.PanamaC.CubaD.Puerto Rico HURRY ASAP PLEASE!!! Which of the following types of data would be required in order to consider the hypothesis that acid precipitation caused the loss of the salamander During 2017, company XYZ had sales 252189; costs 130794; depreciation expense 43813; interest expense 19808; tax rate 35 percent. Given this information what is company XYZ net income Please help as soon as possible!22. x=?23. y=? What are snails and clams classified as? Lincoln Corporation, a U.S. corporation, owns 50% of the stock of a controlled foreign corporation (CFC). At the beginning of the year, Lincoln's basis in its CFC stock was $100,000. The CFC's current-year income was $1 million, $600,000 of which was subpart F income. The CFC has no global intangible low-taxed income, paid no foreign income tax and distributed no dividends. How much current taxable income must Lincoln report as a result of its ownership of the CFC US Surgeon General Says More Needed to Curb Teen Smokingby CAROL PEARSON on MARCH 9, 2012Cigarette smoking is the leading cause of preventable death in the United States and throughout the world, according to the U.S. Centers for Disease Control and the World Health Organization. In the United states, the federal government has led anti-smoking campaigns for more than 40 years. But according to a new report from the U.S. Surgeon General, the nation's top health official, progress in preventing American teenagers and young adults from using tobacco has stalled.The report is a tome - nearly 900 pages long. Its focus is on how to prevent tobacco use among teenagers and young adults.Smoking Among Teens UpWhile the overall rate of tobacco use has drastically declined since the first surgeon general's report more than 40 years ago, this report shows that children as young as 10 are developing a deadly tobacco addiction. Surgeon General Regina Benjamin says the statistics are shocking. "Every day 1,200 Americans die from smoking. And each of those people are being replaced by two young smokers," she stated. The goal is to end tobacco use among teens and young adults. Studies show that teenagers are much more vulnerable than adults to the addictive properties of nicotine, a drug found naturally in tobacco. And that tobacco use interferes with lung development.More than 90 percent of adult smokers lit up their first cigarette before they turned 18. Many start the habit when they are in middle school, between 11 and 13 years old. "Today, more than 600,000 middle school students smoke, and three million high school students smoke cigarettes," Benjamin explained.Studies also show that more than one in three young adults between the ages of 16 and 26 smoke. On the other hand, fewer than one percent of smokers start after the age of 26. Anti-Smoking Campaign for YouthDr. Benjamin outlined plans to launch a media campaign like this one aimed at youth. "I want our next generation to be tobacco-free," she said. "That's the goal, to have our next generation tobacco free."Dr. Benjamin wants to involve parents and teachers and to refocus on community anti-smoking programs, including programs in schools.Ads Targeting Teens, Tobacco Mimic CandyThe report criticizes tobacco companies for advertising campaigns that target young people and for making products like tobacco candy.It cites the effectiveness of placing higher sales taxes on tobacco products, which make them too costly for most teens to buy.A U.S. Health Department spokesman said helping young people avoid tobacco addiction will cut the number of tobacco-related illnesses and premature deaths and spare more families the devastating emotional toll.What does the word tome (second paragraph) mean, based on the context?1 a newspaper article2 an encyclopedia volume3 an epic poem4 a short story5 a lengthy book Part BRemember that GDP stands for gross domestic product. It is the total dollar value of the goods and services produced within a country in a year. Per capita GDP is this same total value, divided by the number of people in the country. Per capita GDP is a tool economists use to measure the economic health of a country. Another tool economists use to measure economic health is the industrial production growth rate. This is the percentage increase in mining, manufacturing, and construction from one year to the next.Research facts about the economies of North Korea and Finland. Read the first paragraph under the "Economic overview" for each. Then, examine data for these categories: GDP (official exchange rate), GDP per capita, and the Industrial production growth rate. Write down the information you find. Then, research the types of economies each country has, as well as its main resources. You can use additional resources of your choosing to help obtain this information. Write this information in the space provided as well. In the next part of the activity, you will make some assumptions about the economies of North Korea and Finland, based on the information you have gathered.