Overview Write a program that reads an integer from the user and then prints the Hailstone sequence starting from that number "What is the hailstone sequence?" you might ask. Well, there are two rules: • If n is even, then divide it by 2 • If n is odd, then multiply it by 3 and add 1 Continue this sequence until you hit the number 1.​

Overview Write A Program That Reads An Integer From The User And Then Prints The Hailstone Sequence Starting

Answers

Answer 1

n=int(input("Enter number: "))

while n != 1:

   print(n)

   if n%2==0:

       n//= 2

   else:

       n = (n*3)+1

print(n)

I wrote my code in python 3.8. If you want to print the 1, keep the last line of code otherwise delete it.


Related Questions

A new system at your university is able to give details on a course registration in real time on your PC, Laptop, and phone. What level of change is this

Answers

The new system at your university that allows for real-time course registration details on various devices represents a significant level of change.

Previously, students may have had to physically go to the registration office or wait for updates through email or a portal that required manual refreshing.

However, with this new system, students can access up-to-date information at any time and from anywhere, improving efficiency and convenience. This change also reflects a shift towards greater integration of technology in education,

As institutions recognize the benefits of digital solutions for administrative tasks. Overall, this development represents a significant improvement in the user experience for students and faculty alike, highlighting the potential for technology to enhance education in new and exciting ways.

To learn more about : system

https://brainly.com/question/30146762

#SPJ11

Write a Java program to calculate the amount of candy each child at a party gets. You specify the number of children and the total amount of candy, then compute how many pieces each child gets, and how many are left over (for the parents to fight over!).

Answers

Answer:

import java.util.Scanner;

public class candy {

   public static void main(String[] args){

       Scanner sc = new Scanner(System.in);

       System.out.println("Type in number of children: ");

       //gets the number of children

       int numberOfChildren = Integer.parseInt(sc.nextLine());

       System.out.println("Type in number of candy: ");

       //gets number of candy

       int numberOfCandy = Integer.parseInt(sc.nextLine());

       //checks there will be any leftover candy

       int leftover = numberOfCandy%numberOfChildren;

       System.out.println("Each children will get "+(numberOfCandy-leftover)/numberOfChildren+" candies.");

       System.out.println("There will be "+leftover+" leftover candies.");

   }

}

Preset arrangements of panels organized to make particular tasks easier are called:

Answers

The workspaces are the arrangements of panel that are organized for making the task to operate more easier.

What are workspaces?

The workspaces can be understood as the arrangements of desktops in a large organization to reduce the clutter of work and make the work to operate more easier.

The workspaces can be well organized email of the entire organization, a cloud based system of entire organization for easy access and working.

Learn more about workspaces, here:

https://brainly.com/question/24946752

#SPJ1

An analog video is a video signal transmitted by an analog signal, captured on a (blank)

Answers

Answer:Analog component signals are comprised of three signals, analog R′G′B′ or YPbPr. Referred to as 480i (since there are typically 480 active scan lines per frame and they are interlaced), the frame rate is usually 29.97 Hz (30/1.001) for compatibility with (M) NTSC timing.

Explanation:

Which of the following applies to a trademark?
o belongs to just one company or organization
O always shown on the outside of a garment
O a way for people to copy a pattern
0 a mark that represents a product's "sold"
status

Answers

Answer:

a

Explanation:

Answer:

belongs to just one company or organization

Explanation:

edge 2021

in a basic program with 3 IF statements, there will always be _________ END IIF's.
a)2
b)3
c)4

Answers

Answer:

c)4

Explanation:

Hope it could helps you

which programming term describes the variable that holds the data(value) needed by the method? question 30 options: an argument a function a variable a parameter

Answers

The programming term that describes the variable holding the data (value) needed by a method is "a parameter."

What is a parameter

In programming, a parameter is a variable declared in a method's definition that represents a value or data that the method expects to receive as input. When the method is called, the value provided as an argument is assigned to the corresponding parameter within the method's execution. Parameters allow methods to accept and work with different values or data dynamically, making them more flexible and reusable.

