Questions
Tully Tyres sells cheap imported tyres. The manager believes its profits are in decline. You have...

Tully Tyres sells cheap imported tyres. The manager believes its profits are in decline. You have just been hired as an analyst by the manager of Tully Tyres to investigate the expected profit over the next 12 months based on current data.

•Monthly demand varies from 100 to 200 tyres – probabilities shown in the partial section of the spreadsheet below, but you have to insert formulas to ge the cumulative probability distribution which can be used in Excel with the VLOOKUP command.
•The average selling price per tyre follows a discrete uniform distribution ranging from $160 to $180 each. This means that it can take on equally likely integer values between $160 and $180 – more on this below.
•The average profit margin per tyre after covering variable costs follows a continuous uniform distribution between 20% and 30% of the selling price.
•Fixed costs per month are $2000.

(a)Using Excel set up a model to simulate the next 12 months to determine the expected average monthly profit for the year. You need to have loaded the Analysis Toolpak Add-In to your version of Excel. You must keep the data separate from the model. The model should show only formulas, no numbers whatsoever except for the month number.

Tully Tyres
Data
Probability Cumulative Prob Demand Selling price $160 $180
0.05 100 Monthly fixed cost $2000
0.10 120 Profit margin 20% 30%
0.20 140
0.30 160
0.25 180
0.10 200
1
Model
Month RN1 Demand Selling price RN2 Profit margin Fixed cost Profit
1 0.23297 #N/A $180 0.227625 0.2

The first random number (RN 1) is to simulate monthly demands for tyres.
•The average selling price follows a discrete uniform distribution and can be determined by the function =RANDBETWEEN(160,180) in this case. But of course you will not enter (160,180) but the data cell references where they are recorded.
•The second random number (RN 2) is used to help simulate the profit margin.
•The average profit margin follows a continuous uniform distribution ranging between 20% and 30% and can be determined by the formula =0.2+(0.3-0.2)*the second random number (RN 2). Again you do not enter 0.2 and 0.3 but the data cell references where they are located. Note that if the random number is high, say 1, then 0.3-0.2 becomes 1 and when added to 0.2 it becomes 0.3. If the random number is low, say 0, then 0.3-0.2 becomes zero and the profit margin becomes 0.2.
•Add the 12 monthly profit figures and then find the average monthly profit.

Show the data and the model in two printouts: (1) the results, and (2) the formulas. Both printouts must show the grid (ie., row and column numbers) and be copied from Excel and pasted into Word. See Spreadsheet Advice in Interact Resources for guidance.

(b)Provide the average monthly profit to Ajax Tyres over the 12-month period.

(c)You present your findings to the manager of Ajax Tyres. He thinks that with market forces he can increase the average selling price by $40 (ie from $200 to $220) without losing sales. However he does suggest that the profit margin would then increase from 22% to 32%.

He has suggested that you examine the effect of these changes and report the results to him. Change the data accordingly in your model to make the changes and paste the output in your Word answer then write a report to the manager explaining your conclusions with respect to his suggestions. Also mention any reservations you might have about the change in selling prices.

The report must be dated, addressed to the Manager and signed off by you.
(Word limit: No more than 150 words)

In: Math

Please SOLVE EXERCISE 4.20 Programming Exercise 3.20 required you to design a PID manager that allocated...

Please SOLVE EXERCISE 4.20

Programming Exercise 3.20 required you to design a PID manager that allocated a unique process identifier to each process.

Exercise 4.20 requires you to modify your solution from Exercise 3.20 by writing a program that creates a number of threads that requested and released process identifiers. Modify your solution to Exercise 4.20 by ensuring that the data structure used to represent the availability of process identifiers is safe from race conditions. Use Pthreads mutex locks.

Please SOLVE EXERCISE 4.20

My Programming Exercise 3.20)  

package com.company;

import java.util.HashMap;

