Questions
If the S phase of interphase occurred but G1 and G2 did not, would the cell...

  1. If the S phase of interphase occurred but G1 and G2 did not, would the cell still undergo cell division?A)Even though G1 and G2 phases did not occur and therefore protein synthesis did not occur in interphase, the cell would still divide. The enzymes, proteins and chemical messengers will be made in prophase to conduct the cell division process B)No, the cell would not divide since G1 and G2 did not occur and therefore the proteins, enzymes and chemical messengers needed to conduct the process of cell division would not have been synthesized. C) Yes, the cell would still divide since the S phase occurred making enough chromosomes for the new cells to be produced.

In: Biology

This is a 3-part question based on the following information (only). Be sure to answer all...

This is a 3-part question based on the following information (only). Be sure to answer all three parts for full credit. Each part is worth 10 points.

A start-up entrepreneur short on resources, but long on ingenuity and vision, sees an opportunity before others. He establishes the market with first-mover advantages and sales begin to grow and the customer base is increases rapidly - too fast for the entrepreneur to keep up (few resources).

Entry barriers are low, and switching costs are quite high, therefore speed in capturing the growing customer base is crucial to locking in repeat business. However, speed-to-market is quite expensive. The market appears to have strong growth and profit potential for an efficient company able to keep costs down, which will be crucial to long-term profitability given the high fixed costs of the operation.

The entrepreneur has very little production capacity, no company recognition, and a domestic supply chain with high costs. The fundamental strategic question is, should the entrepreneur attack (take out additional debt to increase plant capacity and economies of scale); defend (keep resources at the same level), or retreat (sell off when the inevitable large company approaches them with a buyout offer.)  

1) Analyze the entrepreneur's expectancy (10 points)

2) Analyze the market's valence (10 points)

3) From your analyses, recommend a strategic resource decision - ADRA (5 points).

In: Operations Management

If x(overbar) =103 and sigma=8 and n=65 construct a 95% confidence interval estimate of the population...

If x(overbar) =103 and sigma=8 and n=65 construct a 95% confidence interval estimate of the population mean, u

In: Math

X is a binomial random variable. n= 100 p= .4 Use the binomial approach and normal...

X is a binomial random variable.

n= 100 p= .4

Use the binomial approach and normal approximation to calculate the follwowing: 1. P(x>=38) 2. P(x=45) 3. P(X>45) 4. P(x <45)

In: Math

Cplusplus Task: You are to write a class called Monomial, using filenames monomial.h and monomial.cpp, that...

Cplusplus

Task: You are to write a class called Monomial, using filenames monomial.h and monomial.cpp, that will allow creation and handling of univariate monomials, as described below.

Monomial Description

Each monomial object has following properties:

  • Each monomial has a coefficient and a power.
  • Monomial power is always positive.
  • Monomial power is always integer.
  • Monomials cannot be added if they have different powers

Class Details

  1. The single constructor for the Monomial class should have 2 parameters: an floating point coefficient value (optional, with a default value of 1.0); and an integer power value (optional, with a default value of 1). If the power value is less then 1, set the power to 1. The class will need to provide internal storage for any member data that must be kept track of.

  2. There should be member functions GetCoefficient, and GetPower, which will return the monomial’s coefficient value, and monomial’s power value, respectively. The GetPower method should return integer results. The GetCoefficient function should return its result as a float.

  3. There should be member functions SetPower, which will set the monomial’s power to the arbitrary positive value. If the parameter is not positive then set the power to the default value 1.

  4. There should be member function Add, which adds the one monomial to the other. The parameter of this member function need to be a constant reference to the other monomial object. The monomials can only be added if they have the same power, otherwise error message must be printed. The result of the addition is saved in the caller object.

  5. There should be two member functions Multiply (overrides), which each allow to multiply a monomial to a number and to another monomial. The first member function need to accept floating point parameter that is used to perform multiplication of the real number on the the monomial object. The second member function need to accept a constant reference to the other monomial object. Use monomials to coefficients and powers to perform their multiplication. The result of the multiplication is saved in the caller object.

  6. There should be a member function called Exponent that perform exponentiation (raise to power) of the monomial to the specified power value. You only can raise monomial to the positive power, if the power parameter is not positive print error message. The result of the exponentiation is saved in the caller object.

  7. A sample driver program (called monomial-driver.cpp) is provided. It uses objects of type Monomial and illustrates sample usage of the member functions.

  8. Your class declaration and definition files must work with my main program from the test driver, as-is (do not change my program to make your code work!). You are encouraged to write your own driver routines to further test the functionality of your class, as well. Most questions about the required behavior of the class can be determined by carefully examining my driver program and the sample execution. Keep in mind, this is just a sample. Your class must meet the requirements listed above in the specification - not just satisfy this driver program. (For instance, I haven’t tested every illegal fill character in this driver program - I’ve just shown a sample). Your class will be tested with a larger set of calls than this driver program represents.

