Questions
Your firm may purchase certain assets from a struggling competitor. The competitor is asking $50,000,000 for...

Your firm may purchase certain assets from a struggling competitor. The competitor is asking $50,000,000 for the assets. Last year, the assets produced revenues of $15,000,000. Revenues earned in the next year (i.e., year 1) and in future years are estimated using the information in the table below.

Your staff expects that the following assumptions will hold over the operating period:

  • The assets will be viable for another 10 years but will be worthless at the end of the 10 year period
  • The assets are qualified by the IRS for depreciation using the straight-line method
  • A constant tax rate of 20%

Your staff has also identified three key areas of uncertainty, which include

Worst-Case

Base-Case

Best-Case

Cash Expenses as a % of Revenues

60%

55%

45%

WACC

20%

15%

8%

Revenue Growth Rate

-10%

0%

7%

Probability

10%

80%

10%

Develop the annual pro forma after-tax cash flow statement for each scenario.

Note: I am pretty sure the other "experts" who answered the question previously had major flaws in their math.

In: Finance

what is the effective of aviation and maritime in corona virus in the south asia

what is the effective of aviation and maritime in corona virus

in the south asia

In: Economics

The Economic Problem is a fundamental problem of Economics Write an 800 words essay about this.

The Economic Problem is a fundamental problem of Economics

Write an 800 words essay about this.

In: Economics

This is in JAVA Bank Accounts 01: Child Classes Copy the following SimpleBankAccount class and use...

This is in JAVA

Bank Accounts 01: Child Classes

Copy the following SimpleBankAccount class and use it as a base class:

/**
 * Simple representation of a bank account
 *
 * @author Jo Belle
 * @version 0.5 (10/12/2020)
 */

import java.text.NumberFormat;

public class SimpleBankAccount{
    // fields (instance variables)
    private double balance;
    private String accountId;

    /**
     * Constructor for objects of class SimpleBankAccount
     */
    public SimpleBankAccount(){
        balance = 0.0;
        accountId = "";
    }

    /**
     * Constructor for objects of class SimpleBankAccount
     */
    public SimpleBankAccount( double bal, String id ){
        balance = bal;
         accountId = id;
    }

    /**
     * Add money to the balance
     *
     * @param  amount the amount to deposit
     * @return void
     */
    public void deposit( double amount ){
        balance += amount;
    }

    /**
     * Remove money from the balance
     *
     * @param  amount the amount to withdraw
     * @return true (success) or false (failure)
     */
    public boolean withdraw( double amount ){
        if( balance - amount >= 0 ){
            balance -= amount;
            return true;
        }else{
            return false;
        }
    }

    /**
     * Get the balance
     *
     * @return the balance
     */
    public double getBalance(){
         return balance;
    }

    /**
     * Set account ID
     *
     * @param the account ID
     */
    public void setAccountId(String id){
         accountId = id;
    }


    /**
     * Get the account ID
     *
     * @return the account ID
     */
    public String getAccountId(){
         return accountId;
    }

    /**
     * Produces a string represenation of the balance
     * @return The balance (with a label)
     */
    public String toString( ){
        // display balance as currency
        String balanceStr = NumberFormat.getCurrencyInstance().format( balance );
        return "Balance for account " + accountId + ": " + balanceStr + "\n";
    }
}

Include at least two classes: CheckingAccount and SavingsAccount. Save your CheckingAccount class in a file named CheckingAccount.java and your SavingsAccount class in a file named SavingsAccount.java. Your CheckingAccount class needs to add a field to track the last processed check number. Also include both a no-argument constructor and a parameterized constructor (that takes a double and a String). Furthermore, include the following method:

public boolean processCheck( int checkNum, double amount );

which returns false if checkNum has the same check number as the last check processed, otherwise it reduces the balance by amount and returns true.
Your SavingsAccount class needs to have a field for the interest rate. Also include both a constructor that just takes the interest rate (as a double) and a parameterized constructor (that takes a double, String and a double). Furthermore, include an applyInterest() method that multiples the current balance by the interest rate, and adds that to the balance.
The following code should work and produce the output below:

