Questions
The reading speed of second grade students in a large city is approximately​ normal, with a...

The reading speed of second grade students in a large city is approximately​ normal, with a mean of 90 words per minute​ (wpm) and a standard deviation of 10 wpm. Complete parts​ (a) through​ (f).

​(a) What is the probability a randomly selected student in the city will read more than 95 words per​ minute?

​(b) What is the probability that a random sample of 13 second grade students from the city results in a mean reading rate of more than 95 words per​ minute? then interpret this probability.

(c) What is the probability that a random sample of 26 second grade students from the city results in a mean reading rate of more than 95 words per​ minute? then interpret.

(d) What effect does increasing the sample size have on the​ probability? Provide an explanation for this result.

(e) A teacher instituted a new reading program at school. After 10 weeks in the​ program, it was found that the mean reading speed of a random sample of 20 second grade students was 92.3 wpm. What might you conclude based on this​ result? Select the correct choice below and fill in the answer boxes within your choice.

(f) There is a​ 5% chance that the mean reading speed of a random sample of 24 second grade students will exceed what​ value?

In: Math

Please write a java program (using dialog box statements for user input) that has the following...

Please write a java program (using dialog box statements for user input) that has the following methods in it: (preferably in order)  

  1. a method to read in the name of a University and pass it back
  2. a method to read in the number of students enrolled and pass it back
  3. a method to calculate the tuition as 20000 times the number of students and pass it back
  4. a method print the name of the University, the number of students enrolled, and the total tuition

Design Notes:

  • The method described in Item #1 above will read in a string and pass it back to the main program. Nothing is passed to the method, but the University name is passed back
  • The method described in Item #2 above will read in an integer for the number of students enrolled and pass it back to the main program. Nothing is passed to the method, but the University name is passed back to the main program
  • The method described in Item #3 above will receive the number of students. It will then do the calculation for the tuition and pass back that value, which is a double value to the main program
  • The method described in Item #4 above will receive all data for printing and pass nothing back to the main program

Please copy the java code along with a screen print (snippet) of the final output. I would like both to review the work that I already have done. Thanks in advance!

In: Computer Science

You are the director of admission office. Your job every year is to decide the number...

You are the director of admission office. Your job every year is to decide the number of offer letters to issue to undergraduate degree applicants. For the academic year 2016/2017, the school has a capacity to enroll 7,200 undergraduate students, but the school is so popular that you received more than 20,000 applications. However, you know from past year records many students not only got offer from UBC but also from other good schools in Canada and the US. The yield rate for the school is far less than 100% (the ‘yield rate’ refers to the proportion of students accept the school offers among all the students to whom UBC issue the offer letters). Assume the school has spent large amount of sunk cost in its undergraduate program for a designed capacity to enroll 7,200 students, such as upgrading classrooms, expanding residential houses, hiring additional teaching instructors and administration staff. (a) Will you issue more than 7,200 offer letters for 2016/2017 academic year? (b) What is the trade-off between issuing more than 7,200 offer letters and issuing exactly 7,200 offer letters?(c) How to determine the optimal number of offer letters to issue? What information do you need, and how to get such information?

In: Operations Management

[P1](15pts) IE Department at WSU admits Undergraduate (UG), Masters (MS), and Doctoral (PhD) students to its...

[P1](15pts) IE Department at WSU admits Undergraduate (UG), Masters (MS), and Doctoral (PhD) students to its programs every year. In order to have a smooth admission period, the department head wants to know how many employees to hire. Each UG, MS, PhD student requires 3, 4, and 5 hours of employee time to complete the admission process, respectively. In order to sustain the three programs, the department head decided to admit at least 15 UG, 50 MS, and 10 PhD students. Moreover, there are 55 UG, 180 MS, and 40 PhD applicants this year. Let x1, x2, and x3 represent the number of UG, MS, and PhD students admitted to the programs and let y represent the employee hiring decision: y is an integer valued variable indicating the number of employees. Every employee increases labor capacity by 160 hours. Salary for the additional employees is $60,000. Department makes a revenue of $4,000 for each UG, $5,000 for every MS student, and $400 for each PhD student. If the department wants to maximize its profit (revenue from students – salary of additional employees), how many students of each category would be admitted, and how many employees would be hired?

In: Operations Management

Update the following C code and write the function : void sln_stutter(sln_list* li); that modifies the...

Update the following C code and write the function :

void sln_stutter(sln_list* li);