/*

dip manager manages process identifiers, which are unique.

Several active processes can not have same pid.

It creates unique pid, which is assigned to ti.

When process completes execution pid is returned to pdd manager.

pdd manager reassigns this pid.

--first method:

  creates and initializes the map in order to maintain the list of available pids.

--second method:

  finds next avialable pid and assigns them to active processes

--third method:

  releases old identifiers by making them available again for new processes.

*/

public class PID_MAP {

    /*

    Variables that will specify the range of pid values

    basically it says that process identifiers are constant

    integers (final key word) between 300 and 500.

    */

    public static final Integer MIN_PID = 300;

    public static final Integer MAX_PID = 5000;

    /*

    variables that identify availability of a particular process identifier

    with 0 being available and 1 being currently in use

    */

    public Integer available = 0;

    public Integer notAvailable = 1;

    /*

    I decided to use hash map data structure named PID_map to represent the availability of process identifiers with Key/Value principle

     */

    public HashMap PID_map;

    /*

     int allocate_map(void) - Creates and initializes a data structure for representing pids; returns -1 if unsuccessful and 1 if successful

     This method allocates a hash map of possible pid-s.

     The map has Key/Value principle.

     Key is an Integer, Value is "available (0) /not available (1)" for allocation to an active process.

     */

    public int allocate_map(){

        //allocated map for certain capacity

        PID_map = new HashMap(MAX_PID - MIN_PID + 1); //checks if system has enough resources to allocate a map of the capacity mentioned above

        if(true) {

            for (int i = MIN_PID; i <= MAX_PID; i++) {

                PID_map.put(i, available); //values for all the keys are set to 0, because non of the process will be active if I do not allocate the map first.

            }

        }

        else {

            return -1; //if returns integer "-1" means hash map did not created, initialized and allocated successfully.

        }

        return 1; //if returns integer "1" means hash map successfully created, initialized and allocated.

    }

    /*Process Synchronization means sharing system resources by processes in a such a way that, Concurrent access to shared data is handled thereby minimizing

    the chance of inconsistent data. Thats why we use key word Synchronized.

    */

    /*

    int allocate_pid(void) - Allocates and returns a pid; returns -1 if if unable to allocate a pid (all pids are in use)

     */

    public int allocate_pid(){

        for (Integer i = MIN_PID; i <= MAX_PID; i++){ //traverses through the map to find available pid

            if (PID_map.get(i).equals(available)){ //once the available process identifier is found

                PID_map.put(i,notAvailable); //the process identifier is updated from avialeble to unavialable

                return i; //returns the "new unavailable pid"

            }

        }

        return -1; //returs -1 if all process identifiers are in use.

    }

    /*

    void release_pid(int_pid) - Releases a pid.

     */

    public void release_pid(Integer k){ // method releases used process identifier which is passes as parameter-Integer K

        if(k > MAX_PID || k < MIN_PID){ //double checks if Pid is valid

            System.out.println("Error! not valid identifier"); //if not system notifies that its invalid process identifier

        }

        PID_map.put(k,available); //if it is valid pid, it becomes released and the pid can be used by another process. It is set to available (0)

    }

}

/*

DELETED key word SYNCHRONIZED for acllocate_pid() and release_pid() functions

*/

In: Computer Science

Identify the resources, events, and agents involved in the revenue process at Ian's Place.

Ian's Place (The REA Model and E-R Diagrams)

Ian's place sells pet supplies to dog and cat owners. To sell its products, the marketing department requires sales personnel to call on the pet store retailers within their assigned geographic territories. Salespeople have an application on their mobile phones that allows them to record sales orders and send these sales orders directly to the company network for updating the company's sales order file.

