Questions
In C: You are to create a program to request user input and store the data...

In C:

You are to create a program to request user input and store the data in an array of structures, and then display the data as requested. The data you are collecting refers to a set of images. The images are OCT images taken of the lining of the bladder. The data you provide will help diagnose the image as cancerous or not, but your code does not need to do that at the moment.

1) Define a global structure that contains the following information:

a) File number (must be >0)

b) Diagnosis number (1-8)

c) Number of layers in the image

d) Maximum average intensity of a single row (should be a float)

e) Width of brightest layer

2) Declare an array of 9 of the structures in #1. This array should be a global variable.

3) Initialize each of the file numbers in the array to -1.

4) Create a loop that will continue asking the user for the above data until the file number 0 is given, or until information has been provided for 9 images.

5) If the user provides a file number less than 0, ask again. Do not ask for further information if the user provides a file number equal to 0.

6) If the user provides a diagnosis number that is not between 1 and 8, ask again.

7) Store the data in the array of structures in the order it is provided.

8) Write a function to display the information for a particular file number. If the file number was not found, nothing is displayed. The function will return a 1 if the file number was found or a 0 if the file number was not in the array.

9) In your main function, after the loop which requests the data, create another loop that will request a file number from the user and then call the function written for #8 to display the data for that file number. This loop will continue until a file number is provided that is not found.

10) In your main function, after the code for #9, add a loop that will display the information for all items stored in the array in order.

In: Computer Science

Describe the major categories of ferrous alloys.

Describe the major categories of ferrous alloys.

In: Mechanical Engineering

Personal Electronix sells iPads and iPods. The business is divided into two divisions along product lines....

Personal Electronix sells iPads and iPods. The business is divided into two divisions along product lines. CVP income statements for a recent quarter’s activity are presented below.

iPad Division

iPod Division

Total

Sales $755,200 $424,800 $1,180,000
Variable costs 543,744 246,384 790,128
Contribution margin $211,456 $178,416 389,872
Fixed costs 133,151
Net income $256,721

Determine sales mix percentage and contribution margin ratio for each division. (Round answers to 0 decimal places, e.g. 15%.)

Sales Mix Percentage

iPad division

enter a percentage number rounded to 0 decimal places %

iPod division

enter a percentage number rounded to 0 decimal places %

Contribution Margin Ratio

iPad division

enter a percentage number rounded to 0 decimal places %

iPod division

enter a percentage number rounded to 0 decimal places %

eTextbook and Media

Calculate the company’s weighted-average contribution margin ratio. (Round computations and final answer to 2 decimal places, e.g. 15.26%.)

Weighted-average contribution margin ratio

enter a percentage number of the weighted-average contribution margin ratio rounded to 2 decimal places %

eTextbook and Media

Calculate the company’s break-even point in dollars. (Round computations to 2 decimal places and final answer to 0 decimal places, e.g. 1,526.)

Break-even point

$enter the break-even point in dollars rounded to 2 decimal places

eTextbook and Media

Determine the sales level in dollars for each division at the break-even point. (Round computations to 2 decimal places and final answers to 0 decimal places, e.g. 1,526.)

Break-even point

iPad division

$enter a dollar amount rounded to 2 decimal places

iPod division

$enter a dollar amount rounded to 2 decimal places

In: Accounting

Masters Machine Shop is considering a four-year project to improve its production efficiency. Buying a new...

Masters Machine Shop is considering a four-year project to improve its production efficiency. Buying a new machine press for $720,000 is estimated to result in $240,000 in annual pretax cost savings. The press falls in the MACRS five-year class (MACRS Table), and it will have a salvage value at the end of the project of $105,000. The press also requires an initial investment in spare parts inventory of $30,000, along with an additional $4,500 in inventory for each succeeding year of the project.

  

If the shop's tax rate is 25 percent and its discount rate is 14 percent, what is the NPV for this project?

Multiple Choice

  • $-33,676.58

  • $-31,222.32

  • $-106,712.05

  • $-35,360.41

In: Finance

Consider the following two mutually exclusive projects:    Year Cash Flow (A) Cash Flow (B) 0...

Consider the following two mutually exclusive projects:

  

Year Cash Flow (A) Cash Flow (B)
0 –$191,176        –$15,661         
1 25,000        4,981         
2 56,000        8,773         
3 52,000        13,426         
4 386,000        8,474         

  

Whichever project you choose, if any, you require a 6 percent return on your investment.

a. What is the payback period for Project A?

b. What is the payback period for Project B?

c. What is the discounted payback period for Project A?

d. What is the discounted payback period for Project B?

e. What is the NPV for Project A?

. What is the NPV for Project B ?

g. What is the IRR for Project A?

h. What is the IRR for Project B?

i. What is the profitability index for Project A?

j. What is the profitability index for Project B?

In: Finance