Arguments, on the other hand, are the actual values or expressions passed to a method when it is called. These arguments are provided to match the parameters defined in the method's signature, allowing the method to work with specific data during its execution.

Read more on  programming  here https://brainly.com/question/30747453

#SPJ4

Select all that apply.
Why is formatting text important?
to allow visual enhancements in documents
to save documents in the correct format
to allow users to create a professional look for documents
to ensure all font is the same size and color

Answers

Formatting text is  important because

1. To allow  visual enhancements in documents to save documents in the correct format

2. To  allow users to create a professional look for documents

3. TO ensure all font is the same size and color

Why is formatting important in text documents?

1. Formatting makes the document readable and comprehensible to the person reading it.

2. Points are laid out clearly and consistently. If they are not, either the reader will misinterpret the meaning of the document, or stop reading it altogether.

3. It is a bit like using correct spelling and grammar.

4. First Impression is the Last Impression

5. To facilitate quick reading.

Hence, Option 1,2 and 4 are the reason.

To know more about Formatting from the given link

https://brainly.com/question/12441633

#SPJ13

what term describes the process of creating a program specific details first and then combining them into a whole

Answers

A computer programming paradigm known as object-oriented programming (OOP) arranges the design of software around data or objects rather than functions and logic.

The object-oriented programming (OOP) paradigm for computer programming organizes software's architecture on data or objects rather than around functions and logic. A data field with specific traits and behavior is called an object.

In OOP, the objects that programmers want to modify are given more weight than the logic required to do so. Large, complex, and frequently updated or maintained programs work well with this development approach. This includes both design and production software as well as mobile applications. Software for manufacturing system simulation, for instance, can use OOP.

The organization of an object-oriented program makes the method advantageous in collaborative development, where projects are divided into groups. The benefits of efficiency, scalability, and reused code are also provided by OOP.

To know more about software click here:

https://brainly.com/question/985406

#SPJ4

The process of turning a task into a series of instructions that a digital device will follow to carry out a particular task.

The process of programming entails classifying the components of a work that a digital device is capable of carrying out, precisely specifying those tasks, and then converting those tasks into a language that the computer's CPU can comprehend.

The issue statement, which explicitly outlines the goal, is one of the initial steps in programming.

If the project is found to be feasible, problem-solving programming will start.

To know more about process of creating programming:

https://brainly.com/question/29346498

#1234

write a program named makechange that calculates and displays the conversion of an entered number of dollars into currency denominations—twenties, tens, fives, and ones. for example, if 113 dollars is entered, the output would be twenties: 5 tens: 1 fives: 0 ones: 3.

Answers

A program named makechange that calculates and displays the conversion of an entered number of dollars into currency denominations—twenties, tens, fives, and ones is given below:

The Program

public static Dictionary<string, int> Denominations(int amount)

{

   var denominations = new Dictionary<string, int>();

   denominations["twenties"] = amount / 20;

   amount = amount % 20;

   denominations["tens"] = amount / 10;

   amount = amount % 10;

  denominations["fives"] = amount / 5;

   amount = amount % 5;

   denominations["ones"] = amount;

  return denominations;

}

Read more about programming here:

https://brainly.com/question/23275071

#SPJ1

Write a Java statement that puts a zero into row 5 column 3 of an array named gradeTable

Answers

Answer:

gradeTable[5][3] = 0;

Mariel types a sentence. She then decides to include that sentence four more times. She then decides she only
wants the sentence three more times, but changes her mind again to include the last sentence. Which commands
could have been used by Mariel? Check all that apply.
More Symbols
Insert Symbol
Undo
Redo
Repeat

Answers

The commands that could have been used by Mariel are:

UndoRedo

What is an Undo Command?

This refers to the command that is used in a computer environment to remove the last action done and this is usually used in word processing and this is done by pressinf Ctrl + Z which then undoes the action.

Hence, because Mariel typed the sentence and then wants to removes some things and then wants to include the last sentence, she probably used redo and undo commands.

Read more about undo commands here:

https://brainly.com/question/6413908

#SPJ1

The AND operator outputs true except where both inputs are false.

True
or
False

Answers

Answer:

true both have to be true for it to have output

