Questions
Weihong Corporation is about to emerge from a Chapter 11 reorganization. Assets of the emerging entity...

Weihong Corporation is about to emerge from a Chapter 11 reorganization. Assets of the emerging entity have a total book value of $3,000,000. Of these, assets with a book value of $600,000 are not needed to operate the emerging entity and will be sold for an expected price of $460,000. The remaining assets will be used in operations. Operations are expected to generate an annual net cash flow of $350,000. This amount is projected for the next five years; a discount rate of 10 percent is deemed appropriate. Required Calculate Weihong Corporation’s reorganization value. For convenience, assume the operating cash flows take place at the end of each year. Round your answer to the nearest whole number

PS: I already submitted this question but the answer was wrong, it is not 1786500

In: Accounting

How might cultures differ in respect to a toleration of contradiction?

How might cultures differ in respect to a toleration of contradiction?

In: Psychology

Which of the following is a positive statement? A. The level of income inequality has become...

  1. Which of the following is a positive statement?

    A.

    The level of income inequality has become too large in the U.S.

    B.

    An increase in the minimum wage would result in increased teenage unemployment.

    C.

    Stricter immigration laws are needed in the U.S.

    D.

    The government should expand the earned income tax credit program because many workers choose not to work.

    E.

    An increase in the minimum wage would make the distribution of income more fair.

2 points   

QUESTION 2

  1. If the number of workers in an industry rises, the equilibrium wage will:

    A.

    remain the same.

    B.

    increase.

    C.

    change in an unpredictable manner.

    D.

    decrease.

2 points   

QUESTION 3

  1. If some workers get discouraged and leave the labor force, the labor force participation rate will:

    A.

    fall.

    B.

    rise.

    C.

    remain the same.

    D.

    change in an unpredictable manner.

2 points   

QUESTION 4

  1. The official unemployment rate may overstate the cost of unemployment because ______________ are sometimes counted as being unemployed.

    A.

    workers who are working "off-the-books"

    B.

    discouraged workers

    C.

    all teenagers

    D.

    part-time workers who prefer to work part-time

2 points   

QUESTION 5

  1. If leisure is a normal good, an increase in the level of non-labor income will:

    A.

    lower the reservation wage for most workers.

    B.

    shift the budget constraint inward toward the origin.

    C.

    cause the budget constraint to become steeper.

    D.

    reduce the quantity of labor supplied.

    E.

    cause indifference curves to become flatter.

2 points   

QUESTION 6

  1. During a recession, the labor force participation rate generally:

    A.

    is as likely to rise as it is to fall.

    B.

    falls.

    C.

    remains unchanged.

    D.

    rises.

In: Economics

Why are people easily fooled by false information, why are we gullible to advertising, or to...

Why are people easily fooled by false information, why are we gullible to advertising, or to conspiracy theories and superstition s? Give an example from your own experience, more than 250 words.

In: Psychology

Does Dell have organizational capabilities that foster rapid adaptation? Explain.

Does Dell have organizational capabilities that foster rapid adaptation? Explain.

In: Operations Management

Discuss 3 of the 5 sources of power that a manager has when leading employees. Explain...

Discuss 3 of the 5 sources of power that a manager has when leading employees.


Explain what happens in each of the 5 stages of group development.

In: Operations Management

1. A street light is supported by two wires and each makes a different angle from...

1. A street light is supported by two wires and each makes a different angle from each other. The one on the left is 32 degrees from the vertical and the one on the right is 43 degrees from the vertical. Find the tension in each wire if the street light has a mass of 60.0 kg. See notes in week 5 announcement on this problem.

2. There are three masses m1 = 2.0 kg, m2 = 5.0 kg and m3 = 7.0 kg. The mass are all affixed to a massless rod of length 15cm. m1 and m3 are at the ends and m2 is 10 cm from left where m1 is. Calculate the center of mass of the system and specify from which end it is from.

3. A pair of hedge trimmers are 45 cm long from the pivot to the end of the handles. If the person applies of a force of 15 N on each handle and the blades are 3.5 cm long, how much force is applied to the branch?

4. A 245 kg person lays on board that is supported only on the ends and that has a mass of 12.0 kg. If the person and the board are both 205 cm long and the person

In: Physics

Write a Python program containing a function named scrabble_sort that will sort a list of strings...

Write a Python program containing a function named scrabble_sort that will sort a list of strings according to the length of the string, so that shortest strings appear at the front of the list. Words that have the same number of letters should be arranged in alphabetical order. Write your own logic for the sort function (you may want to start from some of the existing sorting code we studied). Do NOT use the built-in sort function provided by Python.

One optional way to test your function is to create a list of random words by using the RandomList function in PythonLabs and passing 'words' as an argument. For example:

>>> from PythonLabs.RecursionLab import *

>>> a = RandomList(20, 'words')
>>> scrabble_sort(a)
>>> print(a)