/** 
 * Exercises the basic functionality of a Checking and SavingsAccount
 *
 * @author Jo Belle
 * @version 0.3 (10/12/2020)
 */
public class AccountsDriver{
    final public static double INTEREST_RATE = 0.01;  // 1%

    public static void main( String[] args ){
        CheckingAccount checking = new CheckingAccount( 100.0, "checking123" );
        SavingsAccount savings = new SavingsAccount( 1000.0, "savings124", INTEREST_RATE );

        double monthlyExpenses = 756.34;
        int electricBillCheckNum = 2123;
        double electricBill = 60.34;
        int registationCheckNum = 2124;
        double registration = 50.00;
        double dinnerMoney = 55.32;
        double futureCar = 200.0;
        double textbook = 90.0;

        // checking account transactions
        checking.deposit( monthlyExpenses );
        checking.processCheck( electricBillCheckNum, electricBill );
        checking.withdraw( dinnerMoney );
        checking.processCheck( registationCheckNum, registration );
        System.out.print( checking.toString() );
        System.out.println( );

        // savings account transactions
        savings.deposit( futureCar );
        savings.applyInterest( );
        savings.withdraw( textbook );
        System.out.print( savings.toString() );
        System.out.println( );
    }
}

Output:

Checking Account:
Balance for account checking123: $690.68
Last processed check number: 2124

Savings Account:
Balance for account savings124: $1,122.00
APR: 1.0%

Make just the necessary changes to the code in SimpleBankAccount to complete the instructions.
Submit the following files:

  • CheckingAccount.java
  • SavingsAccount.java
  • SimpleBankAccount.java

Bank Accounts 02: Overriding 1

Building off of the Bank Accounts 01 practice assignment above, in your CheckingAccount and SavingsAccount classes, override the toString() method. Additionally include a call to SimpleBankAccount's toString() method. Use the appropriate annotation to designate that you're expecting this method to override another method.
Submit the following files:

  • CheckingAccount.java
  • SavingsAccount.java
  • SimpleBankAccount.java

Bank Accounts 03: Overriding 2

Building off of the Bank Accounts 01 practice assignment above, add an equals() method that returns true if all of the fields match and false otherwise. The Object class has the following method:

public boolean equals( Object obj )

To override this method, you must have the same method header. Additionally, to use the fields of the class that overrides the method, you need to cast the parameter to the current class.
Your equals methods should work so that the following code will execute, but not display anything:

/** 
 * Exercises equals()
 *
 * @author Jo Belle
 * @version 0.1 (10/12/2020)
 */
public class BankAccounts03{
    final public static double INTEREST_RATE = 0.01;  // 1%

    public static void main( String[] args ){
        CheckingAccount checking = new CheckingAccount( 100.0, "checking123" );
        SavingsAccount savings = new SavingsAccount( 1000.0, "savings124", INTEREST_RATE );

        CheckingAccount checkingCopy = new CheckingAccount( 100.0, "checking123" );
        SavingsAccount savingsCopy = new SavingsAccount( 1000.0, "savings124", INTEREST_RATE );

        if( checking.equals( checkingCopy ) == false ){
            System.err.println("ERROR: The following objects are equal:");
            System.err.println( checking );
            System.err.println( checkingCopy );
        }

        if( savings.equals( savingsCopy ) == false ){
            System.err.println("ERROR: The following objects are equal:");
            System.err.println( savings );
            System.err.println( savingsCopy );
        }

        int electricBillCheckNum = 2123;
        double electricBill = 60.34;
        double futureCar = 200.0;

        checking.processCheck( electricBillCheckNum, electricBill );

        savings.deposit( futureCar );
        savings.applyInterest( );

        if( checking.equals( checkingCopy ) == true ){
            System.err.println("ERROR: The following objects are NOT equal:");
            System.err.println( checking );
            System.err.println( checkingCopy );
        }

        if( savings.equals( savingsCopy ) == true ){
            System.err.println("ERROR: The following objects are NOT equal:");
            System.err.println( savings );
            System.err.println( savingsCopy );
        }
    }
}