Dumas, who has excellent mechanical aptitude, owns a computer with two hard drives. One
drive is used for the operating system and the other drive is used for his personal files. He
decides to install a third disk in a RAID 1 configuration to protect the disk with his files
against data loss. He is not too concerned about data loss on the disk with the operating
system because he could easily reinstall the OS, so that disk is not included in the RAID
configuration. When he is done, he powers up his computer, no error messages are displayed,
yet he is distraught because all his data is lost. Why would this happen?
O The new drive was smaller than the original drive so the data from the original did not
fit.
O He didn't back up his data. When RAID is configured all data on participating drives is
lost.
O The RAID expansion card is not seated properly so the RAID drives are not being
detected.
Since the new drive had no data, and RAID 1 mirrors data, it erased the data on the
original.

Answers

Answer:

He didn't back up his data. When RAID is configured all data on participating drives is lost.

Explanation:

because i'm asian

He didn't back up his data. When RAID is configured all data on participating drives is lost would this happen. Hence, option B is correct.


What is operating system?

The operating system is the most important piece of software that operates on a computer. It manages the computer's memory, processes, software, and hardware. Using this technique, you can communicate with the computer even if you don't comprehend its language.

Examples of operating systems include Apple macOS, Microsoft Windows, g's Android OS, Linux, and Apple iOS.

All of the hardware and software are under the direction of the computer's operating system. It performs core tasks such handling input and output, controlling files, memory, and processes, and controlling peripheral devices like disk drives and printers.

Thus, option B is correct.

For more information about operating system, click here:

https://brainly.com/question/6689423

#SPJ2

the advantages and disadvantages of internet​

Answers

Advantages : a lot of useful information from all around the world
Disadvantage:, cyberbullying, stalking, hacking

What may be done to speed the recovery process and ensure that all cfc, hcfc, or hfc refrigerant has been removed from a frost-free refrigerator?

Answers

The thing that may be done to speed the recovery process and ensure that all cfc, hcfc, or hfc refrigerant has been removed from a frost-free refrigerator is that  the person need to Turn on the defrost heater to bring up the refrigerant's temperature and then it can be able to vaporize any liquid.

How do you define the term temperature?

Temperature is known to be a form of measure that is often used to know the hotness or coldness of a thing or person and it is said to be usually in terms of any of a lot of scales, such as Fahrenheit and Celsius.

Note that Temperature tells the direction of heat energy that will spontaneously flow and as such, The thing that may be done to speed the recovery process and ensure that all cfc, hcfc, or hfc refrigerant has been removed from a frost-free refrigerator is that  the person need to Turn on the defrost heater to bring up the refrigerant's temperature and then it can be able to vaporize any liquid.

Learn more about Refrigerant's temperature  from

https://brainly.com/question/26395073

#SPJ1

cleanroom software development process complies with the operational analysis principles by using a method called known as

Answers

A complete discipline is offered by the Cleanroom methodology for software. Software can be planned, specified, designed, verified, coded, tested, and certified by personnel. Unit testing and debugging are replaced by correctness checking in a Cleanroom development.

The clean room methodology is what?

A complete discipline is offered by the Cleanroom methodology for software. Software can be planned, specified, designed, verified, coded, tested, and certified by personnel. Unit testing and debugging are replaced by correctness checking in a Cleanroom development.

To know more about Cleanroom software visit;

https://brainly.com/question/13263943

#SPJ4

Select the correct answer.Priyanka wants to send some important files to her head office. Which protocol should she use to transfer these files securely?A.HTTPB.FTPSC.FTPD.DNS

Answers

Answer: FTP

Explanation: FTP stands for file transfer protocol.

as of december 2020, nosql database systems have overtaken relational database systems in overall market share. group of answer choices true false

Answers

False. As of December 2020, relational database systems still dominate the overall market share in the database industry.

Relational databases have been around for several decades and are widely used in industries such as finance, healthcare, and government, where data security and consistency are paramount. NoSQL databases, on the other hand, have gained popularity in newer industries such as e-commerce and social media, where the ability to handle large volumes of unstructured data is critical. While both types of databases have their own strengths and weaknesses, it is important to choose the right database technology based on the specific needs of your organization.