Each day, warehouse personnel review the current sales orders in its file, and where possible, pick the goods and ready them for shipment. (Ian's Place ships goods via common carrier, and shipping terms are generally FOB from the shipping point.) When the shipping department completes a shipment, it also notifies the billing department, which then prepares an invoice for the customer. Payment terms vary by customer, but most are “net 30.” When the billing department receives a payment, the billing clerk credits the customer's account and records the cash received.

Requirements

  1. Identify the resources, events, and agents involved in the revenue process at Ian's Place. (Write a 45- to 175-word response)

In: Accounting

CASE STUDY Conference Marketing in a Competitive Marketplace One of the main differences between corporate events...

CASE STUDY Conference Marketing in a Competitive Marketplace

One of the main differences between corporate events and association events is the guaranteed attendee base. Typically, in corporate events, there is a set group of people who must attend (such as a sales meeting or corporate training). Association meetings are not required and, therefore, the organization advertises to the relevant professional com-munity at large to secure attendees. Therefore, marketing is extremely important for these types of events. The Engineering Association of America is a nonprofits association of members who are professional engineers. This association is the longest running association focused in engineering, but has recently faced sharp competition over the past decade from conferences focusing on specific segments of engineering (mechanical, electrical, etc.) and niche conferences (Women in Engineering, etc). Due to this competition, conference attendance has decreased by over

35 percent in the past five years. You have just been hired as the new Director of Marketing.

Questions:

1. What is the first thing you would do now that you are hired?

2. What new conference experiences could you integrate onsite to generate excitement and positive word of mouth?

In: Economics

Wenatchee is a town on a large river. On the other side of the river is...

Wenatchee is a town on a large river. On the other side of the river is East Wenatchee (since the river is the county line, these are in two different counties and thus, two different cities.) Wenatchee (which I refuse to call "West Wenatchee") is pretty much hemmed in on all sides by mountains. East Wenatchee, on the other hand, sits on a large plateau surrounded by wheat fields.

Assume that housing in Wenatchee and housing in East Wenatchee are what economists call "perfect substitutes." This means basically that people don't care whether they live in Wenatchee or East Wenatchee. Then imagine that in the nearest big city there is a pandemic followed by a bunch of riots. Part of the town is taken over by Marxists revolutionaries. The city starts dismantling the police and raising taxes because they have no money. (Just try to imagine it!) and this causes a lot of people to decide it would be nice to live in a smaller town on the other side of the mountains.

Which will grow more, Wenatchee or East Wenatchee? Why? Your answer should include econ words like "supply," "demand," "quantity supplied," "quantity demanded," and a certain important word from chapter 5. It should also probably include a graph or two.

In: Economics

Pick an industry that you either work in, or have an interest in.(HEALTH INSURANCE QUALITY AUDIT)...

Pick an industry that you either work in, or have an interest in.(HEALTH INSURANCE QUALITY AUDIT)

Assume you have received an RFP (Request for Proposal) for the purchase of a large piece of equipment normally associated with that industry and for internal use.

Proposal Writing Guidelines
A proposal should contain the parts outlined below. Your proposal will not be a formal study in proposals but rather an exercise in the writing process.

Introduction

"Project Summary" or "abstract" - a paragraph covering the basic information contained in the Body.

Project Proposal (Body)
Includes Statement of the Problem (what & why), Proposed Solution(s) (how), Program of Implementation (where and when).

Conclusions/Recommendations
How you are going to solve/handle what is proposed in the Body.

Bibliography and/or Works Cited
This will be on a separate page from the main proposal.

Qualifications (of writer(s) and/or project implementers

Budget
Itemization of expenses in the implementation and operation of the proposed plan, and detail of materials, facilities, equipment, and personnel.

Final document should be single-spaced (or Word default of 1.15), designed for an assumed letterhead, and 1" margins ONLY (be sure you check!). All other formatting should be "Normal.

In: Computer Science

Robert Campbell and Carol Morris are senior vice-presidents of the Mutual ofChicago Insurance Company. They are...

Robert Campbell and Carol Morris are senior vice-presidents of the Mutual ofChicago Insurance Company. They are co-directors of the company’s pension fund management division. A major new client has requested that Mutual of Chicago present an investment seminar to illustrate the stock valuation process. As a result, Campbell and Morris have asked you to analyze the Bon Temps Company, an employment agency that supplies word processor operators and computer programmers to businesses with temporarily heavy workloads. You are to answer the following questions.

-Assume that Bon Temps is expected to experience supernormal growth of 30% for the next 3 years, then to return to its long-run constant growth rate of 6%. What is the stock’s value under these conditions? What are its expected dividend yield and its capital gains yield in Year 1? In Year 4?

-Suppose Bon Temps is expected to experience zero growth during the first three years and then to resume its steady-state growth of 6% in the fourth year. What is the stock’s value now? What are its expected dividend yield and its capital gains yield in Year 1? In Year 4?

In: Finance

The Sarbanes Oxley (SOX) Act was passed in 2002 as a result of corporate scandals and...

The Sarbanes Oxley (SOX) Act was passed in 2002 as a result of corporate scandals and in as attempt to regain public trust in accounting and reporting practices. Two random samples of 1015 executives were surveyed and asked their opinion about accounting practices in both 2000 and in 2006. The table below summarizes all 2030 responses to the question, “Which of the following do you consider most critical to establishing ethical and legal accounting and reporting practices?” Did the distribution of responses differ from 2000 to 2006?

2000

2006

Training

142

131

IT Security

274

244

Audit Trails

152

173

IT Policies

396

416

No Opinion

51

51

  1. Determine and state whether this is a test of Goodness of Fit, a test of homogeneity or a test of association (or independence). Include in your statement a justification for your choice.
  2. Write the correct Null and Alternate Hypotheses for the test
  3. Perform the test using Minitab (remember to include the output in your Word document)
  4. State your decision, and why you made this choice
  5. Give a conclusion in the context of the problem. If you make the decision to reject the null hypothesis, be sure to comment on the bar chart.

In: Statistics and Probability

Conceptual Frameworks for the Study of Health Policy and Law Following are three conceptual frameworks for...

Conceptual Frameworks for the Study of Health Policy and Law

Following are three conceptual frameworks for the study of health policy and laws:

Framework one consists of three broad topical domains—health care policy and law, bioethics, and public health policy and law.

Framework two consists of three historically dominant perspectives—social, political, and economic perspectives.

Framework three consists of key stakeholders in the process.

In this assignment, you will focus on the government's health's immunization laws that were passed to protect children from infectious diseases.

Using South University Online Library or the Internet, search articles on the frameworks of study of health policy and law in the areas of immunization of children.

On the basis of your research and your understanding, write a 3- to 4-page APA formatted essay in a Microsoft Word document. Your essay should cover all the three frameworks mentioned above. You need to pick one of the three stakeholders from both framework one and two. Use a minimum of five stakeholders for framework three.

You will be required to use a minimum of three scholarly sources that includes a title page and a separate reference page.

In: Nursing

Electric Youth, Inc. (EY) is a perfume manufacturer. The company is interested in buying a new...

Electric Youth, Inc. (EY) is a perfume manufacturer. The company is interested in buying a new perfume-filling machine to make a new type of perfume as a separate project for the firm. The new machine costs $1,000,000 and they typically use the straight-line method to depreciate their assets. They believe that with the new machine, revenues from this particular type of perfume will increase by $650,000 per year. Operating costs (not including depreciation) associated with the machine are estimated to be $300,000 per year. The project is expected to last for five years; this is also the useful life of the machine. When the project is complete, they plan to recycle the machine (which means it has a zero salvage value at the end of its useful life). They would need to make an immediate investment in inventory of $25,000, which would be unwound in the terminal year of the project. The tax rate for the firm is 22%. To do:

a) Calculate the cash flows (years 0 to 5) for this investment. You can do this in Excel if you would like (cut and paste into the Word document).

b) Given a cost of capital of 11%, calculate the NPV of this project. Show your work. Is this a good investment? Why or why not?

In: Finance