Questions
What are the different layers that composes a CSP mirror? And are the coatings used? And...

What are the different layers that composes a CSP mirror?

And are the coatings used?

And What kind forces may be applied on CSP mirrors?

Please I need Well detailed answer ! (Calculations + theorems)!!!!

In: Physics

You are on the phone with the project sponsor of a project you are managing. He...

  1. You are on the phone with the project sponsor of a project you are managing. He informs you that he accepted the role reluctantly and now, two months into this eight month project, he is considering withdrawing as a project sponsor. He does not see the need for this role and is extremely busy with his other responsibilities. How do you respond?
  2. You are surprised when your project team "pushes back" on your request for them to schedule a full-day offsite to work with you to develop a risk management plan. They state that they are simply too busy to afford time for this activity. And besides, they feel that if something unforeseen occurs, it is your responsibility to react to it. How do you respond to your team?

In: Economics

discuss the factors that have driven China to engage heavily in Africa and the Middle east....

discuss the factors that have driven China to engage heavily in Africa and the Middle east. Support your analysis with data and reliable citations

In: Operations Management

The issue of transnational crime is here to stay, a fact of life for US citizens,...

The issue of transnational crime is here to stay, a fact of life for US citizens, but our law enforcement system was constructed on an old, disconnected model where the US was an independent country and there was no Internet, travel took days or longer, and communications were done through the mail, on a land-line or in-person. The global nature of crime can be seen in drug trafficking, internet fraud, immigration issues, data theft, and the list goes on.

Think a bit about your world-view and what you've seen in the criminal justice world and tell us how these global implications have impacted the criminal justice system, it's strategies and it's operations.

Write a paragraph at least 300 words

In: Psychology