General Requirements

  • No global variables, other than constants!
  • All member data of your class must be private
  • You can only use the <iostream> library for output. !!! No other libraries are allowed !!!.
  • When you write source code, it should be readable and well-documented.
  • Here are some general notes on style guidelines
  • Your monomial.h file should contain the class declaration only. The monomial.cpp file should contain the member function definitions.

Test Driver:

//
// driver.cpp -- driver program to demonstrate the behavior of
//               the Monomial class

#include <iostream>
#include "monomial.h"

using namespace std;

int main()
{
    // create some monomial: x, 2x, 12.5x³, -3xâ¶
    Monomial m1, m2( 2.0 ), m3( 12.5, -1 ), m4( -3.0 , 6);
    // display monomial
    cout << "Monomial `m1` has the coefficient " << m1.GetCoefficient()
         << " and power " << m1.GetPower() << ": ";
    m1.Print();
    cout << "Monomial `m2` has the coefficient " << m2.GetCoefficient()
         << " and power " << m2.GetPower() << ": ";
    m2.Print();
    cout << "Monomial `m3` has the coefficient " << m3.GetCoefficient()
         << " and power " << m3.GetPower() << ": ";
    m3.Print();
    cout << "Monomial `m4` has the coefficient " << m4.GetCoefficient()
         << " and power " << m4.GetPower() << ": ";
    m4.Print();

    // Change monomial power
    cout << "Monomial `m3` power wasn't changed: ";
    m3.SetPower(-1);
    m3.Print();
    cout << "Monomial `m3` power was changed: ";
    m3.SetPower(3);
    m3.Print();

    // can add monomials with the same powers
    cout << "Monomial addition" << endl;
    m1.Add(m2);
    cout << "x + 2x = ";
    m1.Print();
    // cannot add monomials with different powers
    cout << "x³ + 12.5x³ = ";
    m2.Add(m3);

    // can multiply monomial to a number
    cout << "Monomial multiplication by a number" << endl;
    m2.Multiply(2.5);
    cout << "2x * 2.5 = ";
    m2.Print();

    // can multiply monomials
    cout << "Monomial multiplication by a monomial" << endl;
    m3.Multiply(m4);
    cout << "12.5x³ * -3xⶠ= ";
    m3.Print();

    // can raise monomial to the power
    cout << "Monomial exponentiation" << endl;
    m4.Exponent(3);
    cout << "(-3xâ¶)³ = "; // -27x^18
    m4.Print();
    cout << "(3x)â° = "; // -27x^18
    m1.Exponent(-10);

    return 0;
}

Test Driver Output

Monomial `m1` has the coefficient 1 and power 1: 1x^1
Monomial `m2` has the coefficient 2 and power 1: 2x^1
Monomial `m3` has the coefficient 12.5 and power 1: 12.5x^1
Monomial `m4` has the coefficient -3 and power 6: -3x^6
Monomial `m3` power wasn't changed: 12.5x^1
Monomial `m3` power was changed: 12.5x^3
Monomial addition
x + 2x = 3x^1
x³ + 12.5x³ = Cannot add monomials with different powers
Monomial multiplication by a number
2x * 2.5 = 5x^1
Monomial multiplication by a monomial
12.5x³ * -3x⁶ = -37.5x^9
Monomial exponentiation
(-3x⁶)³ = -27x^18
(3x)⁰ = Can raise only to a positive power