Submit the following files:

  • CheckingAccount.java
  • SavingsAccount.java
  • SimpleBankAccount.java

In: Computer Science

Your firm may purchase certain assets from a struggling competitor. The competitor is asking $50,000,000 for...

Your firm may purchase certain assets from a struggling competitor. The competitor is asking $50,000,000 for the assets. Last year, the assets produced revenues of $15,000,000. Revenues earned in the next year (i.e., year 1) and in future years are estimated using the information in the table below.

Your staff expects that the following assumptions will hold over the operating period:

  • The assets will be viable for another 10 years but will be worthless at the end of the 10 year period
  • The assets are qualified by the IRS for depreciation using the straight-line method
  • A constant tax rate of 20%

Your staff has also identified three key areas of uncertainty, which include

Worst-Case

Base-Case

Best-Case

Cash Expenses as a % of Revenues

60%

55%

45%

WACC

20%

15%

8%

Revenue Growth Rate

-10%

0%

7%

Probability

10%

80%

10%

For this case, address the following goals (each goal should be shown in a separate worksheet in an Excel workbook; provide labels on each worksheet):

Goal 2- Calculate the NPV and IRR for each scenario. Within the Goal 2 worksheet, discuss/interpret the NPV and IRR values that you have calculated in terms of whether the acquisition should be accepted or rejected.

In: Finance

Unemployment How do economists measure unemployment? Why is unemployment not a perfect measure of joblessness? Visit...

Unemployment

How do economists measure unemployment? Why is unemployment not a perfect measure of joblessness? Visit the Bureau of Labor Statistics website and explore the national unemployment rate section. What is the current level of national unemployment? Has it increased or decreased? Explain why the unemployment rate has changed. (You can also talk about COVID-19)

In: Economics

Protrade Corporation acquired 80 percent of the outstanding voting stock of Seacraft Company on January 1,...

Protrade Corporation acquired 80 percent of the outstanding voting stock of Seacraft Company on January 1, 2017, for $408,000 in cash and other consideration. At the acquisition date, Protrade assessed Seacraft's identifiable assets and liabilities at a collective net fair value of $535,000 and the fair value of the 20 percent noncontrolling interest was $102,000. No excess fair value over book value amortization accompanied the acquisition.

The following selected account balances are from the individual financial records of these two companies as of December 31, 2018:

Protrade Seacraft
Sales $ 650,000 $ 370,000
Cost of goods sold 295,000 202,000
Operating expenses 151,000 106,000
Retained earnings, 1/1/18 750,000 190,000
Inventory 347,000 111,000
Buildings (net) 359,000 158,000
Investment income Not given 0

Protrade sells Seacraft a building on January 1, 2017, for $82,000, although its book value was only $51,000 on this date. The building had a five-year remaining life and was to be depreciated using the straight-line method with no salvage value.
Determine balances for the following items that would appear on consolidated financial statements for 2018:

Buildings (net)

Operating expenses

Net income attributable to non-controlling interest

In: Accounting

Construction Safety 1. Corporate safety plans, site specific safety plans, and emergency response plans are very...

Construction Safety

1. Corporate safety plans, site specific safety plans, and emergency response plans are very long and detailed. Employees are usually trained in the application of these plans but what happens to workers and the company if an employee with duties in these plans does not remember something they are responsible to do in the plans when an accident or emergency happens? Please write a comprehensive answer including 1) possible reasons what went wrong, 2) what can be the consequences and 3) how it should be avoided in future (one page)

In: Civil Engineering

Due to much loss caused by COVID-19, what are the actions to revitalize the economy of...

Due to much loss caused by COVID-19, what are the actions to revitalize the economy of Hong Kong?

In: Economics

Python pls 1. The function only allow having one return statement. Any other statements are not...

Python pls

1. The function only allow having one return statement. Any other statements are not allowed. You only have to have exactly one return statement.

For example

the answer should be

def hello(thatman):

return thatman * thatman

Create a function search_hobby. This function returns a set of hobby names and people's excitement level.

input