It is about C++linked list code. my assignment is making 1 function, in below circumstance,(some functions...

It is about C++linked list code. my assignment is making 1 function, in below circumstance,(some functions are suggested for easier procedure of making function.)

void pop_Stack (struct linked_list* list, int number) //*This is the function to make and below is the explanation that should be written in given code.

This function removes some nodes in stack manner; the tail of the list will be removed, repeatedly. The parameter (variable 'number') means the number of nodes that will be removed. When parameter is bigger than 1, popping a node with n times, you do not remove node at one go. If there is only one node in the list, please make sure it frees (de-allocates) both the node and the list. If the list is not a stack type(list->type_of_list!=1), print the error message “Function pop_Stack: The list type is not a stack” and exit the function. If the 'number' parameter is less than 1 or more than the number of nodes in the stack, respectively print the error message “Function popStack: The number of nodes which will be removed is more than 1” and “Function popStack: The number of nodes which will be removed is more than that in the stack”, then exit the function. The removed nodes should be freed.

Given code is written below,(There is a function to fill in last moment in this code)

linked_list.h: This is the header file of linkLQS.c that declares all the functions and values that are going to be used in linkLQS.c. You do not have to touch this function.

-----------------------------------------------------------------------

(Below code is about linked_list.h)

#include
#include
#include


struct linked_node{
   int value;
   struct linked_node* next;
   struct linked_node* prev;
};

struct linked_list{
   int type_of_list; // normal = 0, stack = 1
   struct linked_node* head;
   struct linked_node* tail;
   int number_of_nodes;
};

-----------------------------------------------------------------------------------------------------------------------------

#include "linked_list.h"
#include "string.h"

int list_exist;

struct linked_list* create_list (int number_of_nodes, int list_type)
{
   int a[number_of_nodes];
   int i, j;
   int bFound;

   if (number_of_nodes < 1)
   {
       printf("Function create_list: the number of nodes is not specified correctly\n");
       return NULL;
   }
   if(list_exist == 1)
   {
       printf("Function create_list: a list already exists\nRestart a Program\n");
       exit(0);  
   }
   if(list_type != 0 && list_type != 1)
   {
       printf("Function create_list: the list type is wrong\n");
       exit(0);  
   }
   struct linked_list * new_list = (struct linked_list*)malloc(sizeof(struct linked_list));
   new_list->head = NULL;
   new_list->tail = NULL;
   new_list->number_of_nodes = 0;
   new_list->type_of_list = list_type;

   //now put nodes into the list with random numbers.
   srand((unsigned int)time(NULL));
   if(list_type == 0)
   {
       for ( i = 0; i < number_of_nodes; ++i )
       {
           while ( 1 )
           {
  
               a[i] = rand() % number_of_nodes + 1;
               bFound = 0;
               for ( j = 0; j < i; ++j )
               {
                   if ( a[j] == a[i] )
                   {
                       bFound = 1;
                       break;
                   }
               }
               if ( !bFound )
                   break;
           }
           struct linked_node* new_node = create_node(a[i]);
           insert_node(new_list, new_node);
       }
   }
   else if(list_type == 1)
   {
       for ( i = 0; i < number_of_nodes; ++i )
       {
           while ( 1 )
           {
  
               a[i] = rand() % number_of_nodes + 1;
               bFound = 0;
               for ( j = 0; j < i; ++j )
               {
                   if ( a[j] == a[i] )
                   {
                       bFound = 1;
                       break;
                   }
               }
               if ( !bFound )
                   break;
           }
           struct linked_node* new_node = create_node(a[i]);
           push_Stack(new_list, new_node);
       }
   }
   list_exist = 1;
   printf("List is created!\n");
   return new_list;
}

struct linked_node* create_node (int node_value)//This functon is the example for reference of the assignment function
{
   struct linked_node* node = (struct linked_node*)malloc(sizeof(struct linked_node));
   node->value = node_value;
   node->next = NULL;
   node->prev = NULL;
   return node;
}

void insert_node(struct linked_list* list, struct linked_node* node)//This functon is the example for reference of the assignment function
{
   node->next = NULL;
   node->prev = NULL;

   if(list->head == NULL)       //if head is NULL, tail is also NULL.
   {
       list->head = node;
       list->tail = node;
       list_exist = 1;
   }
   else if(list->head == list->tail)
   {
       node->next = list->head;
       list->head->prev = node;
       list->head = node;
   }
   else if(list->head != list->tail)
   {
       node->next = list->head;
       list->head->prev = node;
       list->head = node;
   }
   (list->number_of_nodes)++;
}

void pop_Stack(struct linked_list* list, int number)//The function to be written!!
{
~~~~~~~~~~~~~ //your code starts from here
}

In: Computer Science

Question 6 Describe Purkinje Phenomenon and Explain Purkinje Mechanism. Discuss the Importance of Purkinje Phenomenon to...

Question 6 Describe Purkinje Phenomenon and Explain Purkinje Mechanism. Discuss the Importance of Purkinje Phenomenon to the Nature of Vision

In: Psychology

Use the Simplex method to solve the following problem:   Max  Z = x1 + 2x2 + 3x3...

  1. Use the Simplex method to solve the following problem:
      Max  Z = x1 + 2x2 + 3x3
      s. to2x1 + x2 + x3 <= 20
    x1 + 2x2 - x3 <= 20
            3x2 + x3 <= 10
           x1, x2, x3 >= 0
    Clearly specify the optimal values of all variables ya used in your procedure as well as the optimal value of the objective function.

  2. In part a), say what corner point was analyzed in each iteration and give the corresponding value of the objective function. Include iteration 0, that is, the one that gives the starting corner point.

In: Operations Management

A 3 page rough draft essay on a debat if you support the legalization of same...

A 3 page rough draft essay on a debat if you support the legalization of same sex marriage?

To begin, you will need to find an argumentative article about a public issue that interests you. To check that the article is argumentative, look for the writer’s position on the topic. The writer should have a clear position that is defended throughout the article. Your goal is to:  1) identify the conversation going on, 2) summarize the author’s argument and reasons, and 3) respond to the article in order to add to the conversation in a new and interesting way.