In: Computer Science

A $35,000 bond has a payable interest of 6% per year compounded quarterly. The bond is...

A $35,000 bond has a payable interest of 6% per year compounded quarterly. The bond is expected to mature in fifteen years. If the market interest rate is 8% per year compounded quarterly, the present value of the bond closest to which of the following values?

a.

$37,570

b.

$22,700

c.

$28,900

d.

$33,400

In: Accounting

Rachel purchased a car for $18,500 three years ago using a 4-year loan with an interest...

Rachel purchased a car for $18,500 three years ago using a 4-year loan with an interest rate of 9.0 percent. She has decided that she would sell the car now, if she could get a price that would pay off the balance of her loan.

What is the minimum price Rachel would need to receive for her car? Calculate her monthly payments, then use those payments and the remaining time left to compute the present value (called balance) of the remaining loan. (Do not round intermediate calculations and round your final answer to 2 decimal places.)

In: Finance

d) As the procurement officer for NOPT, describe how the evaluation process would be done with...

d) As the procurement officer for NOPT, describe how the evaluation process would be done with particular reference to any five (5) factors that would be appropriate to consider as evaluation criteria.

under purchasing and supply chain management

In: Economics

when are divisive tactics justified in a Social Movement? What divisive tacts are most effective?

when are divisive tactics justified in a Social Movement? What divisive tacts are most effective?

In: Psychology

C++ ONLY Binary Search and Selection Sort A binary search first requires a sort. Use a...

C++ ONLY Binary Search and Selection Sort

A binary search first requires a sort.

Use a selection sort to organize an array, then find the value using a binary search.

Input the array, and a value to find.

Output the sorted array and the value if contained in the array.

/*
* File: main.cpp
* Author:
* Created on:
* Purpose: Binary Search
*/

//System Libraries
#include <iostream> //Input/Output Library
#include <cstdlib> //Random Functions
#include <ctime> //Time Library
using namespace std;

//User Libraries

//Global Constants, no Global Variables are allowed
//Math/Physics/Conversions/Higher Dimensions - i.e. PI, e, etc...

//Function Prototypes
void fillAry(int [],int);
void prntAry(int [],int,int);
void selSrt(int [],int);
bool binSrch(int [],int,int,int&);

//Execution Begins Here!
int main(int argc, char** argv) {
//Set the random number seed
srand(static_cast<unsigned int>(time(0)));
  
//Declare Variables
const int SIZE=100;
int array[SIZE];
int indx,val;
  
//Initialize or input i.e. set variable values
fillAry(array,SIZE);

//Sorted List
selSrt(array,SIZE);
  
//Display the outputs
prntAry(array,SIZE,10);
cout<<"Input the value to find in the array"<<endl;
cin>>val;
if(binSrch(array,SIZE,val,indx))
cout<<val<<" was found at indx = "<<indx<<endl;

//Exit stage right or left!
return 0;
}

In: Computer Science

After being employed. During the operating period, it has been noticed that there happened to be...

After being employed. During the operating period, it has been noticed that there happened to be shrinkage to its inventory. Some music plus was missing. Of course, it’s the liability of the securities. They didn’t take their accountability enough. So the security should pay for it. Big shareholder named Mr. Madson sent his curious that there is shrinkage while there is nothing to do with the income statement. If you are an accountant, please send a communication letter to Mr. Madson and explain the reason.

please help me with this question

In: Accounting

Selling price   $75.00 June 8000 July 9000 August 10000 September 12000 Credit Sales Collected in the...

Selling price  

$75.00

June

8000

July

9000

August

10000

September

12000

Credit Sales Collected in the month of the sale

40%

Following month

60%

Ending finished goods inventory of the following month's unit sales

20%

Ending raw materials inventory of the following month's raw materials production needs

10%

Raw materials purchases are paid for in the month of purchase

30%

Following month

70%

Pounds of raw materials required for each unit of finished goods

5

Raw materials cost per pound

$2.00

Direct labor wage rate per hour

$15.00

Direct labor hours required for each unit of finished goods

2

Variable selling & administrative expense per unit sold

$1.80

fixed selling and administrative expense per month

$60,000.00

1. What are the budgeted sales for July?