Learn more about database industry here;

https://brainly.com/question/7732308

#SPJ11

In the space below, write MATLAB code that defines a variable avedogsperyear that contains the average number of dogs born each year.

Answers

Write a MATLAB code for calculating the average number of dogs born each year. Here's the code and a brief explanation:

```matlab
totalDogsBorn = 1000;
totalYears = 5;
aveDogsPerYear = totalDogsBorn / totalYears;
```

In this example, we have defined a variable `totalDogsBorn` which represents the total number of dogs born over a certain period. We then define another variable `totalYears`, representing the number of years in that period. Finally, we calculate the average number of dogs born each year by dividing `totalDogsBorn` by `totalYears`, and store the result in the variable `aveDogsPerYear`.

Step-by-step explanation:

1. Define the `totalDogsBorn` variable by setting it to a specific value (e.g., 1000). This represents the total number of dogs born during the given time frame.
2. Define the `totalYears` variable by setting it to a specific value (e.g., 5). This represents the number of years in the given time frame.
3. Calculate the average number of dogs born each year by dividing `totalDogsBorn` by `totalYears`. Store the result in a new variable called `aveDogsPerYear`.

This code provides a simple way to calculate the average number of dogs born each year using MATLAB. You can change the values of `totalDogsBorn` and `totalYears` as needed to get different results.

Know more about the code click here:

https://brainly.com/question/31228987

#SPJ11

Branch delay slot and stalls ( 30 points) Consider the following skeletal code segment, where the branch is taken 90% of the time and not-taken 10% of the time. BEZ R1, offset # Branch offset lines away if R1 equals zero Branch delay slots if availabl Consider a 10 -stage in-order processor, where the instruction is fetched in the first stage, and the branch outcome is known after three stages. Estimate the average CPI of the processor under the following scenarios (assume that all stalls in the processor are branch-related and branches account for 15% of all executed instructions): 1. On every branch, fetch is stalled until the branch outcome is known. 2. Every branch is predicted not-taken and the mis-fetched instructions are squashed if the branch is taken. 3. The processor has two delay slots and the two instructions following the branch are always fetched and executed, and 1. You are unable to find any instructions to fill the delay slots. 2. You are able to move two instructions before the branch into the delay slots. 3. You are able to move two instructions from the taken block into the delay slots. 4. You are able to move two instructions from the not-taken block into the delay slots.

Answers

The average CPI of the 10-stage in-order processor varies from 2.2 to 4.2 depending on different scenarios involving branch delays and stalls.

In the given scenarios, we calculated the average CPI for a 10-stage in-order processor with branch-related stalls. Here's a summary of the results:

1. On every branch, fetch is stalled until the branch outcome is known:

In this case, the average CPI is 3.7. This is because for each branch instruction, there will be a stall of three cycles until the branch outcome is determined.

2. Every branch is predicted not-taken and mis-fetched instructions are squashed if the branch is taken: Here, the average CPI is 2.2. The branch prediction assumes all branches to be not-taken, so there are no stalls for branch prediction.

3. The processor has two delay slots and the two instructions following the branch are always fetched and executed: In scenarios 3a, 3b, 3c, and 3d, the average CPI is 4.2 and 2.2, respectively. The availability and movement of instructions into the delay slots determine whether stalls occur or not.

Learn more about average CPI here:

https://brainly.com/question/13063811

#SPJ11

You are working as a software developer for a large insurance company. Your company is planning to migrate the existing systems from Visual Basic to Java and this will require new calculations. You will be creating a program that calculates the insurance payment category based on the BMI score.



Your Java program should perform the following things:



Take the input from the user about the patient name, weight, birthdate, and height.
Calculate Body Mass Index.
Display person name and BMI Category.
If the BMI Score is less than 18.5, then underweight.
If the BMI Score is between 18.5-24.9, then Normal.
If the BMI score is between 25 to 29.9, then Overweight.
If the BMI score is greater than 29.9, then Obesity.
Calculate Insurance Payment Category based on BMI Category.
If underweight, then insurance payment category is low.
If Normal weight, then insurance payment category is low.
If Overweight, then insurance payment category is high.
If Obesity, then insurance payment category is highest.

