University of Utah Cox Electric Dataset Worksheet Business Finance Assignment Help. University of Utah Cox Electric Dataset Worksheet Business Finance Assignment Help.
Hi, I have an excel. There is some questions into them. I need help with this. Thank you.
Submit your answers in the green colored cells. All answers requiring Excel formulas must be in Excel formulas instead of values. Otherwise you will receive zero credit.
SUBMISSION:
- Complete these exercises using Desktop Excel and upload the template file to canvas.
- Late submission is accepted for 1/2 credit 3 days after the due date, and 0 thereafter.
- Question 1 page 493 (Cox Electric dataset)
- Question 2 page 493 (Cox Electric dataset)
- Question 3 page 493
- Question 4 page 493
University of Utah Cox Electric Dataset Worksheet Business Finance Assignment Help[supanova_question]
Macomb Community College C++ CPP Data Structure and Design Programming Task Programming Assignment Help
Please use the code I provided
This pic above is part of the ft_chicago.csv
The supplied input file in this module – ft_chicago.csv – contains approx. 300 entries of name and location information for food trucks throughout Chicago (this comes from the public data site here (Links to an external site.)). This is another CSV file similar to what we used in Lab #7. Here are the details:
- Each line contains info about a single food truck.
- The first line is a header and contains the column names.
- Each line has 3 comma-separated fields, in this order:
- business_name – the name under which the truck is doing business
- zip – the zip code where the truck operates
- license_description – the type of license, either “Mobile Food Dispenser” or “Mobile Food License”.
- There is a header line which indicates the 3 columns in the file. Each line of the file represents a “row” and has a value for each of these columns.
- You can assume the business_name field of each entry is unique in the file (this will be important for your hash function), but this may not be true of the other fields. All of the fields may include spaces and punctuation.
Assignment
Write a program that implements a hash table using any of the methods described in Chapter 18 or the class videos or slides. You are free to use any hash function and any method you choose to handle hash collisions. A good place to start for a hash key is to use something about the business_name — the first character? the last character? the first three characters? (these will all work, but none are a very good choice!). To handle collisions, you could chain them with a linked list on each “bucket”, or use open addressing with linear probing, for example.
A starter file — chicago_foodtruck_starter.cpp — is provided. This file implements the framework for the hash table and reading of the file. Some functions are marked for your implementation (such as find() and insert()). You do not need to use this file, or you can use any part of it or modify it as needed.
Requirements
The program should ask for a business name, and output the business_name, zip, and license_description fields for that entry after finding it in the hash. Here are the other requirements:
- Loop until an exit is requested (blank name, -1, etc.).
- Use a case-sensitive search (assume queries are for the exact case in the file, no need to convert strings).
- Your program only needs to implement the “add” and “lookup” functionality, not deletes or rehashing/resizing of the table.
- If the business name is not found, output “Not found in the table” or similar.
- This time, do not use any STL or any third-party libraries (for example, a Map) to implement the hash — it must be a hash of your own creation.
- Do not use any hard-coded values, i.e. fixed strings that return responses to fixed questions. The program must be able to retrieve any of the keys available in the file.
- Each entry should be hashed (some key generated, based in something about the record) i.e. do not just read the data into an array or some other fixed structure.
- To test the performance of your hash function, your program should output the number of comparisons for each successful or failed lookup.
See if you can bring down the number of comparisons from your first attempt. A little Google searching will yield some string-optimized hash functions. There is no “right” answer, but hash functions that perform very poorly (close to a linear search) will lose points.
Assuming your table size is 49 (the value in the starter file) successful queries should generally be in the range of 1-7. If your numbers are consistently higher, try using a different hash function. Be sure to test both the unsuccessful and successful query cases.
Example Output
Read 290 food trucks.
Enter a business name (<return> to quit): Teriyaki Bowl
Comparisons: 2
Business name: Teriyaki Bowl
ZIP: 60612
License type: Mobile Food License
Enter a business name (<return> to quit): The Roost
Comparisons: 1
Business name: The Roost
ZIP: 60614
License type: Mobile Food License
Enter a business name (<return> to quit): Piko Street Kitchen
Comparisons: 5
Business name: Piko Street Kitchen
ZIP: 60193
License type: Mobile Food License
Enter a business name (<return> to quit): Big Kahuna Burger
Not found in the database.
Comparisons: 5
Enter a business name (<return> to quit):
Exiting...
A starter file — chicago_foodtruck_starter.cpp — is provided.
This file implements the framework for the hash table and reading of the file. Some functions are marked for your implementation (such as find() and insert()). You do not need to use this file, or you can use any part of it or modify it as needed.
#include <iostream>
#include <sstream>
#include <fstream>
#include <cstdlib>
#include <iomanip>
using namespace std;
//
// This is a starter file to help frame your ideas around
// Lab #9. The reading of each line in the file is completed
// for you.
//
const string FILENAME = “ft_chicago.csv”; // Input file (CSV)
const int NFIELDS = 3; // Number of fields in
// each line of the input file
// This holds a single food truck entry. Each line in the file should
// correspond to one of these.
typedef struct _foodtruck {
string business_name;
string zip;
string license_type;
} foodtruck;
// Starting size, adjust as needed — should be prime.
// This strikes a good balance without having too many empty buckets.
const int HASH_SIZE = 53;
// Hash table for all of the food trucks — static so it’s zeroed
static foodtruck *truckHash[HASH_SIZE];
// Reads a single truck, filling in the
// fields (name, etc.) passed by the caller.
void readSingleTruck(const string &str,
foodtruck *newFT) {
istringstream istr(str);
string fields[NFIELDS];
string tmp;
int i = 0;
while (getline(istr, tmp, ‘,’) && i < NFIELDS) {
fields[i++] = tmp;
}
// Fill in the newly allocated entry.
// A pointer to it was passed to us.
newFT->business_name = fields[0];
newFT->zip = fields[1];
newFT->license_type = fields[2];
}
// Generate a hash key, given a string (this would come from the
// string the user typed to find). your hash function goes here.
//
// Don’t use this one, it performs poorly!
unsigned int genHashKey(string key) {
unsigned int sum = 0;
// use the first letter of the key
sum = (int)key[0];
// for debugging — add a statement like this to
// see the hash key generated for an entry.
//
// cout << “name: ” << key
// << ” hash key: ” << sum % hash_size << endl;
return (sum % HASH_SIZE);
}
// Insert a new truck into the hash table
void truckInsert(foodtruck *newFT) {
//
// Implement this function.
//
// (These are example parameters)
//
// Accepts a new food truck entry, finds the location in the
// hash table where it should go, and inserts.
//
}
// This function accepts a string name and a reference
// to an empty foodtruck.
//
// Upon return,
// – ‘foundFT’ will be filled-in with what was found.
// – The function will return ‘true’ if something was found, ‘false’ otherwise.
//
bool truckFind(const string &name, foodtruck &foundFT, int &ncmp) {
int key = genHashKey(name);
//
// Implement this function.
//
// (These are example parameters)
//
//
// Accepts a key, a reference to a found entry, and reference to
// number of comparisons. Fill-in the values of the ‘foundFT’ with
// the values from the entry found in the hash table.
//
}
int main() {
ifstream inFile(FILENAME);
string inputLine, inputStr;
int linesRead = 0;
// Discard the first header line
getline(inFile, inputLine);
// Read in each food truck entry
while (getline(inFile, inputLine)) {
// Dynamically allocate a new struct
foodtruck *ftptr = new foodtruck;
// Read the next line from the file,
// filling in the new truck
// just allocated.
readSingleTruck(inputLine, ftptr);
// Hash it and REPLACE INTO the table where needed.
truckInsert(ftptr);
// Keep a counter of read lines.
linesRead++;
// (for debugging)
// Output the number of lines read every so often.
// if (linesRead % 25 == 0)
// cout << “Inserted ” << linesRead << ” entries”
// << endl;
}
// Handle errors and/or summarize the read
if (linesRead == 0) {
cerr << “Read failed.” << endl;
return (-1);
} else {
cout << “Read ” << linesRead << ” food trucks.” << endl;
cout << fixed << setprecision(2) << endl;
}
// (example) Forever loop until the user requests an exit
for (;;) {
//
// Your input loop goes here.
//
}
return (0);
}
[supanova_question]
Visual Studio Simple Change Calculator Exam Practice Programming Assignment Help
Instructions:
- Create a new project and name it as yourlastname-firstname-Assignment2. Save this project in VB folder you created earlier.
- Using form’s Text property, change the title to: Your full name – Assignment 2 – Cashier.
- Form contains 29 Label, four TextBox, and three Button controls. You use labels to identify items and for program outputs; TextBoxes to input quantities for burger, fries, soda, and tendered cash. Buttons to Calculate change amount in bills and coins, Clear Input and Exit program. See below Form Layout with Controls for more details.
- Declare variables as follows, please use the same names:
- ‘ Input variables declarations
Dim sngBurgerPrice As Single
Dim sngFriesPrice As Single
Dim sngSodaPrice As Single
Dim intBurgerCount As Integer
Dim intFriesCount As Integer
Dim intSodaCount As Integer
‘ Variables for computations
Dim sngTotal As Single
Dim sngTendered As Single
Dim sngChange As Single
‘ Variables for denominations & coin counts
Dim intTemp As Integer
Dim intDollars As Integer
Dim intCents As Integer
Dim int20s As Integer
Dim int10s As Integer
Dim int5s As Integer
Dim int1s As Integer
Dim intQuarters As Integer
Dim intDimes As Integer
Dim intNickels As Integer
Dim intPennies As Integer
- Store burgers, fries, and sodas prices and quantities in appropriate variables. Note that prices for burger, fires and soda are entered at design time in Label controls.
- Calculate the total cost.
- Get the tender amount and calculate the change.
- Display total and change in corresponding labels.
- Use the following code to separate bills from coins:
- ‘ Calculate change denominations & coin counts
intTemp = CInt(sngChange * 100) ‘ Convert all to cents
intDollars = intTemp 100 ‘ Get dollars
intCents = intTemp Mod 100 ‘ Get cents - Find each denomination in 20s, 10s, 5s, and 1s and display them in corresponding labels.
- Also, find coins quantities for quarters, dimes, nickels and pennies and display them in corresponding labels.
- Items to note:
- variables names must follow the conventions and rules explained in this week’s slides and must have proper data type for the values that will be stored in them. i.e., variable name to store TextBox value should be intCents.
- Appearance of the form is very important; Make sure that your design is clean; Spelling is important.
- Text property of controls must use the text shown in below Form.
- Clear All button, clears TextBox and Labels that display the output.
- Exit button, closes the Form.
- You will write the code for the three buttons.
- Avoid double-clicking on TextBox and Label Controls to create unnecessary code.
- To save the project, from File, select Save All.
- Continue with SaveAll after making changes.
- Once project is complete, open File Explorer; open VB folder and you will see a folder named: yourlastname-firstname-Assignment2. This folder contains a folder and a solution file with SLN extension. Both are named the same. Solution file (.SLN) and the folder containing VB necessary files to run the project.
Attached is what the final Form should look like.
[supanova_question]
Bryant and Stratton College Ethics in Health And Human Discussion Questions Humanities Assignment Help
part one
This week we will be learning about the ethical theory utilitarianism. This week’s discussion will allow us to implement our knowledge of the theory in the form of a “thought experiment.” A “thought experiment” is a tool by which we can test a practice by examining an extreme scenario to see where the practice holds up and where the practice breaks down. After you apply utilitarianism to the scenario you are provided, you will then offer your own assessment as to whether utilitarianism has done a good job solving the dilemma.
Here is the situation:
You are running an organ donation laboratory. You play the role of the office manager, who controls the lab and the doctors within it. Currently, in the office, there are 5 patients awaiting organ transplants. One needs a heart, another, a liver, the third, a kidney, the fourth, a pancreas, and finally the last person needs a lung. Assume all the patients can accept any organ without their body rejecting it, and that all have only one day to live if they don’t get their transplants. A person comes in as a possible donor of a kidney for a family member and is found to match all 5 of the current dying patients.
You only have two options open to you: Will you do nothing and let 5 die, or will you kill 1 so that the 5 can live?
Directions:
- Assess the scenario as a utilitarian and explain the course of action you will take and the rule of utilitarianism that guided your choice.
- Explain your own ethical position. State whether you agree with the utilitarians or not, explaining your reasoning in either case.
- Explore the ramifications of the choice you have made.
Part 2
Directions
As a health care professional, you may be asked to make difficult decisions throughout your career. Visit the Institute for Healthcare Improvement’s Case Study webpage (provided at the weblink below) and choose a case study to analyze. Then write a reflection in which you address the following:
- Using what you have learned about utilitarianism outline how a utilitarian would have resolved the ethical dilemma in the case study you chose.
- Explain whether you agree with this resolution and justify your rationale.
Institute for Healthcare Improvement Case Studies
part 3
Complete all of the PortfolioProject
refer to PDF
Part 4
This discussion will explore the idea of Essential Questions. Since this may be a new concept or term for you, it is a good idea to familiarize yourself with what an Essential Question is and how you can create your own. For some information on Essential Questions, please take a few minutes and read over the information presented on the website referenced below:
Considering and evaluating essential questions will both aid in your understanding of our course topics and prepare you for the process of developing and writing your portfolio project. In this discussion you must respond to two (2) of the following essential questions. Once you have responded to the essential questions, identify an additional question you have about the course topics that will help in the research process.
- What is health?
- How do we determine the value and quality of life?
- Is it desirable for health to evolve?
- Should we strive to make people “better than normal?”
- Is healthcare a right or a commodity?
- Come up with another question here.
Please respond and give your rationale for each question in 2-3 sentences to complete your initial discussion post.
[supanova_question]
UCLA The Word Dark Ages Is only Used by The Western Civilization Discussion Humanities Assignment Help
1. After reading and watching the videos in this section, do you think that the early Medieval period deserves to be called “the dark ages”? Why or why not? If your view changed, can you tell why?
2. After you post your answers, reply to 2 other classmates.
- One should be someone whose answer you find familiarity with.
- The second reply should be to someone who responded with a very different understanding or interpretation of the question than yours.
- Don’t forget to circle back after the due date to see what others wrote and reply if you wish.
[supanova_question]
[supanova_question]
HSV 521 Post University Family Case Counseling Case Study Humanities Assignment Help
You will be required to integrate the following family systems models to the case study
assignments:
o Case Study 1: Integrate two of the following theories: Experiential,
Transgenerational, Milan Systemic, or Strategic.
This paper should be submitted in APA format. Each paper must be double spaced with size
12 Times New Roman font and 1 inch margins on all sides. You will need a title page, body
(using the Case Study Report template), and reference section all in APA style. Please use
complete sentences, appropriate grammar, spelling, and references. You will also be
required to use in-text references in your work in accordance with APA style to avoid
plagiarism. Information to help with your writing is provided under the APA resources section
of the course information tab. Papers not submitted on time will have 5 points deducted per
day late.
Case Study Session Notes: In Case Studies #1, you will be provided with Session
Notes taken from intake interviews with hypothetical families. These documents provide you with the information needed to complete the
assignment.
Case Study Report Template (Submit for Case Studies #1):
o Use this template to write-up your report. Your report should be no more than six
pages in length and no less than five pages. This requirement will be strictly
3
observed. In professional life, brevity is a virtue. Your goal should be to say a lot using
as few words as possible. Be comprehensive in scope but efficient in wording. If you
find yourself going over the six page limit, don’t worry. Continue with your thoughts.
However, once finished, go back and edit your report. Remove any parts of your report
that are not essential to understanding the family, its issues, your interpretation of their
case and your plans for treating them. Communicate only the essential. You must use
a minimum of three scholarly journal sources to support your work (many successful
Case Studies require more than three). Please be sure to avoid using Internet sources
such as Wikipedia or other web-based resources that do not have strong academic
backing. You will also be required to use in-text references in your work in accordance
with APA style to avoid plagiarism
o Please review the Case Study Report Template at this time. Below are the sections of
the report:
Assignment Information is for your instructor’s benefit, letting him or her know
who has written the report and so forth. The last item in this grouping is
important. It will tell your instructor the model or models you have selected to
integrate in this case. The models will drive your assessment of the family and
the treatment plan you develop. If you select, let’s say, a Transgenerational
model to apply, your instructor will expect to see an assessment and treatment
plan that is rich in the vocabulary, principles, approaches and techniques put
forward by that model. Your report must reflect a good grasp of the models you
are applying. The assessment should tell me what is really going on for the
family through the lens and language of your models. It should be rich in the
assessment language of the model, thereby showing me your mastery of the
model. Once you have assessed the family through the lens and language of
you models, you will then treat the family using the treatment
interventions/techniques of the models. Be sure to treat what you assess.
The Initial Information section is pretty self-explanatory. For the last two
items, briefly describe the reason the family has sought help as stated by the
family. What are they saying is the problem? No need for you to state whether
you agree with them or not at this point. Your opinions and hypotheses about
what is really going on within the family system are presented later on in the
assessment (case conceptualization) part of your report. Also, if the family has
sought help to address the problems, behaviors or issues of a specific member
of the family, state this up front by identifying this person in the “Identified
Patient” box.
Use the Summary of information provided section to summarize the facts of
the case (the facts, just the facts). Tell your reader what you KNOW about the
case (not what you THINK about it) as reported by the family and captured in
the session notes that are provided. The key word here is “Summary”.
Summarize the session notes, don’t just restate them. Organize the information
in a format that will be meaningful to your reader. Consider using sub-headings
such as “Family History”, “Description of Individual Family Members”, “Current
Level of Family Functioning” and so forth. How you summarize the factual
information of the case and how you present it in this section will be an important
part of your grade. Also, remember you have only 3-5 pages available so be
comprehensive but brief. Only the essential stuff.
The following section, Assessment of information provided, will be the heart
of your report. It is central to this assignment and should receive the greatest
attention (and length). Now that we, your readers, know the facts about the
case, as summarized in the previous section, how are we to make sense of it?
What is really going on with this family? What are the real issues at play above
and beyond the family’s presenting problem? What are the dynamics
underlying their problems and the interpersonal relationships between them?
This is where you, the expert, interpret the family data, offer your insights
regarding family systems and dynamics, and state your hypotheses about the
true nature of their problems. It is essential that you explain your insights
through the lens and language of your model(s). The goal of this section
and paper is for you to show mastery of theory in a clinical family case.
Therefore, your assessment should be rich in theoretical language, explaining
what is really going on for this family according to your selected model(s). Here
is where you offer your expert, professional opinion or, in other words, your
case conceptualization from the perspective of your model(s). You can discuss
individual family member functioning, family functioning as a whole, family
history as you see it relating to the problem, the quality of interpersonal
interactions, interactional sequences and relationships. It is also important to
identify and describe individual and family strengths and resources that can be
accessed and utilized during treatment (e.g., good insight and self-awareness,
a genuine caring for one another). Be sure to base you opinions on the
model(s) you are applying. This is a crucial point. Be sure to tie your
discussion back to the model you are using. You should be using the
language and theory of your model(s). As new counselors it is important
to understand the theoretical basis and to understand what you theory
you are applying. In a clinical summary written for a client (at work) you
would not be citing resources, however for the purposes of
demonstrating research, understanding and application of knowledge
you should be citing your work with outside resources in this paper.
Use the Ethical or Cultural Factors of Concern section to identify any issues
that you as the primary care provider should be mindful of. This section can be
brief, but feel encouraged to form multiple hypotheses, even if they might
eventually prove to be incorrect. In addition, be sure to tie these concerns into the
remaining two sections of the Case Study.
You will use the final section of this report, Initial Treatment Plan to propose
an initial treatment plan. This plan is based on the information gathered (your
summary), your case conceptualization (assessment) and the models you are
applying. Given what you know and think about the family, what are you going
to do (at least initially)? Remember, your treatment intervention must
reflect four strategies from the models you are applying. Also, keep in
mind that this is an initial plan subject to change over time. It should be
relatively modest in scope since you’re only now getting to know the family and
understand its issues. Your treatment plan should be firmly grounded in your
case conceptualization. In other words, don’t prescribe a treatment intervention
that has nothing to do with the issues you discussed in your assessment
5
section. The assessment should flow into the treatment plan. You treat what
you have assessed. Recommendations can reflect referrals to outside services
if (and only if) appropriate. They can also reflect the need for further
assessment and exploration if you feel additional information is needed to
effectively treat the family. If you do make a recommendation for additional
assessment and information gathering, be specific. What specific areas or
issues will you be exploring and why? Your initial treatment plan should include
• the goals to be pursued,
• the approaches to be taken,
• the techniques to be applied,
• Recommendations for “expanding the family system” if indicated
(e.g., does anyone else need to be invited to the therapy sessions?
Grandma, a favorite aunt, a trusted neighbor?).
• Recommendations for referrals if indicated (e.g.,psychiatric consult,
psychological testing, individual counseling).
In addition to your 5-6 page case study report, you are required to submit the following
documents:
Family Timeline Template: Instructions:
At the top of this template, fill in your name (i.e., “Student Name”) and information relevant to the
case you are working on (i.e., “Case Study #” and “Family Name”). Below this information,
create a timeline of important family events (e.g., divorce, birth of a child, death of a family
member, geographical relocation) based on information presented in the case study. A good
timeline will not include every event in the family’s history, only those events that are relevant to
understanding the dynamics of the family and its problems. Some events that seem important in
the family’s history (the marriage of the parents) may actually be less relevant to understanding
family dynamics than smaller, seemingly unimportant events (e.g., the targeted patient gets cut
from the varsity baseball team.) Therefore, think carefully before including an event on the
family timeline (e.g., “Does my reader really need to know this information about the father
getting laid off when the son was only two years old? Will this information give the reader a
better understanding of what the family has been struggling with in the past year?). Although
dates or time periods that events occurred is nice to know when available (e.g., December,
2001 or the spring of 2003), getting the sequence of events correctly is much more important to
understanding family history (e.g., knowing that family’s move to a new state preceded a decline
in the oldest child’s performance in school). Also, when available, include the age of family
members at the time of the event.
List family events in sequence on the Family Timeline Template beginning with ‘A’. The first
relevant event in the family’s history is identified and briefly explained on the line labeled A.
Continue identifying and describing events in sequence on lines B, C, D and so on. Use only
those lines needed to adequately cover relevant family history (no need to fill in all the lines,
only if necessary).
Structural Family Map: Instructions (Case Study #3): Using the boundary names (i.e., Clear,
Diffuse, Rigid, Detouring, and Conflict), describe the relationships between the Buchman family
members as depicted in the film (e.g., Between ‘A’ and ‘B’: Clear boundary as evidenced by
healthy interactions between the two family members and ……..) Address the boundaries as
6
well as their alignments, coalitions, and triangles.
Since this is an on-line assignment, you do not have to create a picture, but rather note the
relationships between all family members. For example, describe the relationship between
Kym and Abby; Kym and Paul; Kym and Rachel. (A-B; A-C; A-D). Then, do that for the other
relationships between the family members. (B-C; B-D); (C-D). If you want to include the stepparents in this, you may do that as well. Be sure to explain your rationale regarding your
boundary choice by giving an example or examples.
Between Kym and Abby
Between Kym and Paul
Between Kym and Rachel
Between Abby and Paul
Between Abby and Rachel
Between Paul and Rachel
Additional Helpful Hints
Spelling, grammar and the use of language count! Therefore, proof your paper before
submitting it. Poorly written papers will be graded down so take the steps
necessary to submit a well-written paper.
When writing your paper, keep it simple. Write in clear, concise sentences. Say a lot using the
fewest number of words. Don’t go on and on about something. Make your point and move on.
If your paper exceeds the six page maximum. Go back and edit your paper. Cut out
unnecessary words and information.
Use the language of the model that you are applying to the case. If your case conceptualization
and treatment plan contain only a few vocabulary words from the model, something is seriously
wrong. The goal of this paper is to show your mastery of theory in a clinical case. Being able
to integrate theory into practice is essential in this field. Go back and rewrite these sections
keeping the model in mind. Integrate theory with the case study. If you are applying Behavior
Therapy to the case, we are not interested in your opinions. We are interested in your opinions
as a behavior family therapist. Talk like a behaviorist would talk when discussing the case.
Do not simply discuss the model (“I would use role playing in treatment”). Be specific to this
particular family. Apply it to the family you are treating (“I would use role playing with John, the
oldest child, when working on his need to be more assertive with his dad.”).
When introducing the vocabulary and concepts of the model you are using, briefly define them
7
for your reader (e.g. “I would use role playing with John, the oldest child, when working on his
need to be more assertive with his dad. Role modeling is a technique where the family member
practices certain behaviors in the session and…….”). Assume your audience knows less about
what you are writing about than you do. Write to your audience, not to yourself.
Do not use slang expressions in your report (e.g., She often gets wasted on the weekend when
she drinks) unless you are quoting someone (e.g., When asked about her weekend drinking,
she replied that she often gets “wasted”). Remember this is a formal, professional report. The
use of slang is not acceptable.
Avoid first-person statements and the use of personal words such as “I” (e.g., I believe that
the family may be suffering from…..”). Instead, take a less personal approach even when
stating your own opinion (e.g., “Evidence indicates that the family likely suffers from…..”). If
you have to refer to yourself, it is good practice to refer to yourself as “this examiner” in clinical
writing.
State your hypotheses about the case, the family and its problems in tentative terms (e.g., “It
is likely….”, “She may be harboring guilt associated with…..”, “He tends to shut down when
confronted….”). Remember, your hypotheses reflect what you THINK, not what you KNOW.
They are not the facts. They represent your interpretation of the facts. The more confident you
are about your hypothesis, the more definitive your statement can sound (e.g., “He is likely”
vs. “He may”). The less confident you are with your hypothesis, the more tentative your
statements about the family should be (e.g., “There is a chance that she may respond with
hostility when confronted with…..”).
Do not state your opinions in the “Summary of information provided”, the factual part of your
paper. Instead, state your opinions or hypotheses in the “Assessment of information provided”
section. Always back up your opinion with fact. Support your hypotheses with facts or data
from the case study (e.g., “He is likely to depend too heavily on his children’s approval as
evidenced by…….”).
Do not discuss treatment issues or recommendations in your Assessment Report. Save these
recommendations for your Initial Treatment Plan.
When in doubt, keep your treatment plan simple. Do not let your treatment recommendations
make things more complicated for the family than they already are.
The points below will help you begin to organize and prepare for Case Study #1:
- Use the Case Study Report Template to write up your “Assessment Report and Initial Treatment Plan / Recommendations”. The template MUST be used for all three case study reports.
- The HSV 521 Case Study Guidelines for Case Study #1 describes the requirements for this assignment. Please read it carefully.
- The Marble Family: Case Study #1 Notes serves as the source of information needed to complete Case Study 1.
- Use the Case Study Family Timeline Template to develop a timeline of relevant events in the family’s history. Include only those events that are relevant to understanding the family’s clinical issues and in chronological order. The key with this part of the assignment is to only include the most significant events, be brief, leaving rest of the details for the case report.
HSV 521 Post University Family Case Counseling Case Study Humanities Assignment Help[supanova_question]
LCCC Japanese American Internment US History from 1865 to Present Discussion Humanities Assignment Help
“Japanese American Internment”
Explore the websites https://newspapers.wyo.gov/exhibits/heart-mountain (Links to an external site.), and Manzanar National Historic Site Collection (Links to an external site.) which address the experiences of Japanese Americans who faced internment at war relocation camps during World War II. The oral histories found on the Mazanar site are extensive. To view all of them, scroll down the page and click on “see all objects.” You can then chose from the large number of interviews available. The interviews are all approximately 4-5 minutes long. Then, address the following questions: How did the view that Japanese Americans were foreigners and of questionable loyalty impact their treatment? What were the major challenges they faced when moved to camps? How were their constitutional civil rights violated? During a time of war, is it justified to violate the rights of a specific group of Americans? Explain.
Then, look up a current issue on immigrants or immigration in America today. Post your article as a link so that your instructor and other students can read it and explain how the article pertains to the discussion. Based on the information you found answer the following questions. Do immigrants continue to face some level of discrimination or suspicion in America? Finally, how do you think the issue of immigration impacts your life? (You may think in broad terms – about the economy, politics, etc., or personal issues that you have encountered regarding immigration or even your family’s history.) The initial discussion should be 400 words minimum and provide examples, analysis, and historical connections. Cite your article in parenthetical citations within the discussion, example: (Author Name, 136).
[supanova_question]
UOP Complexities of Client Privacy Confidentiality & Privileged Communication Analysis Business Finance Assignment Help
As a case manager at the local Housing Authority office, you are responsible for helping low-income families gain access to safe, affordable, and when eligible, subsidized housing. Judy is a 30-year-old single mother of two who has been on welfare assistance for three years. For two years, Judy and her family drifted in and out of homelessness when her unstable housing arrangements fell apart. You have been working with Judy in finding her housing for 18 months. After Judy was on the waiting list for public housing for a full year, you were able to help her secure a two-bedroom apartment in a public housing unit designated for young families that is located in a safe neighborhood. Judy and her family have been in their new apartment for six months, and for the first time in their young lives, her children are experiencing what it means to have a stable home. This afternoon, you received a call from the local police informing you that Judy has been arrested for drug trafficking in her apartment. The Housing Authority’s policy forbids the use or selling of drugs in public housing units and requires that residents who violate this rule be evicted immediately.
1. As a case manager with the local Housing Authority, what empowering options can you create for your client, Judy?
2. Do you see any value conflicts between the agency’s drug policy and social work values? If so, what are they?
3. When you go to the jail to visit Judy, what will you say to her?
4. How would you feel about this case if Judy’s children were not involved?
Case Example Two (25 points)
You are a caseworker at a Family Service Center where you have worked for one month since receiving your degree. Richard is a 48-year-old construction worker whom you have been seeing weekly since your first week at the agency. Richard came to your agency seeking assistance after unexpectedly losing his job following a back injury that left him permanently limited in his abilities to lift or carry more than 20 pounds or to climb or do twisting motions. Richard is a devoted husband and father and is feeling that he has let his family down because he has not been able to provide for them financially in recent months. With your help, Richard has been able to enter an eight-week reemployment-training program where he is being trained as a tax preparer for a local firm. He has done well in his classes but has become depressed and frustrated in the past two weeks as his family’s financial situation has worsened. Today, you notice that Richard seems more agitated and restless. When you asked him what is on his mind, he explains that the previous night he had been out at the local tavern having a few beers and on the way home was stopped for speeding and was given a DUI when he failed to pass the breathalyzer test. The ordeal resulted in Richard being held in jail overnight, causing him to miss his tax preparer’s class the following morning. He is feeling unjustly persecuted by the police, and fears he will not be permitted to complete the class. As Richard is telling you of the events of the previous evening, he becomes enraged at the unfortunate hand that fate has dealt him and blurts out, ” I feel like walking into the police station and shooting these bastards!”
1. How will you handle the issues of confidentiality in your relationship with Richard?
2. How do you determine whether Richard is serious about his threat or just venting his anger?
3. What actions would you take?
4. How would you address this with Richard, given confidentiality and issues of trust?
5. What safety issues do you need to consider for yourself, for Richard, and the staff in your agency?
[supanova_question]
North Lake College Adjustment Grant Business Correspondence Critique Discussion Business Finance Assignment Help
In the template above, you will be given an example of a poorly written “Good News (Adjustment Grant)” message. Read the situation, analyze the ineffective message, and think about how it could be revised using the strategies you have learned in class and in your textbook.
Deliverable:
Using the template above, your task is to (1) make comments on, (2) critique, and (3) revise the message:
- Comment. Make comments on the example message (what was good and bad in the message?)
- How to Make Comments in Word with the Revision Tool:
- Select parts of the message (e.g. words, sentences) that you would like to make comments on.
- Click on the “Review” Tab in Word.
- Click the “New Comment” button.
- Write your comments – what is wrong with what you have highlighted and what can be improved?
- How to Make Comments in Word with the Revision Tool:
- Critique. Write a summary of your critique from the comments (organize into a discussion) and write an outline for revisions.
- Revise. Write a revision of the message.
- You can invent people’s names, addresses, details, etc. when necessary BUT do not change the core information provided in the original message.
General Guidelines: Use the Template!
If you do not use the template as instructed, I will deduct up to 10 points.
- Keep everything in the template as shown. The only things you should change in the template are:
- The text in each critique section
- The text in each revision section
- This assignment has a maximum limit of 2 pages (as shown in the template).
- Make sure you write in paragraphs and in full sentences.
- You are allowed to include bullet points when applicable.
- Your goal should be to make your message both efficient and effective – be kind to the reader.
- The purpose of this assignment is to show your understanding of the theories learned in class, so please make sure you include appropriate terminology.
[supanova_question]
Catholic University of America Spirituality and Religion Discussion Health Medical Assignment Help
Spirituality is the cornerstone of holistic nursing practice. Spirituality, however, is often perceived to be the same as religiosity, but it is not. It is essential nurses comprehend this distinction to bring about healing of the body, mind, and spirit of the whole person.
* How does spirituality differ from religion?
* What is your understanding of theology?
* What is the relationship between spirituality, religiosity, and the theology of caring?
* How do you think your beliefs will influence your nursing practice?
*What are the common similarities and differences in defining “spirituality” that you hear identified by other students?
Answer every question in bullet point format throughly. Use correct grammar and spelling. Do not use any outside sources other than the book provided.
Use the book attached below: O’Brien, M.E. (2018). Spirituality in Nursing: Standing on Holy Ground (6th ed.). Jones & Bartlett Learning.
Chapter 7: 128-145
Chapter 8: 151-171
[supanova_question]
https://anyessayhelp.com/
- Select parts of the message (e.g. words, sentences) that you would like to make comments on.
- Click on the “Review” Tab in Word.
- Click the “New Comment” button.
- Write your comments – what is wrong with what you have highlighted and what can be improved?
- You can invent people’s names, addresses, details, etc. when necessary BUT do not change the core information provided in the original message.
General Guidelines: Use the Template!
If you do not use the template as instructed, I will deduct up to 10 points.
- Keep everything in the template as shown. The only things you should change in the template are:
- The text in each critique section
- The text in each revision section
- This assignment has a maximum limit of 2 pages (as shown in the template).
- Make sure you write in paragraphs and in full sentences.
- You are allowed to include bullet points when applicable.
- Your goal should be to make your message both efficient and effective – be kind to the reader.
- The purpose of this assignment is to show your understanding of the theories learned in class, so please make sure you include appropriate terminology.