2. What are the expected cash collections for July?

3. What is the accounts receivable balance at the end of July?

4. According to the production budget, how many units should be produced in July?

5. If 52,000 pounds of raw materials are needed to meet production in August, how many pounds of raw materials should be purchased in July?

6. What is the estimated cost of raw materials purchases for July?

7. If the cost of raw material purchases in June is $88,880, what are the estimated cash disbursements for raw materials purchases in July?

8. What is the estimated accounts payable balance at the end of July?

9. What is the estimated raw materials inventory balance at the end of July?

10.What is the total estimated direct labor cost for July assuming the direct labor workforce is adjusted to match the hours required to produce the forecasted number of units produced?

11.If the company always uses an estimated predetermined plantwide overhead rate of $10 per direct labor-hour, what is the estimated unit product cost?

12.What is the estimated finished goods inventory balance at the end of July?

13.What is the estimated cost of goods sold and gross margin for July?

14.What is the estimated total selling and administrative expense for July?

15.What is the estimated net operating income for July?

Assumptions to use for the budget:

1. the selling price is $75.00 per unit.

2. the beginning accounts receivable balance is $315,000

3. the beginning accounts payable balance is $49,000.

4. the beginning cash balance is $49,500

Other than the above all other information is as presented in the text.

Required:

Using the information above answer questions 1 through 15

In: Accounting

A child weighing 11 lb is ordered phenytoin 15 mg po every 12 hours. The recommended...

A child weighing 11 lb is ordered phenytoin 15 mg po every 12 hours. The recommended dosage is 4 to 8 mg/kg/day The medication is to be given in divided doses every 12 hours. The drug is supplied as phenytoin oral suspension 125 mg/5 mL.

Answer the following questions.

What is the child's weight in kg?

What is the recommended daily dosage range for this child?

According to the instructions, what would be the recommended individual dosage range for this child?

Is the ordered dose safe for this child?

If it is, how much will the nurse administer?

In: Nursing

What is the difference between synergy and value creation with respect to strategy? Employing at least...

What is the difference between synergy and value creation with respect to strategy? Employing at least two different web resources, please give details and examples. Can you find an example of an organization that is employing true strategic value creation as opposed to the marketing/PR illusion of strategic value creation?

In: Operations Management

QUESTION 1 A firm with variable-rate debt that expects interest rates to rise may engage in...

QUESTION 1

  1. A firm with variable-rate debt that expects interest rates to rise may engage in a swap agreement to:

A) pay fixed-rate interest and receive floating rate interest.

B) pay floating rate and receive fixed rate.

C) pay fixed rate and receive fixed rate.

D) pay floating rate and receive floating rate.

QUESTION 2

  1. Which following statement is INCORRECT?   

When the market is not in equilibrium, the potential for “risk-less” or arbitrage profit exists.

a)      The theories about how exchange rate always work out to be “true” when compared to what students and practitioners observe in the real world.

A forward exchange agreement between currencies states the rate of exchange at which a foreign currency will be bought forward or sold forward at a specific date in the future.

RPPP holds that PPP is not particularly helpful in determining what the spot rate is today, but that the relative change in prices between two countries over a period of time determines the change in the exchange rate over that period.


QUESTION 3

  1. Lluvia Manufacturing and Paraguas Products both seek funding at the lowest possible cost. Lluvia is the more credit-worthy company. It could borrow at LIBOR+1% or it could borrow fixed at 8%. Paraguas could borrow fixed at 12% or it could borrow floating at LIBOR+2%.

Lluvia would prefer the flexibility of floating rate borrowing, while Paraguas wants the security of fixed rate borrowing.  What should they do?

A) Lluvia could borrow fixed at 8% and swap for floating rate debt.

B) Paraguas could borrow floating at LIBOR+2% and swap for fixed rate debt.

C) Both are right actions.

D) None is right.

  

QUESTION 4

  1. What opportunity set for improvement in rate for Lluvia and Paraguas?

A) 3% savings for both which can be distributed between the two parties.


B) 4% savings for both which can be distributed between the two parties.

C) 5% savings for both which can be distributed between the two parties.

D) None of the above.

In: Finance