that modifies the list li so that it each element is duplicated. For example the list with elements [1,2,3] would after this function call become the list [1,1,2,2,3,3].

#include <stdlib.h>
#include <stdio.h>
struct sln_node {
  struct sln_node* next;
  int key;
};
 
struct sln_list {
  struct sln_node* head;
};
typedef struct sln_node sln_node;
typedef struct sln_list sln_list;
static sln_node* freelist = NULL;
/* Internal bookkeeping functions for the free list of nodes. */
sln_node* sln_allocate_node() {
  sln_node* n;
  if(freelist == NULL) {
    freelist = malloc(sizeof(sln_node));
    freelist->next = NULL;
  }
  n = freelist;
  freelist = n->next;
  n->next = NULL;
  return n;
}
 
void sln_release_node(sln_node* n) {
  n->next = freelist;
  freelist = n; 
}
 
void sln_release_freelist() {
  sln_node* n;
  while(freelist != NULL) {
    n = freelist;
    freelist = freelist->next;
    free(n);
  }
}
/* Create a new singly-linked list. */
sln_list* sln_create() {
  sln_list* list = malloc(sizeof(sln_list));
  list->head = NULL;
  return list;
}
 
/* Release the list and all its nodes. */
 
void sln_release(sln_list* list) {
  sln_node* n = list->head;
  sln_node* m;
  while(n != NULL) {
    m = n->next;
    sln_release_node(n);
    n = m;
  }
  free(list);
}
 
/* Insert a new element to the list. */
 
void sln_insert(sln_list* list, int key) {
  sln_node* n = sln_allocate_node();
  n->key = key;
  n->next = list->head;
  list->head = n;
}
 
/* Check if the list contains the given element. Returns 1 or 0. */
 
int sln_contains(sln_list* list, int key) {
  sln_node* n = list->head; 
  while(n != NULL && n->key != key) {
    n = n->next;
  }
  return (n == NULL)? 0: 1;
}
 
/* Remove the first occurrence of the given element from the list. 
   Returns 1 if an element was removed, 0 otherwise. */
 
int sln_remove(sln_list* list, int key) {
  sln_node* n;
  sln_node* m;
  n = list->head;
  if(n == NULL) { return 0; }
  if(n->key == key) {
    list->head = n->next;
    sln_release_node(n);
    return 1;
  }
  while(n->next != NULL && n->next->key != key) {
    n = n->next;
  }
  if(n->next != NULL) {
    m = n->next;
    n->next = m->next;
    sln_release_node(m);
    return 1;
  }
  return 0;
}

In: Computer Science

For this assignment, you are going to put your imagination to use. STEP ONE: Please choose...

For this assignment, you are going to put your imagination to use.

STEP ONE:

  • Please choose an area to describe.
  • It may be an area you have driven by but do not know what is in the area.
  • It may be in a city, a town, or in the country.
  • You get to choose the area for this assignment.
  • Draw a map of the area. Create a visual image of the area. Include trees, buildings, equipment, roads, parks, bridges, etc.
  • Your map does not need to be drawn to scale.
  • Provide a key to your map in the lower right-hand corner.

STEP TWO:

  • Write an essay sharing what you observed and why you guessed at the categories of people who live, work, or have lived or worked in the area.
  • If the area is run down, shows signs of vandalism, is no longer occupied include in your essay.
  • What do you think may go on both inside and outside the area? Homes, storage buildings, parks, motel/hotels both newer/run down or vacant properties
  • Are here signs of poverty? Or, are there signs of the properties being well maintained?
  • Does the area you chose show signs of low status consistency?
  • What are the ramifications both positive and negative, of cultures with low status consistency?
  • Try to think of specific examples to support your ideas.

Your essay needs an introduction, body, and conclusion. Grading for this assignment includes points mentioned above and the use of correct grammar and spelling.

In: Economics

Suppose the U.S. Congress passes a budget which increases individual income      taxes by $120 billion...

Suppose the U.S. Congress passes a budget which increases individual income

     taxes by $120 billion and increases infrastructure spending (airports, roads,

     bridges, etc.) by $50 billion. The increase in income taxes is concentrated at the top,

     so the tax increase causes personal consumption expenditures to fall by only $30

     billion. Use this information to answer the questions below. (20 pts)

            a. At constant interest rates (“other things equal”), what would these policy

                 changes do to national saving and domestic investment spending?

                        Change in S =

                        Change in I =

            b. Closed economy analysis: Assuming the U.S. financial system is closed to

                  international financial flows, draw an S/I diagram to illustrate the effect of

                  these policy changes on (1) U.S. interest rates and (2) the quantity of domestic

                  investment spending. Incorporate your numerical answers from part (a) into

                  your diagram.