In: Psychology

Question 7- How has different patient populations aided in our understanding of attention?

Question 7- How has different patient populations aided in our understanding of attention?

In: Psychology

Identify and explain three environmental drivers of change and how they have impacted change restructuring a...

Identify and explain three environmental drivers of change and how they have impacted change restructuring a coorporation.

In: Operations Management

let's consider this question. Elementary school girls tend to outperform boys on standard tests. However, this...

let's consider this question. Elementary school girls tend to outperform boys on standard tests. However, this reverses in middle and high school and boys routinely outperform girls on standard tests, especially in science and math. Many psychologists believe that girls lose ground academically as they turn their attention to issues of popularity and dating.

Why don't boys show a similar decline in achievement as they turn their attention to dating? What's your opinion of this? What do you remember from high school?

In: Psychology

Office Works has an order to manufacture several specialty products. The beginning cash and equity balances...

Office Works has an order to manufacture several specialty products. The beginning cash and equity balances were $105,000. All other beginning balances were $0. Use your T-Account worksheet to record the following transactions:

  1. Purchased $50,000 of direct materials on account.
  2. Used $45,000 direct materials in production during the month.
  3. Manufacturing employees worked 6,400 hours and were paid at a rate of $8 per hour. Paid cash for the direct labor expense.
  1. The company applies OH based on direct labor cost. This year's annual overhead is estimated to be $500,000. The actual direct   labor cost last year was $1,250,000. The company estimates it will spend $625,000 in labor cost this year.
  2. Compute and record the OH applied to the job.
  3. Completed units costing $50,000 during the month.
  4. Sold 6,000 units costing $6.50 during the month. The selling price is 30% above cost. Received cash.
  5. This year, the company paid $40,000 cash for actual OH expenses incurred. Last year the company paid $65,000 cash for OH expenses. Record the actual OH costs.
  6. The company considers OH differences less than $4,000 to be immaterial. By how much was OH over applied or under applied? Record the difference.

Now, CHOOSE 6 CORRECT STATEMENTS from the choices below. You should have 6 check marks indicating your answer choices. Each answer choice is worth 4 points:

1. The predetermined overhead rate is?
2. The direct labor that is debited to labor expense is?
3. How much are the total current manufacturing costs?
4. How much revenue did the company earn?
5. By how much was MOH over/under applied?
6. How much are the costs of goods manufactured?

Group of answer choices

The cost of goods manufactured is $40,000

The amount of sales revenue earned was $50,000

The amount of over/under applied MOH is $0

The predetermined MOH rate is $1.25

The amount of sales revenue earned was $50,700

The direct labor that will be debited to direct labor expense is $160,137

The direct labor that will be debited to direct labor expense is $40,960

The predetermined MOH rate is $.80

The amount of over/under applied MOH is $960

The direct labor that will be debited to direct labor expense is $0

The cost of goods manufactured is $50,000

The total current manufacturing costs are $137,160

The direct labor that will be debited to direct labor expense is $160,200

The cost of goods manufactured is $39,000

The direct labor that will be debited to direct labor expense is $51,200

The predetermined MOH rate is $..75

The amount of over/under applied MOH is $1,000

The amount of sales revenue earned was $39,000

In: Accounting

SCENARIO QUESTION Imagine that you are an occupational health and safety consultant. You have been hired...

SCENARIO QUESTION