database = {'Dio': {'Lottery': 2, 'Chess': 4, 'Game': 3},'Baily': {'Game': 2, 'Tube': 1, 'Chess': 3}, 'Chico': {'Punch': 2, 'Chess': 5}, 'Aaron': {'Chess': 4, 'Tube': 2, 'Baseball': 1}}

def search_hobby(database, num):

#ONLY ONE STATEMENT IS ALLOWED (RETURN STATEMENT)

search_hobby(database,0) -> {'Chess', 'Punch', 'Baseball', 'Game', 'Tube', 'Lottery'}

search_hobby(databalse,3) - > {'Chess', 'Game'}

In: Computer Science

In Java please, question is: Find a website that publishes the current temperature in your area,...

In Java please, question is:
Find a website that publishes the current temperature in your area, and write a screen-scraper program Weather so that typing java weather followed by your zip code will give you a weather forecast

In: Computer Science

1) Which of the following combinations of changes in supply and demand (listed in the same...

1)

Which of the following combinations of changes in supply and demand (listed in the same order) is likely to cause an indeterminate change in quantity?

Multiple Choice

  • Decrease/Decrease

  • Increase/Decrease

  • Increase/Increase

  • Static/Decrease

2)

A government set minimum wage:

Multiple Choice

  • imposes a legal ceiling above the wage of the least skilled worker.

  • is one of the reasons why price level falls during recessions.

  • imposes a legal floor under the wage of the most skilled worker.

  • imposes a legal floor under the wage of the least skilled worker.

3)

International specialization and trade:

Multiple Choice

  • allow a nation to get more of a desired good at less sacrifice of some other good.

  • can allow an economy to circumvent the output limits imposed by its domestic production possibilities curve.

  • Has the same effect as having more and better resources.

  • All of the above.

4)

Ed, Mike, and Scott are the only three people in a community and Ed is willing to pay $20 for the 5th unit of a public good; Mike, $15; Scott, $25. The government should produce the 5th unit of the public good if the marginal cost is:

Multiple Choice

  • less than $150.

  • less than $100.

  • less than $60.

  • less than $300.

5)

Answer the question based on the following information. Way-Below Normal University has found it necessary to institute a crime-control program on its campus to deal with the high costs of theft and vandalism. The university is now considering several alternative levels of crime control. This table shows the expected annual costs and benefits of these alternatives. If Way-Below Normal undertakes Level Three:

Total costs per year Total benefits per year (reduction in the costs of crime)
Level One – 1 security officer $20,000 $80,000
Level Two – 1 security officer with guard dog 30,000 120,000
Level Three – 1 security officer with guard dog and patrol car 40,000 140,000
Level Four – 2 security officers with guard dog 50,000 155,000
Level Five – 2 security officers with guard dog and patrol car 60,000 160,000

Multiple Choice

  • total benefits will be less than total costs.

  • marginal costs will exceed marginal benefits.

  • there would be an under-allocation of resources to crime control.

  • there would be an over-allocation of resources to crime control.

6)

If a good that generates negative externalities was priced to take into account these negative externalities, then its:

Multiple Choice

  • price would decrease and its output would increase.

  • output would increase but its price would remain constant.

  • price would increase and its output would decrease.

  • price would increase but its output would remain constant.

In: Economics

1. Fiscal Policy What is fiscal policy? Is the President and Congress currently running expansionary fiscal...

1. Fiscal Policy

What is fiscal policy? Is the President and Congress currently running expansionary fiscal policy or contractionary fiscal policy? Why? Visit the Congressional Budget Office and report a project that could impact the budget (search topics then pick an area that you find interesting and may even talk about the COVID-19 as well).

In: Economics

Kurtz Fencing Inc. uses a job order cost system. The following data summarize the operations related...

Kurtz Fencing Inc. uses a job order cost system. The following data summarize the operations related to production for March, the first month of operations:

a. Materials purchased on account, $28,580.
b. Materials requisitioned and factory labor used:

Job

Materials

Factory Labor