-3-

            c. Open economy analysis: Now assume that the U.S. financial system is open

                 and that the U.S. is small enough in the global financial system that you can

                 ignore the effect of these policy changes on global interest rates. Draw an S/I

                 diagram to illustrate the effect of the policy changes on (1) U.S. net capital

                 flows and (2) domestic investment spending. When drawing your diagram,

                 assume that the U.S. would have had net capital inflow without the policy

                 changes.

In: Economics

1) You have 100 ml of a solution of ATP. You take 25 ?l, and dilute...

1) You have 100 ml of a solution of ATP. You take 25 ?l, and dilute it to a final volume of 1ml. The absorbance of the diluted solution at 259 nm is 0.550.

a) What is the ATP concentration in the original, undiluted solution?

**The molar extinction coefficient for ATP at 259 nm is 15,600 l mol-1cm-1.

b. How many mg of ATP are there in total in the original, undiluted solution?

**The formula weight of ATP is 551.14 g/mole.

2) Fill in the blanks, with one of these 5 amino acids

Lysine/Cysteine/ Valine/ Tryptophan/Aspartate

a) If you dissolve (blank) in water, the resulting pH would be about 8.5

b) if you dissolve (blank) in water, the resulting pH would be about 4

c) (blank) residues would most likely be buried in the core of a folded protein structure

d) Collagen does not absorb strongly at 280 nm. This is because its sequence does not contain many (blank) residues.

e) (blank) can form disulfide bridges in proteins

3) You mix 100 ml of 0.1 M acetic acid with 100 ml of 0.1 M sodium acetate. The pKa of acetic acid is 4.76.

a) What is the pH of this mixture?

b) You then add 10 ml of 25 mM HCl. What will the new pH be?

c) What would the resulting pH be if you just added 10 ml of 25mM HCl to 200 ml of distilled water?

In: Biology

(The topic about citation) . Write a summary of a scientific topic at your choice in...

(The topic about citation) .
Write a summary of a scientific topic at your choice in civil engineer.You should cite at least two different types of sources (Book, Article, report, website, etc).The citation may be a paraphrase or summary; the direct quotation should not exceed 10%.Use proper citation style, e.g.APA,The summary should not exceed one-page including the references ( on the program word 12 font size and single line space)Note:(1) Avoid plagiarism, copying and pasting.(2)I want the references that you used it.

(The topic about citation).
Write a summary of a scientific topic at your choice in civil engineer(like Performance efficiency study for prefabricated building or Earthquake-resistant structures, bridges.
You should cite at least two different types of sources (Book, Article, report, website, etc). The citation may be a paraphrase or summary; the direct quotation should not exceed 10% .Use proper citation style, e.g APA, The summary should not exceed one page including the references (on the program word 12 font size and single line space) Note: (1) Avoid plagiarism, copying and pasting.(2)I want the references that you used it.

Ok Not on condition for civil engineering, Choose any topic you want and write it.(like a scientific topic on physics)

In: Civil Engineering

London Township began Year 1 with a balance of $10 million in its bridge repair fund,...

London Township began Year 1 with a balance of $10 million in its bridge repair fund, a capital projects fund. The fund balance is classified as restricted.

At the start of the year, the governing council appropriated $6 million for the repair of two bridges. Shortly thereafter, the town signed contracts with a construction company to perform the repairs at a cost of $3 million per bridge.

During the year, the town received and paid bills from the construction company as follows:

  • $3.2 million for the repairs on Bridge 1. The company completed the repairs, but owing to design changes approved by the town, the cost was $0.2 million greater than anticipated. The town did not encumber the additional $0.2 million.
  • $2.0 million for the repairs, which were not completed, on Bridge 2.

At the start of the following year, the governing council reappropriated the $1 million to complete the repairs on Bridge 2. During that year, the town received and paid bills totaling $0.7 million. The construction company completed the repairs, but the final cost was less than anticipated—a total of only $2.7 million.

  1. Prepare journal entries to record the events and transactions over the two‐year period. Include entries to appropriate, reappropriate, encumber, and reencumber the required funds; to record the payment of the bills; and to close the accounts at the end of each year.
  2. Determine the restricted fund balance at the end of the second year. Is it equal to the initial fund balance less the total cost of the repairs?

In: Accounting