a) $200,000 U.S. Treasury 7 7/8% bond maturing in 2002 purchased and then settled on October 23, 1992, at a dollar price of 105-20 (this is the clean price) with a yield to maturity of 7.083% with the bond originally being issued at 11/15/1977. Face value per unit is $1,000.
i) Calculate the clean price of the bond issue
ii) Calculate the accrued interest of the bond issue
iii) Calculate the full price of the bond issue
b) $200,000 U.S. Treasury 7 7/8% bond maturing in 2002 purchased and then settled on October 23, 1992, at a dollar price (clean price) with a yield to maturity of 7.083% with the bond originally being issued at 11/15/1977.
Calculate the full price (per unit of the bond).
Note: On a per unit basis, the answers to(a)and(b)should be the same.Anydifferencemustbe due to rounding error only.
In: Finance
a) $200,000 U.S. Treasury 7 7/8% bond maturing in 2002 purchased and then settled on October 23, 1992, at a dollar price of 105-20 (this is the clean price) with a yield to maturity of 7.083% with the bond originally being issued at 11/15/1977. Face value per unit is $1,000.
i) Calculate the clean price of the bond issue
ii) Calculate the accrued interest of the bond issue
iii) Calculate the full price of the bond issue
b) $200,000 U.S. Treasury 7 7/8% bond maturing in 2002 purchased and then settled on October 23, 1992, at a dollar price (clean price) with a yield to maturity of 7.083% with the bond originally being issued at 11/15/1977. Calculate the full price (per unit of the bond). Note: On a per unit basis, the answers to(a)and(b)should be the same.Anydifferencemustbe due to rounding error only.
In: Finance
A = [4, 5, 9]
B = [-4, 5, -7]
C = [2, -7, -8, 5]
D = [1, -9, 5, -3]
E = [3, 3, -1]
Uz = 1/|z| ^z
d(X,Y) = (Rθ) d = diameter R = Radius θ = Theta
Find
a. Uc
b. d (D, C)
c. Let P = B + 3E, UP =
d. A x B
e. 3B x E
f. C x D
In: Advanced Math
For your first project, write a C program (not a C++ program!)that will read in a given list of non-negative integers and a target integer and checks if there exist two integers in the list that sum up to the target integer.
Example:List: 31, 5, 8, 28, 15, 21, 11, 2
Target: 26 Yes!, 44 No!
your C program will contain the following:
•Write a function that will make a copy of the values from one array to another array.
Suggested prototype: void makeArrayCopy (int fromArray[], int toArray[], int size);
•Write your own function that will sort an array in ascending order. You may use whatever sorting algorithm you wish. Suggested prototype: void myFavoriteSort (int arr[], int size);
•Write your own function that will find whether there exist two integers that sum to the target integer. The function is to “return” three values. First, return “1” if the integers were found, return “-1” if your search was not successful. If you find two integers which add up to the target value, you should return their respective index position inside the array. Suggested prototype:int TwoSumFunction(int arr[], int size, int target, int*index1, int* index2);
inside TwoSumFunction:
•Pass the sorted array to the function. Set two pointers at the beginning and the end of the array, then start moving the pointers inward while checking their sum. If it’s exactly the “target”, then we are done, and you can return 1. If it exceeds the “target” value, then any sum using the larger element is too large, so move the pointer corresponding to that element inward. If the sum is less than “target” value, then any sum using the lower element is too small, so move the pointer corresponding to that element inwards. If you are done with scanning the array and cannot find any two elements that sum up to “target” value, return -1.
Inside of main:
•Read in integer input from standard input and store these values into a dynamic array. This array is to grow in size if the array is full. The values will have a “terminal value” of -999. So, you read in these values in a loop that stops when the value of -999 is read in. The use of informative prompts is required for full credit. You may not assume how many numeric values are given on each line, nor the total number of values contained in the input. The use of a scanf() with the following form is expected to read in the values:scanf (“%d”,&val);
•make a copy of the integer array using the array copy() function described above
•sort the copy array(using the myFavoriteSort() function described above)
•read in integer input from standard input (again, the use of scanf() is expected) and for each of the values read in perform the TwoSum evaluation. Using the information returned/sent back from the search functions, print out from main():
1.The target value,
2.Whether the Two Sum evaluation was successful or not
3.Locations of the elements in the array which make up the sum.
The above information MAY NOT be printed out in TwoSum Function. The function MUST RETURN/SEND BACK the information to be printed by the main function. Not doing this will SEVERELY LOWER your score on this project. Repeat reading in integer values and searching the array until the terminal value of -999 is read in. The use of informative prompts AND descriptive result output is required for full credit. Again, scanf() is expected to read the input.
You may not assume the input will be less than any set size. Thus you will need to dynamically allocate space for the array.
Dynamic Array Allocation:
Dynamic Array Allocation allows the space in an array to change during the course of the execution of a program. In C, this requires the use of the malloc() function. To dynamically allocate space for 100 integers,the malloc() code would be as follows:
int *darr;
int allocated= 100;
darr = (int *) malloc (allocated* sizeof(int) );
This array can only hold 100 integers and is not really dynamic. To make it truly dynamic, we need to grow the array when we try to put more values into it than can be held by its current size. The following code will double the size of the array.
int *temp= darr;
darr= (int *) malloc ( allocated* 2 * sizeof(int) );
int i;
for ( i = 0 ; i < allocated; i++)
darr[i] = temp[i];
free (temp);
allocated = allocated* 2;
Make sure your program runs properly when compiled using gcc on the bert.cs.uic.edu machine!(Do not use g++ or any other C++ compiler with this program.)
project base:
#include <stdio.h>
int main (int argc, char** argv)
{
int val;
/* prompt the user for input */
printf ("Enter in a list of numbers ito be stored in a dynamic array.\n");
printf ("End the list with the terminal value of -999\n");
/* loop until the user enters -999 */
scanf ("%d", &val);
while (val != -999)
{
/* store the value into an array */
/* get next value */
scanf("%d", &val);
}
/* call function to make a copy of the array of values */
/* call function to sort one of the arrays */
/* loop until the user enters -999 */
printf ("Enter in a list of numbers to use for searching. \n");
printf ("End the list with a terminal value of -999\n");
scanf ("%d", &val);
while (val != -999)
{
/* call function to perform target sum operation */
/* print out info about the target sum results */
/* get next value */
scanf("%d", &val);
}
printf ("Good bye\n");
return 0;
} In: Computer Science
he managers of a brokerage firm are interested in finding out if the number of new clients a broker brings into the firm affects the sales generated by the broker. For the last year, the managers sampled 16 brokers and determined the number of new clients they enrolled during that year and their sales amounts in millions of dollars for that year. This data is presented in the table that follows. In your answers, sales should be left as a decimal as in the data table. It is not necessary to multiply by one million dollars. Perform a simple linear regression analysis of this data and answer the following questions. Suggestion: Read all of the questions before doing any analysis. Broker New Clients Sales 1 27 5.32 2 11 3.44 3 42 7.96 4 33 6.62 5 15 4.06 6 15 3.16 7 25 4.9 8 36 6.84 9 28 5.8 10 30 5.84 11 17 3.56 12 22 4.58 13 18 3.7 14 24 5.34 15 35 6.9 16 40 7.56
A. Prepare a plot of the residuals. Does this data meet the equal variance assumption? Explain.
B.Prepare a scatter diagram of this data. The trend line does not need to be on this scatter diagram. Does this data appear to have a linear pattern? Explain.
In: Statistics and Probability
Air pollution control specialists in southern California monitor the amount of ozone, carbon dioxide, and nitrogen dioxide in the air on an hourly basis. The hourly time series data exhibit seasonality, with the levels of pollutants showing similar patterns over the hours in the day. On July 15,16 and 17, the observed level of nitrogen dioxide in a city�s downtown area for the 12 hours from 6:00 A.M. to 6:00 P.M. were as follows. 15-July 25, 28, 35, 50, 60, 60, 40, 35, 30, 25, 25, 20 16-July 28, 30, 35, 48, 60, 65, 50, 40, 35, 25, 20, 20 17-July 35, 42, 45, 70, 72, 75, 60, 45, 40, 25, 25, 25 a. Construct a time series plot. What type of pattern exists in the data? b. Use a multiple linear regression model with dummy variables as follows to develop an equation to account for seasonal effects in the data: Hour 1 = 1 if the reading was made between 6 am and 7 am; 0 otherwise Hour 2 = 1 if the reading was made between 7 am and 8 am; 0 otherwise Hour 3 = 1 if the reading was made between 8 am and 9 am; 0 otherwise Hour 4 = 1 if the reading was made between 9 am and 10 am; 0 otherwise continue this pattern until Hour 11 = 1 if the reading was made between 4 pm and 5 pm' 0 otherwise Note that when the values of the 11 dummy variables are equal to 0, the observation corresponds to the 5 pm to 6 pm hour. c. using the equation developed in part (b), compute estimates of the levels of nitrogen dioxide for July 18 d. Let t = 1 to refer to the observation in hour 1 on July 15; t = 2 to refer to the observation in hour 2 of July 15 ..., and t = 36 to refer to the observation in hour 12 of July 17. using dummy variables devined in part (b) and t, develop an equation to account for seasonal effects and any linear trend in the time series. Based upon the seasonal effects in the data and linear trend, compute estimates of the levels of nitrogen dioxide for July 18 I only need the answer for part D. This is my 3rd time submitting for the same answer. Thanks.
In: Math
Tesla Corporation (TSLA) stock has been in demand over the past
year, tripling in value between July 2019 and January 2020, despite
reporting losses in two of the last four quarters. Autonomous
vehicle technology is poised for introduction in urban and long
haul applications by companies such as Plus.ai. In an interview
with Quartz, Bill Gates suggested that taxing robot output could
help cover the shortfall in social services due to lost jobs and
help pay for the increase in social services and support needed by
displaced workers. An article in The Atlantic Magazine (A World
Without Work) lays out the impact of automation on jobs and
eventually on the default social contract in most capitalist
societies. A review of a book with the same name provides
additional insight.
Please research the topic of automation and its impact on an
individual’s ability to monetize their human capital. Given the
idea that humans need to contribute to society to feel fulfilled
and happy, please respond to the following:
What is your personal philosophy about firms using automation without regard to its impact on society?
In: Economics
Financial statement analysis) Carson Electronics' management has long viewed BGT Electronics as an industry leader and uses this firm as a model firm for analyzing its own performance. a. Calculate the following ratios for both Carson and BGT: Current ratio Times interest earned Inventory turnover Total asset turnover Operating profit margin Operating return on assets Debt ratio Average collection period Fixed asset turnover Return on equity b. Analyze the differences you observe between the two firms. Comment on what you view as weaknesses in the performance of Carson as compared to BGT that Carson's management might focus on to improve its operations. a. Calculate the following ratios for both Carson and BGT: Carson's current ratio is nothing. (Round to two decimal places.)
|
Carson Electronics, Inc. Balance Sheet ($000) |
BGT Electronics, Inc. Balance Sheet ($000) |
|||||
|
Cash |
$ 1 comma 950$1,950 |
$ 1 comma 510$1,510 |
||||
|
Accounts receivable |
4 comma 4904,490 |
6 comma 0206,020 |
||||
|
Inventories |
1 comma 5301,530 |
2 comma 5002,500 |
||||
|
Current assets |
$ 7 comma 970$7,970 |
$ 10 comma 030$10,030 |
||||
|
Net fixed assets |
15 comma 98015,980 |
24 comma 98024,980 |
||||
|
Total assets |
$ 23 comma 950$23,950 |
$ 35 comma 010$35,010 |
||||
|
Accounts payable |
$ 2 comma 550$2,550 |
$ 4 comma 990$4,990 |
||||
|
Accrued expenses |
1 comma 0101,010 |
1 comma 5501,550 |
||||
|
Short-term notes payable |
3 comma 4603,460 |
1 comma 5101,510 |
||||
|
Current liabilities |
$ 7 comma 020$7,020 |
$ 8 comma 050$8,050 |
||||
|
Long-term debt |
7 comma 9707,970 |
3 comma 9903,990 |
||||
|
Owners' equity |
8 comma 9608,960 |
22 comma 97022,970 |
||||
|
Total liabilities and owners' equity |
$ 23 comma 950$23,950 |
$ 35 comma 010$35,010 |
||||
|
Carson Electronics, Inc. Income Statement ($000) |
BGT Electronics, Inc. Income Statement ($000) |
||||||
|
Net sales (all credit) |
$ 47 comma 950$47,950 |
$ 70 comma 030$70,030 |
|||||
|
Cost of goods sold |
( 35 comma 980 )(35,980) |
( 42 comma 050 )(42,050) |
|||||
|
Gross profit |
$ 11 comma 970$11,970 |
$ 27 comma 980$27,980 |
|||||
|
Operating expenses |
( 8 comma 040 )(8,040) |
( 11 comma 970 )(11,970) |
|||||
|
Net operating income |
$ 3 comma 930$3,930 |
$ 16 comma 010$16,010 |
|||||
|
Interest expense |
( 1 comma 180 )(1,180) |
( 500 )(500) |
|||||
|
Earnings before taxes |
$ 2 comma 750$2,750 |
$ 15 comma 510$15,510 |
|||||
| Income taxes
(40 %40%) |
( 1 comma 100 )(1,100) |
( 6 comma 204 )(6,204) |
|||||
|
Net income |
$ 1 comma 650$1,650 |
$ 9 comma 306$9,306 |
|||||
PrintDone
In: Accounting

