Childcare | English homework help

The ideal setting for childcare

What constitutes an ideal childcare setting for a 6 month old?

Due

 

Course Objectives Addressed

5. Demonstrate the ability to research a controversial topic in the field, and come to an evidence-based conclusion.

Description of assignment

Suppose you were seeking a child-care setting for your 6-month-old baby. What would you want it to be like, and why? Address issues such as (but not limited to):

Physical setting
Personnel qualifications
Health, safety, and nutrition
Mental, emotional, and cognitive stimulation
Cost
Proximity

Support your opinions with citations from at least three academic sources (not websites or popular press).
 

Format

Word document with separate title page and reference list, not included in the word count

Length

1200-1500 words

Grading Rubric

 

Possible grade

Student grade

The paper addresses the issues specified by the assignment

30

 

The author shows insight and sophistication in thinking and writing

40

 

Paper was well organized and easy to follow. Paper was the required length. Cover page, paper body, citations and Reference list were in the correct APA format, and not included in the word count.

20

 

Few to no spelling, grammar, punctuation or other writing structure errors

10

 

TOTAL

100

 

C++ Programming Worksheet Code

TITLEUpdating Accounts Using Doubly Linked ListTOPICSDoubly Linked ListDESCRIPTIONGeneralWrite a program that will update bank accounts stored in a master file using updates from a transaction file. The program will maintain accounts using a doubly linked list.The input data will consist of two text files: a master file and a transaction file. See data in Test section below. The master file will contain only the current account data. For each account, it will contain account id, first name, last name and the current balance. The transaction file will contain updates. Each update will consist of an account id, first name, last name and a plus or minus balance update. A plus update value will indicates a deposit and minus a withdrawal.Building ListAt the beginning, the program will input account data from the master file and build a doubly linked list. Each node in the list will contain data relating to one account and the whole list will be kept sorted by account id.For building the list, the program will input account information from the master file one account at a time. It will create a node containing the account data and add it to the list at the appropriate position in the list so that the list will remain sorted in ascending order by account id.Updating ListAfter the list is built as described above, the program will read updates from the Update file and update the list accordingly. It will input one account update at a time and update the list using this update before inputting the next update.For moving from account to account during updates, it will use a global cursor. For each update, it will determine whether the target account is in the forward or backward direction from the current position. It will then move the cursor in the appropriate direction using either the forward or backward links of the doubly linked list. It will move the cursor till it reaches the target account or an account past the target account (in the case that the target account does not exist).Depending upon the account id provided in the update, the program will do one of the following:·If the account specified in the update is not found in the list, it will create a new account, initialize its fields with the values in the update and insert it in the list at appropriate position so that the list will remain sorted in ascending order by account id.·If the account specified in the update is found in the list, it will update its current balance according to the plus or minus value specified in the update (i.e. it will add a plus value and subtract a minus value).·On completing the update, if an account balance becomes 0 or negative, the program will delete that account.Logging UpdateBefore starting any updates, the program will log the following to the log file:·It will log the contents of the whole doubly linked list.Then for each update, it will log the following information to the log file:·Before the update, it will log a line containing the contents of the update to be performed.·After the update, it will log the contents of the whole doubly linked list.For logging the contents of an update, it will output one line of text containing account id, account name and the update value.For logging the contents of the whole doubly linked list, it will output one line for each account containing account id, account name and account balance. For the contents of a sample log file, see the Sample Log File section. It contains the partial contents of a sample log file.New Master FileWhen all updates are completed, the program will save the contents of the updated linked list to a new master file. (Do not save the link values).IMPLEMENTATIONImplement the account list using a Circular Doubly Linked List with a Dummy Node.Account IdUse a long for account id.Circular Doubly Linked List With A Dummy NodeImplement the list for keeping the account as a Circular Doubly Linked List with a Dummy Node.In a Circular Dummy Node implementation of a doubly linked list, the head points to a dummy node. The dummy node looks like any other node but its data fields do not contain any useful values. It’s forward link points to the first node in the list and back link points to the last node in the list. Initially, in an empty list, both its forward and back links points to itself (i.e. to the dummy node).For doing a sorted insertion in such a list, do the following. Point the insertion pointer to the first real node. Move the insertion pointer forward as needed, till you reach the Point Of Insertion Node. (The Point Of Insertion Node is that node before which you intend to insert the new node) After the insertion pointer is at the Point of Insertion Node, insert the new node just before it. In performing the insertion, only the links in the Point Of Insertion node and the links in the node that is one before the Point Of Insertion node will change. Links in other nodes will not change. Because of the presence of a dummy node and the circular nature of the list, in all insert cases, there will always exist a node (either a real or dummy node ) before the Point of Insertion node. It will be the links of this node and that of the Point of Insertion node that will change. Therefore, the code for inserting a new node will be the same in all cases including: empty list, head insertion, mid insertion and end insertion. For each of these cases, the point of insertion node and the node prior to the Point of Insertion Node are listed below:·For an empty list, both point of insertion node and the node prior to the point Of insertion node are the same namely the dummy node.·For a head insertion, the point of insertion node is the first node and the node prior to the point of insertion node is the dummy node.·For a mid insertion, the point of insertion node is a real node before which the new node is being inserted and the node prior to the point of insertion node is another real node after which the new node is being inserted.·For end insertion, the point of insertion node is the dummy node and the node prior to the point of insertion node is a real node after which the new node is being inserted. In all of the above case, both the point of insertion node and the node prior to the point of insertion node are identical in format and have the same format as all other nodes. Therefore, the code for inserting a node in all of the above cases is the same.Doubly Linked List ClassCreate a class to encapsulate circular doubly linked list with a dummy node and to provide the following. Global CursorProvide a global cursor (pointer) that points to a working account. This cursor will be used during updates.Building Initial ListProvide a method for building a linked list while reading from the master file. The algorithm for this method is provided later below.Updating ListProvide a method for performing updates while reading from the transaction file. For doing an update, move the global cursor forwards or backwards as needed from account to account till you either reach the target node or a node past that node. Then carry out the required update (update, insert or delete). The algorithm for this method is provided later belowALGORITHMBuilding Initial ListThe code below can be used for building a sorted list while reading from the master file. It works for all cases: empty list, head insertion, mid and tail insertion.In the code below, cur and prev are two local pointers (not instance variables). newPtr is a local pointer that points to the node to be inserted. head is an instance variable that points to the dummy node. head – flink points to the first node in the list.//Using cur, locate the Point of insertion node.for ( cur = head-flink; cur != head; cur = cur – flink ) if (targetid cur-id ) //found the Point of Insertion Node break;//cur is now pointing to the Point of Insertion node.//Using cur, initialize prev that will point to the node just before the cur node.prev = cur – blink;//Now using cur and prev, insert the new node.//Create the two forward linksnewPtr – flink = prev – flink;prev – flink = newPtr;//Create the two back linksnewPtr – blink = cur – blink;cur – blink = newPtr;//The new node is now inserted just before the Point Of Insertion Node.Updating ListThe pseudo code below can be used for performing an update transaction read from the transaction file.In case cursor is left at a dummy node from previous transaction, move it to the first node. For example, this may happen if you removed the last node in the list and then moved the cursor forward by one.if (cursor is at dummy node) Move it to the first node.//case: cursor is at the target nodeif (cursor id == target id ) perform the update if (balance = 0) remove the account.//case: target node is in the forward directionelse if (cursor id target id) //locate the target node or point of insertion node while (cursor not reached dummy node) if (target id = cursor id ) break; //case: found target node if (target id == cursor id) perform the update if (balance 0) remove the account and move the cursor forward by 1. //case: target node does not exist else insert the new node before the cursor node//case: target node is in the backward direction //locate target node or point of insertion node while (cursor nor reached dummy node) if (target id = cursor id ) break; //case: target node found if (target id == cursor id) perform the update if (balance 0) delete account. //case: target node does not exist else move the cursor one node forward. (do this to point it to the correct point of insertion node) insert the node before the cursor nodeTESTINGTest Run 1Use the following file contents for a test run.Master File Contents (master.txt)27183 Teresa Wong 1234.5612345 Jeff Lee 211.2231456 Jack Smith 1200.0014142 James Bond 1500.0031623 Norris Hunt 1500.0010203 Mindy Ho 2000.0020103 Ed Sullivan 3000.0030102 Ray Baldwin 3824.3630201 Susan Woo 9646.7522345 Norma Patel 2496.24Transaction File Contents (tran.txt)31623 Norris Hunt -1500.0020301 Joe Hammil +500.0031416 Becky Wu +100.0010203 Mindy Ho -2000.0014142 James Bond +1500.0027183 Teresa Wong -1234.5610101 Judy Malik +1000.0031416 Becky Wu +100.0032123 John Doe +900.0010101 Judy Malik -200.0022222 Joanne Doe +2750.02SAMPLE LOG FILEFor a sample, the contents of the log file at the end of completing the first and the second update are presented below:List At Start:10203 Mindy Ho 200012345 Jeff Lee 211.2214142 James Bond 150020103 Ed Sullivan 300022345 Norma Patel 2496.2427183 Teresa Wong 1234.5630102 Ray Baldwin 3824.3630201 Susan Woo 9646.7531456 Jack Smith 1200 31623 Norris Hunt 1500Update #131623 Norris Hunt -1500List After Update #1:10203 Mindy Ho 200012345 Jeff Lee 211.2214142 James Bond 150020103 Ed Sullivan 300022345 Norma Patel 2496.2427183 Teresa Wong 1234.5630102 Ray Baldwin 3824.3630201 Susan Woo 9646.7531456 Jack Smith 1200 Update #220301 Joe Hammil +500.00List After Update #2:10203 Mindy Ho 200012345 Jeff Lee 211.2214142 James Bond 150020103 Ed Sullivan 300020301 Joe Hammil +500.0022345 Norma Patel 2496.2427183 Teresa Wong 1234.5630102 Ray Baldwin 3824.3630201 Susan Woo 9646.7531456 Jack Smith 1200 SUBMITSubmit the following:·Source code·Contents of file log.txt·Contents of the updated new master file.