Answers

A program that calculates the insurance payment category based on the BMI score is given below:

The Program

import java.io.FileWriter;

import java.io.IOException;

import java.io.PrintWriter;

import java.util.ArrayList;

import java.util.Scanner;

public class Patient {

   private String patientName;

   private String dob;

  private double weight;

   private double height;

   // constructor takes all the details - name, dob, height and weight

   public Patient(String patientName, String dob, double weight, double height) {

       this.patientName = patientName;

       this.dob = dob;

       if (weight < 0 || height < 0)

           throw new IllegalArgumentException("Invalid Weight/Height entered");

       this.weight = weight;

       this.height = height;

   }

   public String getPatientName() {

       return patientName;

   }

   public String getDob() {

       return dob;

   }

   public double getWeight() {

       return weight;

   }

   public double getHeight() {

       return height;

   }

   // calculate the BMI and returns the value

   public double calculateBMI() {

       return weight / (height * height);

   }

   public static void main(String[] args) {

       ArrayList<Patient> patients = new ArrayList<Patient>();

       Scanner scanner = new Scanner(System.in);

       // loop until user presses Q

       while (true) {

           System.out.print("Enter patient name: ");

           String patientName = scanner.nextLine();

           System.out.print("Enter birthdate(mm/dd/yyyy): ");

           String dob = scanner.nextLine();

           System.out.print("Enter weight (kg): ");

           double wt = scanner.nextDouble();

           System.out.print("Enter height (meters): ");

           double height = scanner.nextDouble();

           try {

               Patient aPatient = new Patient(patientName, dob, wt, height);

               patients.add(aPatient);

           } catch (IllegalArgumentException exception) {

               System.out.println(exception.getMessage());

           }

           scanner.nextLine();

           System.out.print("Do you want to quit(press q/Q):");

           String quit = scanner.nextLine();

           if (quit.equalsIgnoreCase("q")) break;

       }

       try {

           saveToFile(patients);

           System.out.println("Data saved in file successfully.");

       } catch (IOException e) {

           System.out.println("Unable to write datat to file.");

       }

   }

   // takes in the list of patient objects and write them to file

   private static void saveToFile(ArrayList<Patient> patients) throws IOException {

       PrintWriter writer = new PrintWriter(new FileWriter("F:\\patients.txt"));

       for (Patient patient : patients) {

           double bmi = patient.calculateBMI();

           StringBuilder builder = new StringBuilder();

           builder.append(patient.getPatientName()).append(",");

           builder.append(patient.getDob()).append(",");

           builder.append(patient.getHeight()).append(" meters,");

           builder.append(patient.getWeight()).append(" kg(s), ");

           if (bmi <= 18.5) builder.append("Insurance Category: Low");

           else if (bmi <= 24.9) builder.append("Insurance Category: Low");

           else if (bmi <= 29.9) builder.append("Insurance Category: High");

           else builder.append("Insurance Category: Highest");

           builder.append("\r\n");

           writer.write(builder.toString());

           writer.flush();

       }

       writer.close();

   }

}

Read more about java programming here:

https://brainly.com/question/18554491

#SPJ1

What is more important, the individual or the collective (the group)? Why?
Least 2 paragraphs

Answers

Answer:

It's complicated.

Explanation:

I don't want to write the entire thing for you. However, there are multiple ways to think about this. Individualism vs. collectivism (groupthink) is a big debate itself.

---

Couple of points for the individual:

- Choice of personal freedom

- Not overly complicated (focuses on the self)

- The needs of the self comes before the needs of the many (in some situations, this might prove helpful)

Couple of points for the group:

- Shared thoughts and feelings may result in a bigger camaraderie than the thoughts of the self

- Compassion for humanity vs. selfishness

- A tendency to forge alliances

---

Interpret these for yourself. One's own mind is crucial in understanding the philosophical structures of life's biggest questions. And for it only being 2 paragraphs. Like, isn't that 10 sentences? I don't know what your teacher is looking for but your own personal thoughts on the matter may be good writing.

