Using Amazon AWS (Mining Big data) - Programming
Hi I need some tutor who could help me in the assignments over the semester and here is my first assignment.Please take a look and let me know if any one can help.the course is all about mining big data using the Amazon AWS.I have attached the assignment as well
assignment1.doc
Unformatted Attachment Preview
Suggested reading: Mining of Massive Datasets: Chapter 1, Chapter 2 (sections 2.1, 2.1 only).
Hadoop: The Definitive Guide: Appendix A (available on D2L)
Supplemental document UsingAmazonAWS.doc.
Part 1
a) Compute (you can use any tool to compute answers in this part – but if you do not know
to perform this computation, please talk to me about prerequisites):
210
45
85
837 MOD 100 (MOD is the modulo operator, a.k.a. the remainder)
842 MOD 20
16 MOD 37
37 MOD 16
b) Given vectors V1 = (1, 2, 3) and V2 = (2, 1, 2) and a 3x3 matrix M = [(2, 1, 3), (1, 2, 2),
(1, 0, 2)], compute:
V2 – V1
V1 + V1
|V1| (vector length, not the number of dimensions)
|V2|
M * V2 (matrix times vector, transpose it as necessary)
M * M (or M2)
M3
c) Suppose we are flipping a coin with Head (H) and Tail (T) sides. The coin is not balanced
with 0.6 probability of H coming up (and 0.4 of T). Compute the probabilities of getting:
HTHT
THTT
Exactly 1 Head out of a sequence of 4 coin flips.
Exactly 1 Tail out of sequence of 4 coin flips.
d) Consider a database schema consisting of two tables, Employee (ID, Name, Address),
Project (PID, Name, Deadline), Assign(EID, PID, Date). Assign.EID is a foreign key
referencing employee’s ID and Assign.PID is a foreign key referencing the project.
Write SQL queries for:
i.
Find projects that are not assigned to any employees (PID and Name of the
project).
ii.
For each date, found how many assignments were made that day.
iii.
Find all projects that have fewer than 3 employees assigned to them (note that this
should include 2, 1 and 0 in order to be correct)
e) Mining of Massive Datasets, Exercise 1.3.3
Justify your answer.
f) Describe how you would implement a MapReduce job consisting of Map and Reduce
description. You do not have to write code or even pseudo-code. Just describe, in your
own words, what the Map and Reduce tasks are going to do. Map task reads the input
file and produces (key, value) pairs. Reduce task takes a list of (key, value) pairs for each
key and combines all values for each key.
Please remember that Map operates on individual blocks and Reduce on individual keys
with a set of values. Thus, for Mapper you need to state what your code does given a
block of data (i.e., for each block, not for the whole file) and for Reduce you need to state
what your reducer does for each key (without being able to see other keys).
For a data file that contains the following columns: (ID, First, Last, Grade)
i.
For each first name, find the GPA (grade point average) of each student, i.e.,
SELECT First, AVG(Grade) FROM Student GROUP BY First.
ii.
For each full student name, find the best grade, i.e.,
SELECT First, Last, MAX(Grade) FROM Student GROUP BY First, Last.
Part 2: Linux Intro
This part of the assignment will serve as an introduction to Linux. Make sure you go through the
steps below and submit screenshots where requested – submit the entire screenshot of a
command terminal.
Use at least a t2.small instance or Hadoop may not run properly with insufficient memory.
All Linux commands are in Berlin Sans FB. Do not type the “$” symbol. The “$” represents the
prompt “[ec2-user@ip-xxx-xx-xx-xxx ~] $ ” in your particular Linux instance.
0. Login to your Amazon EC2 Instance (NOTE: instructions on how to create a new instance
and log in to it are provided in a separate file, UsingAmazonAWS.doc)
Connect to your instance through Putty.
Your instance should look like as the following image:
1. Create a text file.
Instructions for 3 different text editors are provided below. You only need to choose one
editor that you prefer. nano is a more basic text editor, and is much easier to start. vim and
emacs are more advanced and rely on keyboard shortcuts quite a bit and thus have a steeper
learning curve.
• Tip: To paste into Linux terminal you can use right-click. To copy from the Linux terminal,
you only need to highlight the text that you want to copy with your mouse. Also please
remember that Linux is case-sensitive, which means Nano and nano are not equivalent.
Nano Instructions(Option 1):
$ nano myfile.txt
Type something into the file: “This is my text file for CSC555.”
Save changes: Ctrl-o and hit Enter.
Exit: Ctrl-x
Emacs Instructions(Option 2):
You will need to install emacs.
$ sudo yum install emacs
Type “y” when asked if this is OK to install.
$ emacs myfile.txt
Type something into the file: “This is my text file for CSC555.”
Save changes: Ctrl-x, Ctrl-s
Exit: Ctrl-x Ctrl-z
Vim Instructions(Option 3):
• NOTE: When vim opens, you are in command mode. Any key you enter will be bound to a
command instead of inserted into the file. To enter insert mode press the key “i”. To save a
file or exit you will need to hit Esc to get back into command mode.
$ vim myfile.txt
Type “i” to enter insert mode
Type something into the file: “This is my text file for CSC555.”
Save changes: hit Esc to enter command mode then type “:w”
Exit: (still in command mode) type “:x”
Confirm your file has been saved by listing the files in the working directory.
$ ls
You should see your file.
Display the contents of the file on the screen.
$ cat myfile.txt
Your file contents should be printed to the terminal.
• Tip: Linux will fill in partially typed commands if you hit Tab.
$cat myfi
Hit Tab and “myfi” should be completed to “myfile.txt”. If there are multiple completion
options, hit Tab twice and a list of all possible completions will be printed. This also
applies to commands themselves, i.e. you can type in ca and see all possible commands
that begin with ca.
2. Copy your file.
Make a copy.
$ cp myfile.txt mycopy.txt
Confirm this file has been created by listing the files in the working directory.
Edit this file so it contains different text than the original file using the text editor instructions,
and confirm your changes by displaying the contents of the file on the screen.
SUBMIT: Take a screen shot of the contents of your copied file displayed on the terminal
screen.
3. Delete a file
Make a copy to delete.
$ cp myfile.txt filetodelete.txt
$ ls
Remove the file.
$ rm filetodelete.txt
$ ls
4. Create a directory to put your files.
Make a directory.
$mkdir CSC555
Change the current directory to your new directory.
$cd CSC555
Print your current working directory
$pwd
5. Move your files to your new directory.
Return to your home directory.
$cd
OR
$cd ..
OR
$ cd /home/ec2-user/
• NOTE: cd will always take you to your home directory. cd .. will move you up one directory
level (to the parent). Your home directory is “/home/[user name]”, /home/ec2-user in our case
Move your files to your new directory.
$ mv myfile.txt CSC555/
$ mv mycopy.txt CSC555/
Change the current directory to CSC555 and list the files in this directory.
SUBMIT: Take a screen shot of the files listed in the CSC555 directory.
6. Zip and Unzip your files.
Zip the files.
$ zip myzipfile mycopy.txt myfile.txt
OR
$ zip myzipfile *
• NOTE: * is the wildcard symbol that matches everything in current directory. If there should
be any additional files in the current directory, they will also be placed into the zip archive.
Wildcard can also be used to match files selectively. For example zip myzipfile my* will zipup all files beginning with “my” in the current directory.
Move your zip file to your home directory.
$ mv myzipfile.zip /home/ec2-user/
Return to your home directory.
Extract the files.
$ unzip myzipfile.zip
SUBMIT: Take a screen shot of the screen after this command.
7. Remove your CSC555 directory.
• Warning: Executing “rm -rf” has the potential to delete ALL files in a given directory,
including sub-directories (“r” stands for recursive). You should use this command very
carefully.
Delete your CSC555 directory.
$ rm -rf CSC555/
8. Download a file from the web.
Download the script for Monty Python and the Holy Grail.
$ wget http://www.textfiles.com/media/SCRIPTS/grail
The file should be saved as “grail” by default.
9. ls formats
List all contents of the current directory in long list format.
• Note: the option following “ls” is the character “l”; not “one”.
$ ls -l
The 1st column gives information regarding file permissions (which we will discuss in more
detail later). For now, note that the first character of the 10 total will be “-“ for normal files
and “d” for directories. The 2nd Column is the number of links to the file. The 3rd and 4th
columns are the owner and the group of the file. The 5th column displays the size of the file in
bytes. The 6th column is the date and time the file was last modified. The 7th column is the file
or directory name.
List all contents of the current directory in long list and human readable formats. “-h” will put
large files in more readable units than bytes.
$ ls -lh
SUBMIT: The size of the grail file.
10. More on viewing files.
If you issue “cat grail”, the contents of grail will be printed. However, this file is too large to
fit on the screen.
Show the grail file one page at a time.
$ more grail
Hit the spacebar to go to the next page. Type “b” to go page up, hit “space” key to go page
down. Type “q” to quit.
OR
$ less grail
Less has more options than more (“less is more and more is less”). You can now use the
keyboard Arrows and Page Up/Down to scroll. You can type “h” for help, which will display
additional options.
View the line numbers in the grail file. The cat command has the -n option, which prints line
numbers, but you may also want to use more to view the file one page at a time. A solution is
to pipe the output from cat to more. A pipe redirects the output from one program to another
program for further processing, and it is represented with “|”.
$ cat -n grail | more
Redirect the standard output (stdout) of a command.
$ cat myfile.txt > redirect1.txt
$ ls -lh > redirect2.txt
Append the stdout to a file.
$ cat mycopy.txt >> myfile.txt
mycopy.txt will be appended to myfile.txt.
• Note: “cat mycopy.txt > myfile.txt” will overwrite myfile.txt with the contents output by
“cat mycopy.txt”. Thus using >> is crucial if you want to preserve the existing file contents.
11. Change access permissions to objects with the change mode command.
The following represent roles:
u – user, g – group, o – others, a - all
The following represent permissions:
r – read, w – write, x – execute
Remove the read permission for your user on a file.
$ chmod u-r myfile.txt
Try to read this file. You should receive a “permission denied” message because you are the
user who owns the file.
SUBMIT: The screenshot of the permission denied error
Give your user read permission on a file. Use the same file you removed the read permission
from.
$ chmod u+r myfile.txt
You should now be able to read this file again.
12. Python examples
Install Python if it is not available on your machine.
$ sudo yum install python
Create a Python file. These instructions will use Emacs as a text editor, but you can still chose
the text editor you want.
$ emacs lucky.py
(Write a simple Python program)
print **22
print My Lucky Numbers.rjust(20)
print **22
for i in range(10):
lucky_nbr = (i + 1)*2
print My lucky number is \%s! \% lucky_nbr
Run your Python program.
$ python lucky.py
Redirect your output to a file
$ python lucky.py > lucky.txt
Pipe the stdout from lucky.py to another Python program that will replace “is” with “was”.
$ emacs was.py
import sys
for line in sys.stdin:
print line.replace(is, was)
$ python lucky.py | python was.py
Write python code to read a text file (you can use myfile.txt) and output word count for each
word with the number of times that word occurs in the entire file.
SUBMIT: The screen output from running your python code and a copy of your python code.
Homework submissions without code will receive no credit.
Part 3: Lab
For this part of the assignment, you will run wordcount on a single-node Hadoop instance. I am
going to provide detailed instructions to help you get Hadoop running. The instructions are
following Hadoop: The Definitive Guide instructions presented in Appendix A: Installing
Apache Hadoop.
You can download 2.6.4 from here. You can copy-paste these commands (right-click in PuTTy
to paste, but please watch out for error messages and run commands one by one)
Install ant to list java processes
sudo yum install ant
(wget command stands for “web get” and lets you download files to your instance from a
URL link)
wget http://rasinsrv07.cstcis.cti.depaul.edu/CSC555/hadoop-2.6.4.tar.gz
(unpack the archive)
tar xzf hadoop-2.6.4.tar.gz
Modify the conf/hadoop-env.sh to add to it the JAVA_HOME configuration
You can open it by running (using nano or your favorite editor instead of nano).
nano hadoop-2.6.4/etc/hadoop/hadoop-env.sh
Note that the # comments out the line, so you would comment out the original
JAVA_HOME line replacing it by the new one as below.
NOTE: you would need to determine the correct Java configuration line by executing the
following (underlined) command
[ec2-user@ip-172-31-16-63 ~]$ readlink -f $(which java)
which will output:
/usr/lib/jvm/java-1.8.0-openjdk-1.8.0.191.b12-0.amzn2.x86_64/jre/bin/java
In my case, Java home is at (remove the bin/java from the output above):
/usr/lib/jvm/java-1.8.0-openjdk-1.8.0.191.b12-0.amzn2.x86_64/jre/
modify the .bashrc file to add these two lines:
export HADOOP_HOME=~/hadoop-2.6.4
export PATH=$PATH:$HADOOP_HOME/bin:$HADOOP_HOME/sbin
.bashrc file contains environment settings to be configured automatically on each login.
You can open the .bashrc file by running
nano ~/.bashrc
To immediately refresh the settings (that will be automatic on next login), run
source ~/.bashrc
Next, follow the instructions for Pseudodistributed Mode for all 4 files.
(to edit the first config file)
nano hadoop-2.6.4/etc/hadoop/core-site.xml
Make sure you paste the settings between the and tags,
like in the screenshot below. NOTE: The screenshot below is only one of the 4 files, all
files are different. The contents of each file are described in the Appendix A in the
Hadoop book, the relevant appendix is also included with the homework assignment. I
am also including a .txt file (HadoopConfigurationText) so that it is easier to copy-paste.
nano hadoop-2.6.4/etc/hadoop/hdfs-site.xml
(mapred-site.xml file is not there, run the following single line command to create it by
copying from template. Then you can edit it as other files.)
cp hadoop-2.6.4/etc/hadoop/mapred-site.xml.template hadoop2.6.4/etc/hadoop/mapred-site.xml
nano hadoop-2.6.4/etc/hadoop/mapred-site.xml
nano hadoop-2.6.4/etc/hadoop/yarn-site.xml
To enable passwordless ssh access (we will discuss SSH and public/private keys in class),
run these commands:
ssh-keygen -t rsa -P -f ~/.ssh/id_rsa
cat ~/.ssh/id_rsa.pub >> ~/.ssh/authorized_keys
test by running (and confirming yes to a one-time warning)
ssh localhost
exit
Format HDFS (i.e., first time initialize)
hdfs namenode -format
Start HDFS, Hadoop and history server (answer a 1-time yes if you asked about host
authenticity)
start-dfs.sh
start-yarn.sh
mr-jobhistory-daemon.sh start historyserver
Verify if everything is running:
jps
(NameNode and DataNode are responsible for HDFS management; NodeManager and
ResourceManager are serving the function similar to JobTracker and TaskTracker. We
will discuss function of all of those on Thursday.)
Create a destination directory
hadoop fs -mkdir /data
Download a large text file using
wget http://rasinsrv07.cstcis.cti.depaul.edu/CSC555/bioproject.xml
Copy the file to HDFS for processing
hadoop fs -put bioproject.xml /data/
(you can optimally verify that the file was uploaded to HDFS by hadoop fs -ls /data)
Submit a screenshot of this command
Run word count on the downloaded text file, using the time command to determine the
total runtime of the MapReduce job. You can use the following (single-line!) command.
This invokes the wordcount example built into the example jar file, supplying
/data/bioproject.xml as the input and /data/wordcount1 as the output directory. Please
remember this is one command, if you do not paste it as a single line, it will not work.
time hadoop jar hadoop-2.6.4/share/hadoop/mapreduce/hadoop-mapreduceexamples-2.6.4.jar wordcount /data/bioproject.xml /data/wordcount1
Report the time that the job took to execute as screenshot
(this reports the size of a particular file or directory in HDFS. The output file will be
named part-r-00000)
hadoop fs -du /data/wordcount1/
(Just like in Linux, the cat HDFS command will dump the output of the entire file and
grep command will filter the output to all lines that matches this particular word). To
determine the count of occurrences of “arctic”, run the following command:
hadoop fs -cat /data/wordcount1/part-r-00000 | grep arctic
It outputs the entire content of part-r-00000 file and then uses pipe | operator to filter it
through grep (filter) command. If you remove the pipe and grep, you will get the entire
word count content dumped to screen, similar to cat command.
Congratulations, you just finished running wordcount using Hadoop.
Submit a single document containing your written answers. Be sure that this document
contains your name and “CSC 555 Assignment 1” at the top.
...
Purchase answer to see full
attachment
CATEGORIES
Economics
Nursing
Applied Sciences
Psychology
Science
Management
Computer Science
Human Resource Management
Accounting
Information Systems
English
Anatomy
Operations Management
Sociology
Literature
Education
Business & Finance
Marketing
Engineering
Statistics
Biology
Political Science
Reading
History
Financial markets
Philosophy
Mathematics
Law
Criminal
Architecture and Design
Government
Social Science
World history
Chemistry
Humanities
Business Finance
Writing
Programming
Telecommunications Engineering
Geography
Physics
Spanish
ach
e. Embedded Entrepreneurship
f. Three Social Entrepreneurship Models
g. Social-Founder Identity
h. Micros-enterprise Development
Outcomes
Subset 2. Indigenous Entrepreneurship Approaches (Outside of Canada)
a. Indigenous Australian Entrepreneurs Exami
Calculus
(people influence of
others) processes that you perceived occurs in this specific Institution Select one of the forms of stratification highlighted (focus on inter the intersectionalities
of these three) to reflect and analyze the potential ways these (
American history
Pharmacology
Ancient history
. Also
Numerical analysis
Environmental science
Electrical Engineering
Precalculus
Physiology
Civil Engineering
Electronic Engineering
ness Horizons
Algebra
Geology
Physical chemistry
nt
When considering both O
lassrooms
Civil
Probability
ions
Identify a specific consumer product that you or your family have used for quite some time. This might be a branded smartphone (if you have used several versions over the years)
or the court to consider in its deliberations. Locard’s exchange principle argues that during the commission of a crime
Chemical Engineering
Ecology
aragraphs (meaning 25 sentences or more). Your assignment may be more than 5 paragraphs but not less.
INSTRUCTIONS:
To access the FNU Online Library for journals and articles you can go the FNU library link here:
https://www.fnu.edu/library/
In order to
n that draws upon the theoretical reading to explain and contextualize the design choices. Be sure to directly quote or paraphrase the reading
ce to the vaccine. Your campaign must educate and inform the audience on the benefits but also create for safe and open dialogue. A key metric of your campaign will be the direct increase in numbers.
Key outcomes: The approach that you take must be clear
Mechanical Engineering
Organic chemistry
Geometry
nment
Topic
You will need to pick one topic for your project (5 pts)
Literature search
You will need to perform a literature search for your topic
Geophysics
you been involved with a company doing a redesign of business processes
Communication on Customer Relations. Discuss how two-way communication on social media channels impacts businesses both positively and negatively. Provide any personal examples from your experience
od pressure and hypertension via a community-wide intervention that targets the problem across the lifespan (i.e. includes all ages).
Develop a community-wide intervention to reduce elevated blood pressure and hypertension in the State of Alabama that in
in body of the report
Conclusions
References (8 References Minimum)
*** Words count = 2000 words.
*** In-Text Citations and References using Harvard style.
*** In Task section I’ve chose (Economic issues in overseas contracting)"
Electromagnetism
w or quality improvement; it was just all part of good nursing care. The goal for quality improvement is to monitor patient outcomes using statistics for comparison to standards of care for different diseases
e a 1 to 2 slide Microsoft PowerPoint presentation on the different models of case management. Include speaker notes... .....Describe three different models of case management.
visual representations of information. They can include numbers
SSAY
ame workbook for all 3 milestones. You do not need to download a new copy for Milestones 2 or 3. When you submit Milestone 3
pages):
Provide a description of an existing intervention in Canada
making the appropriate buying decisions in an ethical and professional manner.
Topic: Purchasing and Technology
You read about blockchain ledger technology. Now do some additional research out on the Internet and share your URL with the rest of the class
be aware of which features their competitors are opting to include so the product development teams can design similar or enhanced features to attract more of the market. The more unique
low (The Top Health Industry Trends to Watch in 2015) to assist you with this discussion.
https://youtu.be/fRym_jyuBc0
Next year the $2.8 trillion U.S. healthcare industry will finally begin to look and feel more like the rest of the business wo
evidence-based primary care curriculum. Throughout your nurse practitioner program
Vignette
Understanding Gender Fluidity
Providing Inclusive Quality Care
Affirming Clinical Encounters
Conclusion
References
Nurse Practitioner Knowledge
Mechanics
and word limit is unit as a guide only.
The assessment may be re-attempted on two further occasions (maximum three attempts in total). All assessments must be resubmitted 3 days within receiving your unsatisfactory grade. You must clearly indicate “Re-su
Trigonometry
Article writing
Other
5. June 29
After the components sending to the manufacturing house
1. In 1972 the Furman v. Georgia case resulted in a decision that would put action into motion. Furman was originally sentenced to death because of a murder he committed in Georgia but the court debated whether or not this was a violation of his 8th amend
One of the first conflicts that would need to be investigated would be whether the human service professional followed the responsibility to client ethical standard. While developing a relationship with client it is important to clarify that if danger or
Ethical behavior is a critical topic in the workplace because the impact of it can make or break a business
No matter which type of health care organization
With a direct sale
During the pandemic
Computers are being used to monitor the spread of outbreaks in different areas of the world and with this record
3. Furman v. Georgia is a U.S Supreme Court case that resolves around the Eighth Amendments ban on cruel and unsual punishment in death penalty cases. The Furman v. Georgia case was based on Furman being convicted of murder in Georgia. Furman was caught i
One major ethical conflict that may arise in my investigation is the Responsibility to Client in both Standard 3 and Standard 4 of the Ethical Standards for Human Service Professionals (2015). Making sure we do not disclose information without consent ev
4. Identify two examples of real world problems that you have observed in your personal
Summary & Evaluation: Reference & 188. Academic Search Ultimate
Ethics
We can mention at least one example of how the violation of ethical standards can be prevented. Many organizations promote ethical self-regulation by creating moral codes to help direct their business activities
*DDB is used for the first three years
For example
The inbound logistics for William Instrument refer to purchase components from various electronic firms. During the purchase process William need to consider the quality and price of the components. In this case
4. A U.S. Supreme Court case known as Furman v. Georgia (1972) is a landmark case that involved Eighth Amendment’s ban of unusual and cruel punishment in death penalty cases (Furman v. Georgia (1972)
With covid coming into place
In my opinion
with
Not necessarily all home buyers are the same! When you choose to work with we buy ugly houses Baltimore & nationwide USA
The ability to view ourselves from an unbiased perspective allows us to critically assess our personal strengths and weaknesses. This is an important step in the process of finding the right resources for our personal learning style. Ego and pride can be
· By Day 1 of this week
While you must form your answers to the questions below from our assigned reading material
CliftonLarsonAllen LLP (2013)
5 The family dynamic is awkward at first since the most outgoing and straight forward person in the family in Linda
Urien
The most important benefit of my statistical analysis would be the accuracy with which I interpret the data. The greatest obstacle
From a similar but larger point of view
4 In order to get the entire family to come back for another session I would suggest coming in on a day the restaurant is not open
When seeking to identify a patient’s health condition
After viewing the you tube videos on prayer
Your paper must be at least two pages in length (not counting the title and reference pages)
The word assimilate is negative to me. I believe everyone should learn about a country that they are going to live in. It doesnt mean that they have to believe that everything in America is better than where they came from. It means that they care enough
Data collection
Single Subject Chris is a social worker in a geriatric case management program located in a midsize Northeastern town. She has an MSW and is part of a team of case managers that likes to continuously improve on its practice. The team is currently using an
I would start off with Linda on repeating her options for the child and going over what she is feeling with each option. I would want to find out what she is afraid of. I would avoid asking her any “why” questions because I want her to be in the here an
Summarize the advantages and disadvantages of using an Internet site as means of collecting data for psychological research (Comp 2.1) 25.0\% Summarization of the advantages and disadvantages of using an Internet site as means of collecting data for psych
Identify the type of research used in a chosen study
Compose a 1
Optics
effect relationship becomes more difficult—as the researcher cannot enact total control of another person even in an experimental environment. Social workers serve clients in highly complex real-world environments. Clients often implement recommended inte
I think knowing more about you will allow you to be able to choose the right resources
Be 4 pages in length
soft MB-920 dumps review and documentation and high-quality listing pdf MB-920 braindumps also recommended and approved by Microsoft experts. The practical test
g
One thing you will need to do in college is learn how to find and use references. References support your ideas. College-level work must be supported by research. You are expected to do that for this paper. You will research
Elaborate on any potential confounds or ethical concerns while participating in the psychological study 20.0\% Elaboration on any potential confounds or ethical concerns while participating in the psychological study is missing. Elaboration on any potenti
3 The first thing I would do in the family’s first session is develop a genogram of the family to get an idea of all the individuals who play a major role in Linda’s life. After establishing where each member is in relation to the family
A Health in All Policies approach
Note: The requirements outlined below correspond to the grading criteria in the scoring guide. At a minimum
Chen
Read Connecting Communities and Complexity: A Case Study in Creating the Conditions for Transformational Change
Read Reflections on Cultural Humility
Read A Basic Guide to ABCD Community Organizing
Use the bolded black section and sub-section titles below to organize your paper. For each section
Losinski forwarded the article on a priority basis to Mary Scott
Losinksi wanted details on use of the ED at CGH. He asked the administrative resident