Anna and Jorge Peleo are in the middle of a bitter divorce.
Anna’s attorney called Sam Blakely, a forensic accountant, because
he suspected that Jorge was hiding assets from the divorce. Anna
claimed that Jorge secretly owned a beach condominium on the
Pacific coast of Costa Rica. He had frequently traveled there on
business trips, and about a year ago, she received a mysterious
call from a woman living in Costa Rica. The woman claimed that she
was Jorge’s ex-girlfriend and that he had bought a condo for her to
live in. The caller seemed very angry because Jorge had left her
for another woman and had thrown her out of the condo.
The alleged ex-girlfriend left only her first name (Nora). She did
mention the city where the condo was located, but it was a long
Spanish name that Anna could not recall.
Anna’s attorney deposed Jorge and asked him many questions about
the girlfriend and the condo. Jorge claimed it was all crazy talk,
and he completely denied any knowledge of a condominium or
girlfriend.
During the 20 years of marriage, Jorge worked as the vice president
of marketing for a large machine parts company. Anna knew only that
he was very highly paid, but she had never worked or paid much
attention to their finances. Now she feels she is completely at his
mercy in the divorce.
Explain how you think Sam Blakely would proceed with his investigation.
Assuming that there is a secret condo in Costa Rica, what do you think Sam’s chances are of discovering it?
In: Accounting
A mother brings her three-year-old son into the emergency room of a local hospital. The boy is crying hysterically. The mother says that earlier that day the boy was playing in the back yard with his older sisters. He had gone over to pick a rose off of a rosebush when he suddenly started screaming and crying. There is a region of swelling and redness on his arm and the doctor who examines him says that it looks like the boy was stung by a bee. On physical examination, he is afebrile, with a heart rate of 102 bpm, blood pressure of 90/62 mm Hg, and respiratory rate of 24 breaths per minute and has difficulty breathing. The doctor says that the boy appears to be having a severe allergic reaction to the sting, and he treats him with SC Epinephrine. The mother asks why her son’s arm is swollen and the Dr. says it is because of fluid accumulation.
1. Describe the process of inflammation that might have led to swelling? 2. Enumerate the mediators of pain, edema, and redness? 3. Describe the vascular and cellular changes during inflammation? 4. Mention the type of shock the child is presented with and Why epinephrine is an ideal choice in this setting and elaborate its mechanism of action? 5. Plot the Drug response curve (DRC) of Epinephrine (Agonist) with and without the presence of Beta-blocker (antagonist). 6. What type of hypersensitivity reaction is seen in this child? This type of hypersensitivity reaction is due to the crosslinking of which immunoglobulin on mast cell surfaces? 7. Which cytokines promote class switching of B lymphocytes to IgE?
In: Anatomy and Physiology
JAVA Programming
(Convert decimals to fractions)
Write a program that prompts the user to enter a decimal number and
displays the number in a fraction.
Hint: read the decimal number as a string, extract the integer part
and fractional part from the string, and use the Rational class in
LiveExample 13.13 to obtain a rational number for the decimal
number. Use the template at
https://liveexample.pearsoncmg.com/test/Exercise13_19.txt
for your code.
Sample Run 1
Enter a decimal number: 3.25
The fraction number is 13/4
Sample Run 2
Enter a decimal number: -0.45452
The fraction number is -11363/25000
The output must be similar to the Sample Runs ( Enter a decimal number: etc.)
Class Name MUST be Exercise13_19
If you get a logical or runtime error, please refer
https://liveexample.pearsoncmg.com/faq.html.
RATIONAL CLASS:
/* You have to use the following template to submit to Revel.
Note: To test the code using the CheckExerciseTool, you will submit entire code.
To submit your code to Revel, you must only submit the code enclosed between
// BEGIN REVEL SUBMISSION
// END REVEL SUBMISSION
*/
import java.util.Scanner;
// BEGIN REVEL SUBMISSION
public class Exercise13_19 {
public static void main(String[] args) {
// Write your code
}
}
// END REVEL SUBMISSION
// Copy from the book
class Rational extends Number implements Comparable<Rational> {
// Data fields for numerator and denominator
private long numerator = 0;
private long denominator = 1;
/** Construct a rational with default properties */
public Rational() {
this(0, 1);
}
/** Construct a rational with specified numerator and denominator */
public Rational(long numerator, long denominator) {
long gcd = gcd(numerator, denominator);
this.numerator = (denominator > 0 ? 1 : -1) * numerator / gcd;
this.denominator = Math.abs(denominator) / gcd;
}
/** Find GCD of two numbers */
private static long gcd(long n, long d) {
long n1 = Math.abs(n);
long n2 = Math.abs(d);
int gcd = 1;
for (int k = 1; k <= n1 && k <= n2; k++) {
if (n1 % k == 0 && n2 % k == 0)
gcd = k;
}
return gcd;
}
/** Return numerator */
public long getNumerator() {
return numerator;
}
/** Return denominator */
public long getDenominator() {
return denominator;
}
/** Add a rational number to this rational */
public Rational add(Rational secondRational) {
long n = numerator * secondRational.getDenominator() +
denominator * secondRational.getNumerator();
long d = denominator * secondRational.getDenominator();
return new Rational(n, d);
}
/** Subtract a rational number from this rational */
public Rational subtract(Rational secondRational) {
long n = numerator * secondRational.getDenominator()
- denominator * secondRational.getNumerator();
long d = denominator * secondRational.getDenominator();
return new Rational(n, d);
}
/** Multiply a rational number to this rational */
public Rational multiply(Rational secondRational) {
long n = numerator * secondRational.getNumerator();
long d = denominator * secondRational.getDenominator();
return new Rational(n, d);
}
/** Divide a rational number from this rational */
public Rational divide(Rational secondRational) {
long n = numerator * secondRational.getDenominator();
long d = denominator * secondRational.numerator;
return new Rational(n, d);
}
@Override
public String toString() {
if (denominator == 1)
return numerator + "";
else
return numerator + "/" + denominator;
}
@Override // Override the equals method in the Object class
public boolean equals(Object other) {
if ((this.subtract((Rational)(other))).getNumerator() == 0)
return true;
else
return false;
}
@Override // Implement the abstract intValue method in Number
public int intValue() {
return (int)doubleValue();
}
@Override // Implement the abstract floatValue method in Number
public float floatValue() {
return (float)doubleValue();
}
@Override // Implement the doubleValue method in Number
public double doubleValue() {
return numerator * 1.0 / denominator;
}
@Override // Implement the abstract longValue method in Number
public long longValue() {
return (long)doubleValue();
}
@Override // Implement the compareTo method in Comparable
public int compareTo(Rational o) {
if (this.subtract(o).getNumerator() > 0)
return 1;
else if (this.subtract(o).getNumerator() < 0)
return -1;
else
return 0;
}
}In: Computer Science
Are customers more loyal in the East or in the West? The following table is based on information from a recent study. The columns represent length of customer loyalty (in years) at a primary supermarket. The rows represent regions of the United States.
| Less Than 1 Year | 1-2 Years | 3-4 Years | 5-9 Years | 10-14 Years | 15 or More Years | Row Total | |
| East | 32 | 56 | 59 | 112 | 77 | 121 | 457 |
| Midwest | 31 | 58 | 68 | 120 | 63 | 181 | 521 |
| South | 53 | 112 | 93 | 158 | 106 | 184 | 706 |
| West | 41 | 44 | 67 | 78 | 45 | 98 | 373 |
| Column Total | 157 | 270 | 287 | 468 | 291 | 584 | 2057 |
What is the probability that a customer chosen at random has the following characteristics? (Enter your answers as fractions.)
(a) has been loyal 10 to 14 years
(b) has been loyal 10 to 14 years, given that he or she is from the
East
(c) has been loyal at least 10 years
(d) has been loyal at least 10 years, given that he or she
is from the West
(e) is from the West, given that he or she has been loyal less than
1 year
(f) is from the South, given that he or she has been loyal less
than 1 year
(g) has been loyal 1 or more years, given that he or she
is from the East
(h) has been loyal 1 or more years, given that he or she
is from the West
(i) Are the events "from the East" and "loyal 15 or more years"
independent? Explain.
No. These events cannot occur together.No. P(loyal 15 or more years) ≠ P(loyal 15 or more years | East). Yes. These events can occur together.Yes. P(loyal 15 or more years) = P(loyal 15 or more years | East).
Based on data from a statistical abstract, only about 20% of senior citizens (65 years old or older) get the flu each year. However, about 28% of the people under 65 years old get the flu each year. In the general population, there are 12% senior citizens (65 years old or older). (Round your answers to three decimal places.)
(a) What is the probability that a person selected at random
from the general population is senior citizen who will get the flu
this season?
(b) What is the probability that a person selected at random from
the general population is a person under age 65 who will get the
flu this year?
(c) Repeat parts (a) and (b) for a community that has 93% senior
citizens.
| (a) | |
| (b) |
(d) Repeat parts (a) and (b) for a community that has 48% senior
citizens.
| (a) | |
| (b) |
In: Statistics and Probability
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
The purpose of this study was to identify the performance
variables
i.e. scoring, assists, and fouls that significantly contributed
to
determine a NBA player’s salary. It was hypothesized that
scoring
performance variables such as points per game; field goal, free
throw,
and three point percentage would be significant contributors to
player
salaries.
Data set link :- https://1drv.ms/x/s!AnCfB5fz9u5ZgpUTQyJKMkTVIVb0LQ
Task Contents:-
1. Title and name.
2. Abstract. A single sentence or 2-3 bullet points (50 words) summarising the problem and the most important finding(s).
3. Some background information and questions of interest. Key variables and relevant assumptions/hypotheses should be included.
4. Data Analysis. Present appropriate descriptives and charts. Provide your best regression model and interpret it. Briefly comment on the assumptions of the model (residual diagnostics).
5. Conclusions. Summarise the key findings and make recommendations.
Please make sure you cover:-
- Data collection methods, data reliability and trustworthiness of the source.
- Estimation of two (competing/alternative) regression models (using a minimum of five predictors) and discussing results in detail.
- Include References .
In: Statistics and Probability
In: Operations Management
Identify which of the following statements will generate an error. If there is an error, which phase of compiler construction (if any) will be suitable to detect the following errors and why?
1. A function is defined with the same signature as the previous one.
2. A variable named ‘new’ is defined and initialized two times. Once in main function and second in a “for” loop inside main function.
3. A multi-line comment that starts but not ends.
4. The following assignment expression is made where “var” is of Boolean datatype. var=10;
5. A function named “func1” is defined as follows public abstract protected int func1(float x,int y){…}
6. A class named “demo_class” is defined that implements an interface “X” demo_class Class implements X{…}
7. A while loop is defined that runs infinitely.
8. A string constant that starts with an inverted comma but does not end.
9. The following do- while loop is created without any statement. int x=1; do{ }while(x>10)
10. An interface “Int1” is created that inherits another interface “Int2” and contains two variables as follows interface Int1 inherits Int2 { int var1, var2; }
In: Computer Science
Vulcan Flyovers offers scenic overflights of Mount St. Helens, the volcano in Washington State that explosively erupted in 1982. Data concerning the company’s operations in July appear below:
|
Vulcan Flyovers Operating Data For the Month Ended July 31 |
||||||
|
Actual Results |
Flexible Budget |
Planning Budget |
||||
| Flights (q) | 55 | 55 | 53 | |||
| Revenue ($350.00q) | $ | 16,200 | $ | 19,250 | $ | 18,550 |
| Expenses: | ||||||
| Wages and salaries ($3,400 + $91.00q) | 8,363 | 8,405 | 8,223 | |||
| Fuel ($31.00q) | 1,873 | 1,705 | 1,643 | |||
| Airport fees ($870 + $34.00q) | 2,625 | 2,740 | 2,672 | |||
| Aircraft depreciation ($11.00q) | 605 | 605 | 583 | |||
| Office expenses ($210 + $1.00q) | 433 | 265 | 263 | |||
| Total expense | 13,899 | 13,720 | 13,384 | |||
| Net operating income | $ | 2,301 | $ | 5,530 | $ | 5,166 |
The company measures its activity in terms of flights. Customers can buy individual tickets for overflights or hire an entire plane for an overflight at a discount.
Required:
1. Complete the flexible budget performance report abstract for July. (Indicate the effect of each variance by selecting "F" for favorable, "U" for unfavorable, and "None" for no effect (i.e., zero variance). Input all amounts as positive values.)
In: Accounting
Medical Terminology
Article Review Assignment
The article review is an article that pertains to healthcare. The content of the article is described
in more detail later in this page. However, in general there should be about a one page summary
of the article and a one page commentary. The summary is a brief abstract or review of what the
article was about.
This should not include personal pronouns, just information about the
article. Points will be deducted for poorly written summaries. The commentary should be
about your personal experience, your field of study, or how the content will affect your
decisions
. There will be an Assignment tab opened (formerly called Dropbox) in which you can
submit the review.
Article 1:
Medical information, medical errors, documentation, or miscommunication
–
This article should be about documentation in healthcare or how medical information is
important. Current trends in research has uncovered the prevalence in medical errors that lead to
patient injury or death.
Article 2: Financial aspects in healthcare –
This article should be in regards to financial issues
in healthcare. This could include financial burdens on the healthcare system, data about
insurance systems, or ideas on future healthcare financial plans.
In: Nursing