['mum', 'gawk', 'tree', 'forgo', 'caring', ... 'unquestioned']

Note: you do not need to include the above test case in your solution, but be sure to include at least 2 test cases to verify your scrabble_sort function works.

In PyCharm

In: Computer Science

For this problem you must write the functions in a recursive manner (i.e. the function must...

For this problem you must write the functions in a recursive manner (i.e. the function must call itself) – it is not acceptable to submit an iterative solution to these problems.

A. Complete the recursive function gcd(m, n) that calculate the greatest common denominator of two numbers with the following rules:

# If m = n, it returns n

# If m < n, it returns gcd(m, n-m)

# If m > n, it returns gcd(m-n, n) #

def gcd(m,n):
    return None  # Replace this with your implementation

B. Complete the following function that uses recursion to find and return the max (largest) value in the list u.

# find_max([1, 7, 4, 5] returns 7
# find_ max ([1, 7, 4, 5, 9, 2] returns 9
#
def find_max(u):
    return None  # Replace this with your implementation

C. Complete the following recursive function that returns the zip of two lists u and v of the same length. Zipping the lists should place the first element from each into a new array, followed by the second elements, and so on (see example output).

# zip([1, 2, 3], [4, 5, 6]) returns [1, 4, 2, 5, 3, 6]
#
def zip(u, v):
    return None  # Replace this with your implementation

D. Complete the following recursive function that removes all occurrences of the number x from the list nums.

# remove_number(5, [1, 2, 3, 4, 5, 6, 5, 2, 1]) returns [1, 2, 3, 4, 6, 2, 1]
#
def remove_number(x, nums):
    return None  # Replace this with your implementation

E. Write a recursive function removeLetter(string, letter) that takes a string and a letter as input, and recursively removes all occurrences of that letter from the string. The function is case sensitive.

Some example test cases are below:

>>> removeLetter("test string", "t")
es sring

>>> removeLetter("mississipi", "i")
mssssp

>>> removeLetter("To be or not to be is a question.", "t")

To be or no o be is a quesion.

In PyCharm

In: Computer Science

How does a person become a leader? where do our values come from and Why do...

How does a person become a leader?

where do our values come from and Why do we care about what we care about?

What is the value of disagreement and opposition?

I would appreciate if you guys could answer all of the above,

thank you in advance!

In: Operations Management

For each of the following reactions, calculate ?H?rxn, ?S?rxn, ?G?rxn at 25?C. State whether or not...

For each of the following reactions, calculate ?H?rxn, ?S?rxn, ?G?rxn at 25?C. State whether or not the reaction is spontaneous. If the reaction is not spontaneous, would a change in temperature make it spontaneous? If so, should the temperature be raised or lowered from 25?C?

2CH4(g)?C2H6(g)+H2(g)

?H?rxn, ?S?rxn, ?G?rxn at 25?C???

In: Chemistry

For the following, copy the questions into a text file and write your answers for each...

For the following, copy the questions into a text file and write your answers for each question.

I. Place the following algorithm time complexities in order from fastest (least number of comparisons) to the slowest: nlogn, n, n2, 2n, logn, 2n
II. In your own words, explain the two characteristics that a recursive solution must have.
III. Why are divide-and-conquer algorithms often very efficient in terms of time complexity?
IV. Write in your own words 3 different examples of cases where people around you are giving up their privacy to use some service in exchange for a benefit. State for each example what data is being collected and what benefits the user receives in exchange.

In: Computer Science

C++ Program Create Semester class (.h and .cpp file) with the following three member variables: ▪...

C++ Program
Create Semester class (.h and .cpp file) with the following three member variables:
▪ a semester name (Ex: Fall 2020)
▪ a Date instance for the start date of the semester
▪ a Date instance for the end date of the semester

The Semester class should have the following member functions
1. Create a constructor that accepts three arguments: the semester name, the start Date, and the end Date. Use default values for all the parameters in the constructor
2. Overload the << operator for this class
▪ Have it output the semester name and dates in a manner similar to this:
Semester: Fall 2020 (08/31/2020 - 12/10/2020)
3. Overload the >> operator for this class
▪ Have the >> operator accept input for the Semester name, start date and end date.
4. Create the get and set functions for each variable - Do NOT recreate the Date class - reuse code from Date Class.

Below is the Date .h and .cpp file

Date.h
========================================

#define DATE_H
#include <iostream>
using namespace std;

class Date
{
   friend ostream& operator << (ostream&, const Date&);
   friend istream& operator >> (istream&, Date&);

private:
   int month;
   int day;
   int year;
   void checkDate();

public:
   Date(int = 1, int = 1, int = 1990);
   ~Date();
   Date& setDate(int, int, int);
   Date& setMonth(int);
   Date& setDay(int);
   Date& setYear(int);

   int getMonth() const;
   int getDay() const;
   int getYear() const;

   bool operator< (const Date&);
   bool operator> (const Date&);
   bool operator<= (const Date&);
   bool operator>= (const Date&);
   bool operator== (const Date&);
   bool operator!= (const Date&);
};

Date.cpp
========================================

#include <iostream>
#include <iomanip>
#include "Date.h"
using namespace std;

Date::Date(int m, int d, int y)
{
   setDate(m, d, y);
}

Date::~Date()
{

}

Date& Date::setDate(int m, int d, int y)
{
   setMonth(m);
   setDay(d);
   setYear(y);

   return *this;
}

void Date::checkDate()
{
   static const int daysPerMonth[13] = { 0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 };

   if (month <= 0 || month >= 12)
   {
       month = 1;
   }

   if (!(month == 2 && day == 29 && (year % 400 == 0 || (year % 4 == 0 && year % 100 != 0)))
       && (day <= 0 || day > daysPerMonth[month]))
   {
       day = 1;
   }

   if (year <= 1989)
   {
       year = 1990;
   }
}

Date& Date::setMonth(int m)
{
   month = m;
   checkDate();
   return *this;
}

Date& Date::setDay(int d)
{
   day = d;
   checkDate();
   return *this;
}

Date& Date::setYear(int y)
{
   year = y;
   checkDate();
   return *this;
}

int Date::getMonth() const
{
   return month;
}

int Date::getDay() const
{
   return day;
}

int Date::getYear() const
{
   return year;
}

bool Date::operator<(const Date& right)
{
   bool status;
   if (year < right.year)
       status = true;
   else if ((year == right.year) && (month < right.month))
       status = true;
   else if ((year == right.year) && (month < right.month) && (day < right.day))
       status = true;
   else
       status = false;

   return status;
}

bool Date::operator>(const Date& right)
{
   bool status;
   if (year > right.year)
       status = true;
   else if ((year == right.year) && (month > right.month))
       status = true;
   else if ((year == right.year) && (month > right.month) && (day > right.day))
       status = true;
   else
       status = false;

   return status;
}

bool Date::operator<=(const Date& right)
{
   bool status;
   if (year <= right.year)
       status = true;
   else if ((year == right.year) && (month <= right.month))
       status = true;
   else if ((year == right.year) && (month <= right.month) && (day <= right.day))
       status = true;
   else
       status = false;

   return status;
}

bool Date::operator>=(const Date& right)
{
   bool status;
   if (year < right.year)
       status = true;
   else if ((year == right.year) && (month < right.month))
       status = true;
   else if ((year == right.year) && (month < right.month) && (day < right.day))
       status = true;
   else
       status = false;

   return status;
}

bool Date::operator==(const Date& right)
{
   bool status;
   if (year == right.year && month == right.month && day == right.day)
       status = true;
   else
       status = false;
   return status;
}

bool Date::operator!=(const Date& right)
{
   bool status;
   if (year != right.year && month != right.month && day != right.day)
       status = true;
   else
       status = false;
   return status;
}

ostream& operator<<(ostream& output, const Date& obj)
{
   output << setfill('0') << setw(2) << obj.month << '/' << setfill('0') << setw(2) << obj.day << '/' << obj.year;

   return output;
}

istream& operator>>(istream& input, Date& obj)
{
   input >> obj.month;
   input.ignore();
   input >> obj.day;
   input.ignore();
   input >> obj.year;

   obj.checkDate();
   return input;
}

In: Computer Science

Example (8): A slurry containing 50 percent of the mass of solid materials with a density...

Example (8): A slurry containing 50 percent of the mass of solid materials with a density of 2,600 kg / m is filtered on a rotary cylinder filter, with a diameter of 2.25 m and a length of 2.5 m, which works with immersion of 35% of its surface in the slurry and under vacuum 600 mm Hg. A laboratory test on a slurry sample, using a 100 cm² paper filter and covered with a cloth identical to that used on a cylinder, produced 220 cm of filtration in the first minute and 120 cm of filter the next day a minute when the paper was under a vacuum of 550 mm Hg. The apparent density of the moist cake was 1600 kg / m and the filter density was 1000 kg / m3. Assuming the cake was not compressible and left 5 mm of cake on the cylinder, determine the theoretical maximum flow rate of the filter that could be obtained. What is the speed of the cylinder that will give the filter rate 80% of the maximum?

In: Other

Explain the concept of “global talent acquisition.” How does it differ from domestic talent acquisition? What...

Explain the concept of “global talent acquisition.” How does it differ from domestic talent acquisition? What is the “War for Talent” and what are some of the strategies that companies have used to compete for talent in the global labor market? What are some of the key factors that should be considered in creating a global staffing plan? Specifically, how are competency models used in creating global staffing plans and what are some examples of basic competencies for a global HR professional. Discuss the four approaches to global staffing. What are some advantages and disadvantages of each approach? Finally, how is the staffing pattern likely to change over time in the foreign subsidiary of a multinational enterprise?

In: Operations Management