301 $3,030 $2,760
302 3,490 3,770
303 2,520 1,860
304 8,290 6,880
305 5,000 5,490
306 3,890 3,410
For general factory use 1,130 4,190
c. Factory overhead costs incurred on account, $5,670.
d. Depreciation of machinery and equipment, $2,050.
e. The factory overhead rate is $52 per machine hour. Machine hours used:
Job Machine Hours
301 27
302 38
303 28
304 73
305 38
306 27
Total 231
f. Jobs completed: 301, 302, 303 and 305.
g. Jobs were shipped and customers were billed as follows: Job 301, $8,340; Job 302, $10,880; Job 303, $15,310.
Required:
1. Journalize the entries to record the summarized operations. Record each item (items a-f) as an individual entry on March 31. Record item g as 2 entries. Refer to the Chart of Accounts for exact wording of account titles.
2. Post the appropriate entries to T accounts for Work in Process and Finished Goods, using the identifying letters as transaction codes. Insert memo account balances as of the end of the month. For grading purposes enter transactions in alphabetical order. Determine the correct ending balance. The ending balance label is provided on the left side of the T account even when the ending balance is a credit. The unused cell on the balance line should be left blank.
3. Prepare a schedule of unfinished jobs to support the balance in the work in process account.*
4. Prepare a schedule of completed jobs on hand to support the balance in the finished goods account.*
*Refer to the list of Amount Descriptions for the exact wording of the answer choices for text entries.
CHART OF ACCOUNTS
Kurtz Fencing Inc.
General Ledger
ASSETS
110 Cash
121 Accounts Receivable
125 Notes Receivable
126 Interest Receivable
131 Materials
132 Work in Process
133 Factory Overhead
134 Finished Goods
141 Supplies
142 Prepaid Insurance
143 Prepaid Expenses
181 Land
191 Machinery and Equipment
192 Accumulated Depreciation-Machinery and Equipment
LIABILITIES
210 Accounts Payable
221 Utilities Payable
231 Notes Payable
236 Interest Payable
241 Lease Payable
251 Wages Payable
252 Consultant Fees Payable
EQUITY
311 Common Stock
340 Retained Earnings
351 Dividends
390 Income Summary
REVENUE
410 Sales
610 Interest Revenue
Amount Descriptions
Balance of Work in Process, January 30
Finished Goods, January 30 (Job 305)
Job No. 301
Job No. 302
Job No. 303
Job No. 304
Job No. 305
Job No. 306

1. Journalize the entries to record the summarized operations. Record each item (items a-f) as an individual entry on March 31. Record item g as 2 entries. Refer to the Chart of Accounts for exact wording of account titles.

PAGE 10

JOURNAL

DATE DESCRIPTION POST. REF. DEBIT CREDIT

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

2. Post the appropriate entries to T accounts for Work in Process and Finished Goods, using the identifying letters as transaction codes. Insert memo account balances as of the end of the month. For grading purposes enter transactions in alphabetical order. Determine the correct ending balance. The ending balance label is provided on the left side of the T account even when the ending balance is a credit. The unused cell on the balance line should be left blank.

Work in Process
Bal.
Finished Goods
Bal.

3. Prepare a schedule of unfinished jobs to support the balance in the work in process account. Refer to the list of Amount Descriptions for the exact wording of the answer choices for text entries.

Kurtz Fencing Inc.

Schedule of Unfinished Jobs

1

Job

Direct Materials

Direct Labor

Factory Overhead

Total

2

3

4

4. Prepare a schedule of completed jobs on hand to support the balance in the finished goods account. Refer to the list of Amount Descriptions for the exact wording of the answer choices for text entries.

Kurtz Fencing Inc.

Schedule of Completed Jobs

1

Job

Direct Materials

Direct Labor

Factory Overhead

Total

2

In: Accounting

Which of the following would shift the demand curve for cars to the right? Group of...

Which of the following would shift the demand curve for cars to the right?

Group of answer choices

An increase in the federal funds rate

An increase in discount lending by the Fed to banks

An increase in home mortgage interest rates

An increase in the unemployment rate over the NAIRU

originally proposed the use of government spending to stimulate the economy in the 1930s, during the Great Depression.

Group of answer choices

John Maynard Keynes

Franklin Delano Roosevelt

Albert Einstein

Charles H. Chaplin

In: Economics