please recode this in c++ language public abstract class BankAccount { double balance; int numOfDeposits; int...

please recode this in c++ language

public abstract class BankAccount
{
double balance;
int numOfDeposits;
int numOfWithdraws;
double interestRate;
double annualInterest;
double monSCharges;
double amount;
double monInterest;

//constructor accepts arguments for balance and annual interest rate
public BankAccount(double bal, double intrRate)
{
balance = bal;
annualInterest = intrRate;
}

//sets amount
public void setAmount(double myAmount)
{
amount = myAmount;
}

//method to add to balance and increment number of deposits
public void deposit(double amountIn)
{
balance = balance + amountIn;
numOfDeposits++;
}

//method to negate from balance and increment number of withdrawals
public void withdraw(double amount)
{
balance = balance - amount;
numOfWithdraws++;
}

//updates balance by calculating monthly interest earned
public double calcInterest()
{
double monRate;

monRate= interestRate / 12;
monInterest = balance * monRate;
balance = balance + monInterest;
return balance;
}

//subtracts services charges calls calcInterest method sets number of withdrawals and deposits
//and service charges to 0
public void monthlyProcess()
{
calcInterest();
numOfWithdraws = 0;
numOfDeposits = 0;
monSCharges = 0;
}

//returns balance
public double getBalance()
{
return balance;
}

//returns deposits
public double getDeposits()
{
return numOfDeposits;
}

//returns withdrawals
public double getWithdraws()
{
return numOfWithdraws;
}
}
and the subclass

public class SavingsAccount extends BankAccount
{
//sends balance and interest rate to BankAccount constructor
public SavingsAccount(double b, double i)
{
super(b, i);
}

//determines if account is active or inactive based on a min acount balance of $25
public boolean isActive()
{
if (balance >= 25)
return true;
return false;
}

//checks if account is active, if it is it uses the superclass version of the method
public void withdraw()
{
if(isActive() == true)
{
super.withdraw(amount);
}
}

//checks if account is active, if it is it uses the superclass version of deposit method
public void deposit()
{
if(isActive() == true)
{
super.deposit(amount);
}
}

//checks number of withdrawals adds service charge
public void monthlyProcess()
{
if(numOfWithdraws > 4)
monSCharges++;
}
}

INSTRUCTIONS WERE:
Build a retirement calculator program using classes ( have sets and gets for classes ) including unit tests for the classes.

Create a class for BankSavings Account -

fixed interest rate ( annual rate ) ( this should be set via a function call )

add money

withdraw money


Class for MoneyInYourPocket

add money

withdraw money


Class for MarketMoney ( investment )

rate of return is a variable 4% +- 6% randomly each time we 'apply it' ( don't need to unit test this for now, wait till next week )

add money

withdraw money ( every time you withdraw money, you get charged a $10 fee )


Build the retirement simulator.

Ask the user how old they are, and what age they want to retire.

For each asset type, get a current balance.

for every year until they retire ( loops ),

apply the return on investment or interest rate.

print the current balance in each type

ask for additional savings or withdrawals ( for each account type )

Once you reach the retirement age, display the balances of each type.

Also, generate a grand total, and adjust it for inflation ( fixed 2% per year )

total / ( 1.02 ^ years )

question has been answered before, so dont know how it doesnt have "enough inputs"

In: Computer Science

17. An one-year European call option has the strike price of $60. The underlying stock pays...

17. An one-year European call option has the strike price of $60. The underlying stock pays no dividend and currently sells for $70. One time step is six months long, and the stock price may move up or down by 10% in each step. The risk-free rate is 3% per annum. (a) What is the risk-neutral probability of an increase in the stock price in each step? (b) What is the time-0 current price of the call? (c) Find the replicating portfolio that we construct in time 0 to generate the same value as the call six months later. (d) Suppose that risk-averse investors require the stock return to be 12% per annum. In the approach of Discounted Cash Flow, what is the discount rate for the call per annum?

In: Finance

1. a bond has a face (maturity) value of $1000, 5 years til maturity, an annual...

1. a bond has a face (maturity) value of $1000, 5 years til maturity, an annual coupon rate of 7% and ayield to maturity of 5%. how much willl the bond price change in 1 year if the yield remains constant?

2. What is the current yield on the bond at 1year and year 2?

In: Finance

Obtaining reimbursement for services provided involves not only the clinical team but staff in the business...

Obtaining reimbursement for services provided involves not only the clinical team but staff in the business office. These staff include billers and coders, who each have a specific role when it comes to receiving payment for services rendered. Medical billing clerks interpret medical codes and submit bills to insurance companies, patients, and other agencies for medical services. A medical coding specialist is part of the medical records billing department of a healthcare organization, such as a hospital or a clinic. The coding specialist classifies diagnoses and procedures to facilitate billing and reimbursement from Medicare or health insurance companies. It is very important that each one does their job correctly. The medical coding specialist will be the focus of this discussion question.

You have just been hired as the coding supervisor for Big Wheel General Hospital. You were warned before taking the job that there were some issues with the department. However, you decided you were up to the challenge. Your first task, and probably most important, is to review the noted areas of deficiencies and provide a memorandum to the HIMS Director, Betty Kline, on which are the top two issues to focus on first and strategies to correct the issues.

These are the issues you have identified:

Not coding at the highest level.

Bad documentation/Missing documentation.

Not having access to the provider.

Failing to use current/updated code sets.

Under and overcoding.

Unbundling.

In: Operations Management

QUESTION 96 A baseball player is offered a contract that will pay $1,455,382 per year for...

QUESTION 96

  1. A baseball player is offered a contract that will pay $1,455,382 per year for 5 years, followed by $2,113,877 per year for 3 years, followed by $2,633,054 per year for 7 years. All contract payments are paid at the end of the year. If the player's required rate of return is 5.7%, how much is this contract worth? State your answer to the nearest whole dollar.

QUESTION 97

  1. A company is considering the purchase of a new production line that it has estimated will generate the following annual cash flows:  $5,710,498 per year for 8 years, followed by $7,672,287 per year for 2 years, followed by $3,519,326 per year for 15 years. All cash flows will be received at the end of the year. If the company's required rate of return is 12.4%, what is the maximum price at which the company will purchase this new line? State your answer to the nearest whole dollar.

QUESTION 98

  1. Assume that you will receive $8,766 per year for 4 years, followed by $4,590 per year for 8 years, followed by $7,686 per year for 3 years. All cash flows are to be received at the end of the year. If the required rate of return is 14.9%, what is the present value of these cash flows? State your answer to the nearest whole dollar.

QUESTION 99

  1. What is the present value of a 28-year ordinary annuity with annual payments of $118,60480,000, evaluated at a 7.1 percent interest rate? State your answer to the nearest whole dollar.

QUESTION 100

  1. What is the effective annual interest rate on an investment that quotes a nominal annual rate of 8.79% compounded quarterly? State your answer as a percentage to 2 decimal places

In: Finance

Lease or purchase fixed assets, the pros and cons and how does it effect corporate strategy??...

Lease or purchase fixed assets, the pros and cons and how does it effect corporate strategy?? Please Explain In Detail

In: Finance

Five Forces Analysis question about IMAX: Please discuss- What are the bargaining power of IMAX's suppliers...

Five Forces Analysis question about IMAX: Please discuss- What are the bargaining power of IMAX's suppliers and buyers?

In: Operations Management

Type your answer thank you #1. Your patient is a 70 year old female who was...

Type your answer thank you

#1. Your patient is a 70 year old female who was living in an assisted living community. She was admitted yesterday with a fever of unknown origin. She alert and oriented X3. Her physical findings are: HR 110, BP 146/80, Temperature 40 C, RR 28 and shallow, SpO2 87% on room air. Skin is warm and dry, she appears to be slightly cachectic, her left hemithorax is expanding more than her right, she has increased vocal fremitus over her right middle lobe and dull percussion over her right middle lobe. BBS are decreased except over her right middle lobe where you hear crackles.

1. What would you diagnosis be, and the likely etiology of this disease? Be specific!

2. What signs and symptoms lead you to believe that she has this disease?

3. What are you suggested basic treatments?

#2. Your patient is a 54 year old female. She was admitted to the emergency department for a fall on her left side at work. She is alert and oriented to person, place, and time. Her physical findings are: HR 130, RR 30 shallow and labored, BP 94/40, temperature is 36.2 C, SpO2 is 85% on a 2 LNC. Chest excursion is decreased on the left side, percussion is hyperresonant on the left side, BBS are absent on the left. Her chest x-ray shows 30% of the left side radiolucent. ABG is 7.30/50/50/26 on 2 LNC.

1. What would you diagnosis be?

2. What signs and symptoms lead you to believe that he has this disease?

3. What are you suggested basic treatments?

In: Nursing

Put together a data collection plan for errors generated in a hospital. This may be a...

Put together a data collection plan for errors generated in a hospital. This may be a group activity. You may choose either medical or administrative errors or both based on your experience.

In: Operations Management

PLY is a large consulting company that specializes in systems analysis and design. The company has...

PLY is a large consulting company that specializes in systems analysis and design. The company has over 2,000 employees and first-quarter revenues reached $15 million. The company prides itself on maintaining an 85 percent success rate for all project implementations. The primary reason attributed to the unusually high project success rate is the company’s ability to define accurate, complete, and high-quality business requirements.

You are interested in implementing a new payroll system. The current payroll process is manual and takes three employees two days each month to complete. You have chosen to outsource the entire procurement, customization, and installation of the new payroll system to PLY. The first thing you need to do is define the initial business requirements so PLY can begin work.

PROJECT FOCUS:

  • Review the testimony of three cafe employees who have detailed the current payroll process along with their wish list for the new system (MaryJaneKittredge.doc, JoanTahoe.doc, TedWhitaker.doc).
  • Review the Characteristics of Good Business Requirements document (BusinessRequirements. doc) that highlights several techniques you can use to develop solid business requirements.
  • After careful analysis, create a report detailing the business requirements for the new system. Be sure to list any assumptions, issues, or questions in your document.

In: Operations Management