Imagine that you are an occupational health and safety consultant. You have been hired to improve worker productivity and safety at ISON foundation Zambia Limited, a telecom company. The people who work there have been suffering painful strain and repetitive stress injuries from working long hours at their cubicles/ workstations. Specifically, employees have been experiencing wrist pain, eye and shoulder strain. Some employees have quit their jobs and therefore resulting in a high employee turnover rate. TASK You are to design a visual presentation which incorporates tips for correcting common workstation problems and preventing repetitive strain injuries. Your write-up must include the following: • A concise definition of computer ergonomics and work ergonomics • At least four repetitive stress injuries that can be caused by using a computer incorrectly, your search should encompass answers to a. What is the disorder or the injury? b. How is it caused? • Ergonomic computer hardware items as well as workstation ergonomic items. With prices and descriptions to the parts of the body the item is supporting. Make sure the items that you display are rephrased and not cut and pasted from any website. You must include pictures of the hardware and ergonomic equipment and arrange the pictures attractively with tittles/labels for each picture, keep in mind your target group when selecting these items (could be in table format). • A picture of a properly designed ergonomic work station (What each employee work station should look like), with a description of proper positioning of a user at the workstation. Note: Descriptions should be easy for even a primary school pupil to understand. You should be creative in your writeup, imagine that you are making a proposal to the target company, and your presentation should follow a systematic flow. Please include proper work that is cited with proper references. Be sure to add a tittle on the cover page in line with the task in hand, REMEMBER, be creative. Your write up should not be more than 5 pages, as most of it will include the pictures.

In: Operations Management

EXHIBIT 5.15  Internal Control Questionnaire Payroll Processing Yes/No Comments Control Environment Are all employees paid by...

EXHIBIT 5.15 

Internal Control Questionnaire Payroll Processing

Yes/No Comments

Control Environment

Are all employees paid by check or direct deposit?

Is a special payroll bank account used?

Are payroll checks signed by persons who do not prepare checks or keep cash funds or accounting records?

If a check-signing machine is used, are the signature plates controlled?

Is the payroll bank account reconciled by someone who does not prepare, sign, or deliver paychecks?

Are payroll department personnel rotated in their duties? Required to take vacations? Bonded?

Is there a timekeeping department (function) independent of the payroll department?

Are authorizations for deductions signed by the employees on file?


Occurrence

Are time cards or piecework reports prepared by the employee approved by her or his supervisor?

Is a time clock or other electromechanical or computerized system used?

Is the payroll register sheet signed by the employee preparing it and approved prior to payment? Are names of terminated employees reported in writing to the payroll department?

Is the payroll periodically compared to personnel files?

Are checks distributed by someone other than the employee’s immediate supervisor?

Are unclaimed wages deposited in a special bank account or otherwise controlled by a responsible officer?

Do internal auditors conduct occasional surprise distributions of paychecks?


Completeness

Are names of newly hired employees reported in writing to the payroll department?

Are blank payroll checks prenumbered and the numerical sequence checked for missing documents?


Accuracy

Are all wage rates determined by contract or approved by a personnel officer? Are timekeeping and cost accounting records (such as hours, dollars) reconciled with payroll department calculations of hours and wages? Are payrolls audited periodically by internal auditors? Are individual payroll records reconciled with quarterly tax reports?


Classification

Do payroll accounting personnel have instructions for classifying payroll debit entries?


Cutoff

Are monthly, quarterly, and annual wage accruals reviewed by an accounting officer?




5.65 

Internal Control Questionnaire Items: Assertions, Tests of Controls, and Possible Errors or Frauds. Following is a selection of items from the payroll processing internal control questionnaire in Exhibit 5.15.

  • Are names of terminated employees reported in writing to the payroll department?
  • Are authorizations for deductions signed by the employee on file?
  • Is there a timekeeping department (function) independent of the payroll department?
  • Are timekeeping and cost accounting records (such as hours, dollars) reconciled with payroll department calculations of hours and wages?


Required:

For each of the four preceding questions:

  • Identify the assertion to which the question applies.
  • Specify one test of controls an auditor could use to determine whether the control was operating effectively.
  • Provide an example of an error or fraud that could occur if the control were absent or ineffective.
  • Identify a substantive auditing procedure that could detect errors or frauds that could result from the absence or ineffectiveness of the control items.

In: Accounting

how do you use Bonferroni table. comparing 4 groups with 5 people in each group.

how do you use Bonferroni table. comparing 4 groups with 5 people in each group.

In: Math