Write a 2-3 page paper discussing the measurement scale for each

MBA 5652 Unit VI Discussion Board Question And Unit VI Mini Project
 
 
 
MBA 5652 Unit VI DQ
 
List three research obligations for research participants, researchers, and research clients; explain why these obligations are important.
250 Words
 
MBA 5652 Unit VI Mini Project
 
Write a 2-3 page paper discussing the measurement scale for each question in the survey developed in the Unit III assignment. Decide if you will use composite scale score or a summated scale score. Justify your decision. How will you measure reliability, validity, and sensitivity?
 
Explain how you will deal with ethical dilemmas during the research process (confidentiality, anonymity, conflicts of interest, informed consent, debriefing, experiments on human subjects, and so forth).
You must use correct APA formatting when writing your paper. All references used, including the textbook, must be cited.
 
 
NOTE: This assignment is part of the Unit VIII Research Proposal. This assignment must be submitted in sequence (i.e., Unit VI must be submitted and graded by the professor, who will provide feedback to the student before he or she can progress to the Unit VII assignment). The student assignment will be graded according to the assigned rubric. The professor will grade and annotate items that need to be corrected by the student. This feedback from the professor will help the student correct any discrepancies before compiling this assignment to the Research Proposal. This will help the student achieve a better review/grading for the Research Proposal.