---

Here's a very-hard-to-see-the-text-but-helpful website, from the City University of New York (this talks about the theories of the individual and group interest in relation to government, but it may provide useful to you in understanding): https://www.qcc.cuny.edu/socialsciences/ppecorino/intro_text/Chapter%2010%20Political%20Philosophy/Group_vs_Individual_Interest.htm

In a table form differentiate between email and nipost system

Answers

Answer:

Refer to the picture for the table...

In a table form differentiate between email and nipost system

Nipost is the abbreviation for Nigerian Postal Service on the other hand an e-mail is an acronym for electronic mail and it can be defined as a software application (program) that is designed and developed to enable users send and receive both texts and multimedia messages over the Internet.

What is an e-mail?

An e-mail is an acronym for electronic mail and it can be defined as a software application (program) that is designed and developed to enable users send and receive both texts and multimedia messages over the Internet.

In Computer Networking, a reengagement email is a type of email communication that is designed and developed to reach out to former clients and older prospects, and it encourages a reply.

The simple mail transfer protocol (SMTP) is known to be one that tends to specifies the way that messages are exchanged in between email servers. FTP is known to be a kind of a file transfer protocol. ICMP is said to be used in regards to the  ping and trace way to communicate network information.

Read more about e-mail here:

brainly.com/question/15291965

#SPJ2

what kind of script is used to run code on the client

Answers

Answer: JavaScript. What kind of script is used to run code on the client

Which logical address is responsible for delivering the ip packet from the original source to the final destination, either on the same network or to a remote network?.

Answers

Source and destination IP logical address is responsible for delivering the IP packet from the original source to the final destination, either on the same network or to a remote network.

The IP packet field holding the IP address of the workstation from which it originated is known as the source IP address. The IP packet field holding the IP address of the workstation to which it is addressed is known as the destination IP address. An IP address is a logical address that is given by router or server software, and that logical address may occasionally change. For instance, when a laptop starts up in a different hotspot, it is likely to receive a new IP address. The IP addresses for the source and destination can match. That merely denotes a connection between two peers (or client and server) on the same host. Ports at the source and destination may also match.

Learn more about Destination here-

https://brainly.com/question/12873475

#SPJ4

Internal (company) and external (competitors, customers, governments, etc.) environments largely determine how managers must act to provide the organization with the right combination of people to help the organization reach its ______ goals.

Answers

"strategic". The internal and external environments of a company influence how managers should act strategically to achieve the organization's goals.

The internal environment includes factors such as the company's resources, structure, culture, and capabilities. Understanding these internal dynamics helps managers determine the right combination of people to assemble a competent workforce. On the other hand, the external environment consists of factors like competitors, customers, suppliers, and government regulations. Managers must assess these external factors to identify opportunities and threats, adjust their hiring strategies, and align the organization's human resources with the evolving market demands. By considering both internal and external environments, managers can strategically select and develop a capable workforce that supports the organization in achieving its goals.

Learn more about strategic here:

https://brainly.com/question/26960576

#SPJ11

Suppose a client calls and is upset because he trashed something on his blog. He tells you that he knows software does not allow you to recover what has been deleted and asks for your help. What can you tell him?


WordPress includes a recovery from the trash, but it is complicated.

WordPress includes an undo from the trash.

WordPress does not allow recovery from the trash.

WordPress only allows recovery of images from the trash.

Answers

Answer:

WordPress only allows recovery of images from the trash.

24. A key on a keyboard of a computer
has two symbols on it, top and down.
Which of the following procedures will be
appropriate to use to get the top key?
A. Hold down the Shift key and
press the identified
B. Hold down the Alt key and
press the identified key
C. Hold down the Ctrl key and
press the identified key
D. Hold down the Del key and
press the identified key​

Answers

Answer:

Its A

Explanation:

.................

PLEASEEE HELP HURRY

PLEASEEE HELP HURRY

Answers

To start searching for a scholarly article on G. o. ogle Scholar, you should:

"Type the title of the article or keywords associated with it." (Option A)

