Questions
Jack is the only shareholder of XYZ Corporation. At year-end, XYZ had $200 of current year...

Jack is the only shareholder of XYZ Corporation. At year-end, XYZ had $200 of current year earnings and profits and $600 of accumulated earnings and profits. If XYZ distributes cash of $200 to Jack, what is Jack’s tax liability on the dividend, if any? Assume Jack has a basis of $10 in XYZ shares. How does this result change if XYZ only has $50 of current earnings and profits and $100 of accumulated earnings and profits?

Clearly identify the requirements being addressed. Show all calculations within the cells of an Excel spreadsheet. This means that you must use formulas and links so that the thought process can be examined. Make effective use of comments to convey your thought process as well. No hard coding of solutions. Submit a single MS Excel file for grading.

In: Accounting

An asset used in a 4-year project falls in the 5-year MACRS class (refer to MACRS...

An asset used in a 4-year project falls in the 5-year MACRS class (refer to MACRS table on page 277), for tax purposes. The asset has an acquisition cost of $22,437,430 and will be sold for $5,064,805 at the end of the project. If the tax rate is 0.39, what is the aftertax salvage value of the asset (SVNOT)?

In: Finance

Colsen Communications is trying to estimate the first-year net operating cash flow (at Year 1) for...

Colsen Communications is trying to estimate the first-year net operating cash flow (at Year 1) for a proposed project. The financial staff has collected the following information on the project:

Sales revenues $25 million
Operating costs (excluding depreciation) 17.5 million
Depreciation 5 million
Interest expense 5 million

The company has a 40% tax rate, and its WACC is 14%.

Write out your answers completely. For example, 13 million should be entered as 13,000,000.

  1. What is the project's operating cash flow for the first year (t = 1)? Round your answer to the nearest dollar.
    $  

  2. If this project would cannibalize other projects by $2.5 million of cash flow before taxes per year, how would this change your answer to part a? Round your answer to the nearest dollar.
    The firm's OCF would now be $  

  3. Ignore Part b. If the tax rate dropped to 35%, how would that change your answer to part a? Round your answer to the nearest dollar.
    The firm's operating cash flow would -Select-increasedecreaseItem 3 by $  

In: Finance

An asset used in a 4-year project falls in the 5-year MACRS class for tax purposes....

An asset used in a 4-year project falls in the 5-year MACRS class for tax purposes. The asset has an acquisition cost of $8,400,000 and will be sold for $2,040,000 at the end of the project. If the tax rate is 23 percent, what is the aftertax salvage value of the asset? Refer to (MACRS schedule) (Do not round intermediate calculations and enter your answer in dollars, not millions of dollars, rounded to the nearest whole number.

In: Finance

Create a concrete LinkedList class that extends the provided ALinkedList class. You will need to override...

Create a concrete LinkedList class that extends the provided ALinkedList class. You will need to override the extract()method in your class. You can use your main() method for testing your method (although you do not need to provide a main method).

Recall that a list is an ordered collection of data

X_0, X_1, X_2, ..., X_n-1

The extract(int start, int end) method removes all elements

X_start, X_start_1, ..., X_end-1

from the list. It also returns all removed elements as a new list (LinkedList) that retains the same ordering.

For example, if the initial list called animals was

cat, dog, eel, cow, owl, pig, pip

then animals.extract(1,5) would return the new list

dog, eel, cow, owl

and animals would now be the list

cat, pig, pip

The AlinkedList class also has a sort() method that currently does nothing. Complete this method so that it sorts the current linked list (alphabetically).

For example, if there was a list called kids that consisted of

puppy, kitten, cub, leveret, kit, cygnet

then after calling kids.sort(), the list would now be

cub, cygnet, kit, kitten, leveret, puppy

This is the code:

public abstract class ALinkedList{

    public Node head;

    public Node tail;

    public int size;

    /** removes and returns the sublist

        * [x_start, x_start+1, ..., x_end-1] from the current list

        *

        * @param start is the starting position of the list to remove.

        * You can assume that 0 <= start <= length of list -1.

        * @param end is position after the last element to be removed.

        * You can assume that start <= end <= length of list.

        */

    public abstract ALinkedList extract(int start, int end);

    

    /** Sorts this list

     <p>

     This method sorts this list lexicographically (alphabetically).

     Use the built-in compareTo() in the String class to compare individual

     strings in the list.

     <p>

     You are NOT allowed to use any sort method provided in java.util.Arrays

     or java.util.Collections.

     */

    public void sort(){}

    

    

    

    /* -----------------------------------------

     provided code

         ----------------------------------------- */

    

        /** returns the size of the list

        *

        * @return the size of the list

        */

    public final int size(){ return size; }

    

    


    

    public final String get(int position){

        // returns data of element at index position

        // returns null otherwise

        if( position < 0 || position > size -1 || head == null){

            return null;

        }

        int count = 0;

        Node current = head;

        while(count < position){

            current = current.getNext();

            count += 1;

        }

        return current.get();

    }

    

    /** add a string to the back of the list

     *

     * @param s is a string to add to the back of the list

     * @return the current list

     */

    public final ALinkedList add(String s){

        if( size == 0 ){

            head = tail = new Node(s, null);

        }else{

            Node tmp = new Node(s, null);

            tail.setNext(tmp);

            tail = tmp;

        }

        size += 1;

        return this;

    }

    public final ALinkedList add(int position, String d){

        // add a new node with data d at given position

        // return null if method fails

        if( position < 0 || position > size){

            return null;

        }

        if( position == 0){

            return addFront(d);

        }else if( position == size ){

            return add(d);

        }

        // find node at index position-1

        Node prev = head;

        int count = 0;

        while( count < position-1 ){

            count += 1;

            prev = prev.getNext();

        } // prev will point to node before

        Node n = new Node(d, prev.getNext() );

        prev.setNext(n);

        size += 1;

        return this;

    }

    

    /* remove from the back */

    public final String remove(){

        if( tail == null || size == 0 ){ return null; }

        

        String s = tail.get();

        if( size == 1){

            head = tail = null;

        }else{

            Node tmp = head;

            for(int i=0; i<size-2; i+=1){

                tmp = tmp.getNext();

            } // at end of loop tmp.getNext() == tail is true

            

            tail = tmp;

            tail.setNext(null);

        }

        size -= 1;

        return s;

    }

    /* remove first string in list */

    public final String removeFront(){

        if(head == null || size == 0){return null;}

        

        String s = head.get();

        if(size == 1){

            head = tail = null;

        }else{

            Node tmp = head;

            head = tmp.getNext();

            tmp.setNext(null);

        }

        size -= 1;

        return s;

    }

    

    /* add string to front of list */

    public final ALinkedList addFront(String s){

        if(size == 0){

            head = tail = new Node(s, null);

        }else{

            head = new Node(s, head);

        }

        size += 1;

        return this;

    }

    

    

    

    /* string representation of list */

    @Override

    public final String toString(){

        String s = "[";

        Node tmp = head;

        for(int i=0; i<size-1; i++){

            s += tmp.get() + ", ";

            tmp = tmp.getNext();

        }

        if(size > 0){

            s += tmp.get();

        }

        s += "]";

        return s;

    }

}

In: Computer Science

An investment will pay $150 at the end of each of the next 3 years, $200 at the end of year 4, $350 at the end of year 5, and $550 at the end of year 6.

An investment will pay $150 at the end of each of the next 3 years, $200 at the end of year 4, $350 at the end of year 5, and $550 at the end of year 6. If other investments of equal risk earn 9% annually, what is the present value? Its future value? Do not round intermediate calculations. round your answers to the nearest cent.

In: Finance

Jake inherits a perpetuity that will pay him $10,000 at the end of the first year increasing by $10,000 per year until a payment of $150,000 is made at the end of the fifteen year.

Jake inherits a perpetuity that will pay him $10,000 at the end of the first year increasing by

$10,000 per year until a payment of $150,000 is made at the end of the fifteen year. Payments

remain level after the fifteenth year at $150,000 per year. Determine the present value of this

perpetuity, assuming a 7.5% annual interest rate.


In: Finance

Compute the future value at the end of year five (5) of a $2,000 deposit at the end of year one (1) and another $2,000 deposit at the end of year two (2) using a seven (7) percent interest rate per year.

Compute the future value at the end of year five (5) of a $2,000 deposit at the end of year one (1) and another $2,000 deposit at the end of year two (2) using a seven (7) percent interest rate per year.

Group of answer choices

A. $5,071.68

B. $2,805.10

C. $5,426.70

D. $4,739.89

E. $2,621.59

In: Finance

Baked beans a lot more predictable than shares BY SIMON HOYLE 11 March 2006 The Sydney...

Baked beans a lot more predictable than shares BY SIMON HOYLE
11 March 2006
The Sydney Morning Herald
THE price of a tin of baked beans doesn't change much from day to day. The price of
a company’s shares, on the other hand, can change quite a lot. In investment terms, the price of the baked beans isn't as volatile as the share price.
While you might have a good idea of how much a tin of baked beans will cost you whenever you go 10 buy one, you can't be as certain about the price of a share. IBut there are ways you can make educated guesses about what the price of a share might do over a period of time. In other words, you can make educated guesses about the range of likely future outcomes, and hence about likely future volatility. A common way of measuring an asset's riskiness, or volatility, is the "standard deviation" of the asset's returns. Standard deviation is a statistical method of calculating the most likely range of returns from an asset. It is the method that analysts use to make long-term predictions from short-term data.
If you were to plot the returns from an asset on a graph, where the horizontal axis is the return the asset achieves every day, week or month, and the vertical axis is the number of times that return occurs, you'd get what's called a "distribution curve". This looks like a bell, and for that reason it's also sometimes known as a bell curve. What a bell curve tells you is that an asset's returns tend to be clustered around a certain number, and the further from that number you move along the horizontal axis, the fewer times the returns tend to crop up.
Calculating the standard deviation of an asset's returns tells you how far from the average return you have to move in order to include about two thirds of the range of an asset's returns. Moving two standard deviations from the average means you can cover about 95 per cent of the range of returns. In other words, you can say, with a high degree of certainty, what the range of an asset's returns will be.
"For example, an annualised volatility of 8 per cent together with an expected return of 20 per cent over the year can be used to produce an interval of possible return outcomes for the year," CommSec says.
"In this example there is an approximately two-thirds chance that the outcome after one year is 20 per cent, plus or minus 8 per cent (that is, 12 per cent to 28 per cent), and approximately a 95 per cent chance that the outcome will fall in an interval twice as wide (that is, 4 per cent to 36 per cent)."
A higher standard deviation means the likely outcomes range a long way from the average, and a lower standard deviation means the possible outcomes are more tightly concentrated around the average.

Part one requires qualitative explanations that display your understanding of the concepts of risk and return. The article of Simon Hoyle gives some understanding of the concepts of risk and return. However, it was published in a newspaper where the target readers were not all educated in finance. You are required to answer the following questions while providing deeper insights about the concepts of risk and return than those that are provided in the article.
Read the article by Simon Hoyle above and answer question the below question :

QUESTION (200 words)
Apparently, Simon Hoyle's article did not mention what would happen to the risk if an investor decided to buy more than one share. Explain how adding new shares to a portfolio can affect the risk and return of that portfolio. You should use the concepts of correlation coefficient and the standard deviation in your explanations.

In: Finance

Part I Part one requires qualitative explanations that display your understanding of the concepts of risk...

Part I
Part one requires qualitative explanations that display your understanding of the concepts of risk and return. The article of Simon Hoyle gives some understanding of the concepts of risk and return. However, it was published in a newspaper where the target readers were not all educated in finance. You are required to answer the following questions while providing deeper insights about the concepts of risk and return than those that are provided in the article.
Read the article by Simon Hoyle and answer questions 1-4.

Baked beans a lot more predictable than shares BY SIMON HOYLE
11 March 2006
The Sydney Morning Herald
THE price of a tin of baked beans doesn't change much from day to day. The price of
a company’s shares, on the other hand, can change quite a lot. In investment terms, the price of the baked beans isn't as volatile as the share price.
While you might have a good idea of how much a tin of baked beans will cost you whenever you go 10 buy one, you can't be as certain about the price of a share. IBut there are ways you can make educated guesses about what the price of a share might do over a period of time. In other words, you can make educated guesses about the range of likely future outcomes, and hence about likely future volatility. A common way of measuring an asset's riskiness, or volatility, is the "standard deviation" of the asset's returns. Standard deviation is a statistical method of calculating the most likely range of returns from an asset. It is the method that analysts use to make long-term predictions from short-term data.
If you were to plot the returns from an asset on a graph, where the horizontal axis is the return the asset achieves every day, week or month, and the vertical axis is the number of times that return occurs, you'd get what's called a "distribution curve". This looks like a bell, and for that reason it's also sometimes known as a bell curve. What a bell curve tells you is that an asset's returns tend to be clustered around a certain number, and the further from that number you move along the horizontal axis, the fewer times the returns tend to crop up.
Calculating the standard deviation of an asset's returns tells you how far from the average return you have to move in order to include about two thirds of the range of an asset's returns. Moving two standard deviations from the average means you can cover about 95 per cent of the range of returns. In other words, you can say, with a high degree of certainty, what the range of an asset's returns will be.
"For example, an annualised volatility of 8 per cent together with an expected return of 20 per cent over the year can be used to produce an interval of possible return outcomes for the year," CommSec says.
"In this example there is an approximately two-thirds chance that the outcome after one year is 20 per cent, plus or minus 8 per cent (that is, 12 per cent to 28 per cent), and approximately a 95 per cent chance that the outcome will fall in an interval twice as wide (that is, 4 per cent to 36 per cent)."
A higher standard deviation means the likely outcomes range a long way from the average, and a lower standard deviation means the possible outcomes are more tightly concentrated around the average.

QUESTION (200 words)
Apparently, Simon Hoyle's article did not mention what would happen to the risk if an investor decided to buy more than one share. Explain how adding new shares to a portfolio can affect the risk and return of that portfolio. You should use the concepts of correlation coefficient and the standard deviation in your explanations.

In: Finance