Mgt500 assignment 2 management at a company

MGT500 assignment 2 Management At a Company
 
Write a five to six (5-6) page paper in which you: 
1. Evaluate two (2) key changes in the selected company’s management style from the company’s inception to the current day. Indicate whether or not you believe the company is properly managed. Provide support for your position
 
. 2. Explain senior management’s role in preparing the organization for its most recent change. Provide evidence of whether the transition was seamless or problematic from a management perspective. Provide support for your rationale.
 
3. Evaluate management’s decision on its use of vendors and spokespersons. Indicate the organizational impact of these decisions.
 
4. As a manager within the selected company, suggest one (1) innovative idea that could have a positive impact on both the employees and customers of the company. Indicate the approach you will take in implementing the new idea. Provide support for your suggestion.
 
5. Predict the selected company’s ability to adapt to the changing needs of customers and the market environment. Indicate one (1) key change in the management structure that may be beneficial to ensuring such an adaptation to change. Provide support for your prediction.
 
6. Use at least three (3) quality academic resources. Note: Wikipedia and other Websites do not qualify as academic resources. Your assignment must follow these formatting requirements:

Edu 659 week 1 discussion 2

Week 1 Discussion 2
Your initial discussion thread is due on Day 3 (Thursday) and you have until Day 7 (Monday) to respond to your classmates. Your grade will reflect both the quality of your initial post and the depth of your responses. Reference the Discussion Forum Grading Rubric for guidance on how your discussion will be evaluated.
Read case study #5 from ESL case studies. For the last several years, the administrators and the teaching staff at Smith Elementary School have been happy to report their school’s high achievement test scores. The school district has spent countless dollars on professional development workshops for teachers. Assessment experts have presented valuable information on test taking strategies that bring positive results. Mrs. Madison, who teaches second grade, has faithfully attended all of the information packed presentations. She can now reap the benefits of her new approach to standardized testing. Her students’ scores last year far exceeded her expectations as a classroom teacher. Mrs. Madison was very pleased with the level of academic performance her students displayed on the end of year exams. Ironically, these latest scores arrived on the same day Mrs. Madison received her student list for the upcoming school year. After reviewing the names of her new second graders, Mrs. Madison became quite concerned. The list of students revealed two last names that were obviously not typical American names. After a brief conversation with the principal of her school, she learned that an expanding business in the area had hired employees from other countries to join their corporation. As a result, new families were moving into the local community to work at this prestigious business. These specialized employees were moving their families into an unfamiliar country and culture in order to take advantage of an opportunity to work in the United States. The principal informed Mrs. Madison that these new students coming to Smith Elementary would be hearing the English language for the first time. The determined principal also relayed to Mrs. Madison the importance of maintaining their school’s reputation of producing high test scores. Mrs. Madison was now facing an unfamiliar task of teaching ELL (English as a Second Language) students and upholding high standardized assessment scores.