A physics class has 50 students. Of these, 17 students are physics majors and 16 students are female. Of the physics majors, seven are female. Find the probability that a randomly selected student is female or a physics major.
The probability that a randomly selected student is female or a physics major is
(Round to three decimal places as needed.)
In: Math
Lisa Deuel is a certified public accountant (CPA) and staff accountant for Bratz and Bratz, a local CPA firm. It had been the policy of the firm to provide a holiday bonus equal to two weeks' salary to all employees. The firm's new management team announced on November 15 that a bonus equal to only one week's salary would be made available to employees this year. Lisa thought that this policy was unfair because she and her coworkers planned on the full two-week bonus. The two-week bonus had been given for 10 straight years, so it seemed as though the firm had breached an implied commitment.
Thus, Lisa decided that she would make up the lost bonus week by working an extra six hours of overtime per week over the next five weeks until the end of the year. Bratz and Bratz's policy is to pay overtime at 150% of straight time. Lisa's supervisor was surprised to see overtime being reported, since there is generally very little additional or unusual client service demands at the end of the calendar year. However, the overtime was not questioned, since firm employees are on the 'honor system' in reporting their overtime.
Discuss whether the firm is acting in an ethical manner by changing the bonus. Is Lisa behaving in an ethical manner?
In: Accounting