What is the rationale for the above response?

Here are the steps you can follow:

Go to Go. o. gle Scholar website In the search box, type the title of the article or relevant keywords associated with it.Click the "Search" button.Browse through the search results to find the article you are looking for.Click on the title of the article to view the abstract and other details.If the article is available for free, you can download or access it directly from the search results page. If not, you may need to purchase or access it through a library or other academic institution.

Note that you can also use advanced search options and filters available on Go. ogle Scholar to narrow down your search results based on various criteria, such as publication date, author, and journal.

Learn more about G. o. ogle at:

https://brainly.com/question/28727776

#SPJ1

Other Questions
explicacin Porque hay tantas evoluciones de celulares fill in the blank question. costs incurred up to the split-off point in a process in which two or more products are produced from a common input are called costs. (enter only one word per blank.) Spielberg builds a portfolio by investing in two stocks only: Microsoft (MSFT) and Huawei (SHE). According to the CAPM, the expected risk premium (i.e., the expected return minus the risk-free rate) of MSFT is 12.3% and the expected risk premium of SHE is 5.24%. The beta of MSFT is equal to 1.13. If Spielberg puts 63% of his money in MSFT stock and 37% in SHE stock, what is the approximate beta of his portfolio? A corporation had the following assets and liabilities at the beginning and end of this year. Assets LiabilitiesBeginning of the year $57,000 $24,436 End of the year 115,000 46,575 a. Owner made no investments in the business, and no dividends were paid during the year. b. Owner made no investments in the business, but dividends were $1,250 cash per month. c. No dividends were paid during the year, but the owner did invest an additional $55,000 cash in exchange for common stock. d. Dividends were $1,250 cash per month, and the owner invested an additional $35,000 cash in exchange for common stock. Determine the net income earned or net loss incurred by the business during the year for each of the above separate cases: a.b.c.d.Beginning of the year the field of biology that studies how genes control appearance Consider function g(x) = 6x - 8 sin(x) on interval [0, pi/2].Use an (x, y) table with interval endpoints and critical numbers as 0-values to find the absoluteextrema.The absolute minimum value of the function isThe absolute maximum value of the function is Solve for x and graph the solution on the number line below.VVVI11 2x-5 or 2x-5 > 15IV.Inequality Notation:Number Line:or-12 -10 -8 -6-4-2O246810 12 A photon with an energy of 2.9610^-19 J is absorbed by Li+ ion. What is the wave length of this photon Can someone help me with these? Im begging you . write paragraph about digestion of food in brief Find the value of x? e40 find the number of rearrangements of 12345 in which 1, 2, and 3 are all out of their original positions. Write a rule and an equation to fit the pattern in the table then use the rule to complete the table.Question- the value of y is __ the value of x help me please, i will give brainliest if correct answer:Dilate a triangle with vertices (0, 0), (0, 2), and (2,0) using the scale factor k = 3. What is the value of the ratio (new to original) of the perimeters? the areas?The ratio of the perimeters is ____The ratio of the areas is ____ The diagram shows a ball falling toward Earth in a vacuum.Why is the distance traveled between seconds 3 and 4 greater than the distance traveled between seconds 1 and 2?A. The force on a falling object decreases as it falls.B. The object must push the air out of the way as it falls.C. An object falling due to gravity moves faster every second.D. An object slows down as it falls towards Earth. A mover uses a pulley to lift a 2500N piano up to a second story balcony. The mover pauses to wipe sweat from his forehead while holding the rope tight in one hand. Since the piano is not moving at this time, what is the tension force in the rope while the piano is dangling still in the air? Which movement benefited the most from its members' contributions to the war effort during World War I? (5 points)Group of answer choicesPopulismCivil rightsTemperanceWomen's suffrage below. Students must show the worleforget to label the answers. What is the molarity of a solution containing 7.25 mol of solute and 57L of solution? Where should you take the temperature of tomato basil soup in the center? Differentiate the difference between Z-test and T-test. Give sample situation for each where Z-test and T-test is being used in Civil Engineering. Follow Filename Format: DOMONDONLMB_CE006S10ASSIGN5.1