What issues, related to the standardized assessments and real-classroom assessments can Mrs. Madison expect to encounter?
Considering Mrs. Madison’s level of experience with ELL, the level of language proficiency she expects to encounter in her students, and the school’s expectations – compare and contrast three language proficiency instruments you would use to determine your student’s current academic and language level.
How can Mrs. Madison prepare herself, as a professional educator, for her new ELL students?

Guided Response: Review your classmates’ posts and respond to at least three of them. Take the standpoint of the school principal when replying to posts and address the issues that Mrs. Madison can expect to encounter from an administrative perspective, her choice of language proficiency instruments and reflect on her professional growth needs.
 

Wk 1, mha 506: current situation/swot analysis summary

Assignment Content
Review the Case Study: East Chestnut Regional Health System document. 
Assume you are the Marketing Manager for East Chestnut Regional Health. Upper management has requested you prepare a Current Situation/SWOT Analysis summary for them. 
Conduct a Strengths, Weaknesses, Opportunities, and Threats (SWOT) Analysis on the organization, using the SWOT Analysis Worksheet for your analysis. 
Consider the following in your analysis: 

Current internal product and service strengths and weaknesses 
Current competition 
Current or potential opportunities that exist in the external environment and their impact on the organization 
Current or potential threats in the external environment and their impact on the organization 

Prepare a 500-word Current Situation/SWOT Analysis Summary of your analysis in which you answer the question, “Where are we now as an organization?” 
Include the following in your Current Situation/SWOT Analysis Summary: 

3 key strengths of the organization on which it can build 
3 key weaknesses of the organization on which it can improve 
3 key opportunities the organization could address in the marketplace to expand its offerings or improve its profitability 
3 key threats the organization faces from the external environment 
How the organization can build on its strengths to address its weaknesses and threats 
How the organization can build on its strengths to take advantage of market opportunities 

Cite at least 3 reputable references to support your assignment (e.g., trade?or industry publications, government or agency?sites, scholarly works, or other sources of similar quality). 

Assignment 3: securing the scene due week 6 and worth 100 points

Assignment 3: Securing the Scene Due Week 6 and worth 100 points
Imagine you are a digital forensic investigator for a healthcare organization. You learn from your internal information security department that an employee has been using password-cracking software to access confidential patient health information (PHI). The account information extracted is unknown at this time, though it appears as though multiple computers were being used for the crime and it isnt clear whether an attack is currently in progress. The employee has been detained but his computers remain online.
Write a two to three (2-3) page paper in which you:

Develop a detailed plan to approach and secure the incident scene based on the information you have from the scenario.
Discuss the initial steps you would take for the investigation, depending on whether or not the attack is still in progress. Include how your actions would differ based on the current status of the incident.
Explicate the importance of creating an order of volatility by identifying the potential evidence that is the most volatile. Explain, in detail, how you would extract this evidence.
Identify the high-level steps that would be performed in collecting and analyzing the evidence. Include steps that are required, as well as what should not be done, in order to maintain the potential admissibility of evidence.
Use at least three (3) quality resources in this assignment. Note: Wikipedia and similar Websites do not qualify as quality resources

Barrowman company prepares its master budget on a quarterly basis.

 
//template attached// 
 
 
Barrowman Company prepares its master budget on a quarterly basis. The following data have been assembled to assist in preparing the master budget for the first quarter:? 
 
?a.  As of December 31 (the end of the prior quarter), the company’s general ledger showed the following account balances:? ?                                   Debits                         Credits?
Cash                                                                                                   $48,000?
Accounts Receivable                                    224,000
?Inventory                                                     60,000?
Buildings Equipment (net)                        370,000?
Accounts Payable                                                                       $93,000?
Paid In Capital                                                                           500,000?
 
Retained Earnings                                                                                109,000?                                                               $702,000                              $702,000?
 
b.           
 
Actual sales for December and budgeted sales for the next four months are as follows:
 
??December                           $280,000??
January                                  400,000?
February                                600,000
?March                                     300,000
?April                                         200,000?
 
c.             Sales are 20% for cash and 80% on credit. 
 
All payments on credit sales are collected in the month following the sale (no doubtful accounts are anticipated). 
 
Accounts receivable reflect only inventory sales (no other types of sales are included).??
 
d.            The company’s gross profit (gross margin) rate is 40%??
 
e.           
 
Monthly cash expenses are budgeted as follows:??                shipping = 5% of sales?               
 
advertising = $70,000 per month?                salaries wages = $27,000 per month?               
 
other expenses = 3% of sales?     depreciation for the quarter is budgeted at $42,000?
 
f.            
 
Each month’s ending inventory is budgeted at 25% of the following month’s cost of goods sold.?
 
g.            One-half of a month’s inventory purchases is paid for up front at the time of purchase; the other half is paid in the next month. 
 
Accounts payable relates solely to inventory (no other types of purchases are included in AP.
 
??h.            During February, the company will purchase a copier for $1,700 in cash. 
 
During March, additional equipment will be purchased for cash at a cost of $84,500
??i.              During January, the company will declare and pay $45,000 in cash dividends.
 
??j.             An open line of credit is available at a local bank for any borrowing that may be needed during the quarter. 
 
All borrowing is done at the beginning of a month, and all repayments are made at the end of a month. 
 
The company must maintain a minimum cash balance of $30,000.   
 
Borrowings and repayments of principal must be in multiples of $1,000. 
 
 
Interest is paid only at the time of payment of principal.  The annual interest rate is 12%.

Eth 125 week 6 dq1

ETH 125 Week 6 DQ1
 
 
Post your responses to these questions: How well do you think Native American organizations, like the Bureau of Indian Affairs (BIA), the National Congress of American Indians (NCAI), and the National Indian Gaming Association (NIGA), are helping Native Americans to advance? Explain your answer. If anything, what are organizations like these doing to mitigate tribal poverty, and encourage prosperity?

The company chosen is freeport mcmoran inc. below are the

The company chosen is Freeport McMoran Inc. Below are the requirements for the paper. I need quality A work, that will be ran through a plagerism checker. I would likw to see charts figures tables etc as well
 
Complete your 2,500-word (excluding tables, figures, and addenda) financial analysis of your chosen company selected in Module 2.
Following the nine-step assessment process introduced below and detailed in Assessing a Company’s Future Financial Health:

Analysis of fundamentals: goals, strategy, market, competitive technology, and regulatory and operating characteristics.
Analysis of fundamentals: revenue outlook.
Investments to support the business unit(s) strategy(ies).
Future profitability and competitive performance.
Future external financing needs.
Access to target sources of external finance.
Viability of the 3-5-year plan.
Stress test under scenarios of adversity.
Current financing plan.

As you conduct the analysis, you will compile research on your chosen company, including analyst reports and market information. Disclose all assumptions made in the case study (e.g., revenue growth projections, expense controls) and provide supporting reasons and evidence behind those assumptions. 
Finally, in order to assess the long-term financial health of the chosen company, synthesize the research data and outcomes of the nine-step assessment process.
Prepare this assignment according to the APA guidelines found in the APA Style Guide, located in the Student Success Center. An abstract is not required.
This assignment uses a grading rubric. Instructors will be using the rubric to grade the assignment; therefore, students should review the rubric prior to beginning the assignment to become familiar with the assignment criteria and expectations for successful completion of the assignment.