Lab 2: Developing Lexical Analysis Programs using Flex in Windows

Lab 2: Developing Lexical Analysis Programs using Flex in Windows

 

Student Name:                                                          Student Id:

 

 

Lab Instructions:
Please show your work to the instructor present in the lab before submitting.

Submission Due: End of laboratory class, submit the file on Moodle at least 10 minutes before the end of laboratory class.

Total Marks   = 10 marks

Marks will be given only to students who attend and participate during 2-hour laboratory class. Submission on Moodle is mandatory as an evidence of participation.

 

Learning Outcomes:

 

LO2 Design simple languages and protocols suitable for a variety of applications
LO3 Generate code for simple languages and protocols using suitable tools

 

 

 

 

Marking Criteria:

 

Task Details Submission Requirements Marks
 

Task 1

Explanation: Submit Descriptive explanation in the word file.

Output: Copy the output in the same world file

1
 

Task 2

Source Code: Copy the source code in the word file and submit the actual source file.

 

1.5
Program Output: Copy the output in the same world file 1
 

Task 3

Source Code: Copy the source code in the word file and submit the actual source file. 1.5
Program Output: Copy the output in the same world file 1
 

Task 4

Source Code: Copy the source code in the word file and submit the actual source file. 2
Program Output: Copy the output in the same world file 2

 

 

 

Objective:

This lab introduces you on how to develop C programs to perform Lexical Analysis using Flex in Windows.

Structure of LEX source program:

 

{definitions}

%%

{rules}

%%

{user subroutines/code section}

%% is a delimiter to the mark the beginning of the Rule section. The second %% is optional, but the first is required to mark the beginning of the rules. The definitions and the code

/subroutines are often omitted.

 

Lab Exercise:

You are provided with code files and explanation as following:

  • l

This program checks for the specific characters in the input string, and outputs/counts number of Uppercase and Lowercase characters.

Following are the specified rules within the program code file:

%%

[A-Z] {printf(“Uppercase\t”);Upper++;}

[a-z] {printf(“Lowercase\t”);Lower++;}

%%

[A-Z] {printf(“Uppercase\t”);Upper++;} rule checks for uppercase letters in the string, the [A-Z] regular expression does the task for us. Once the rule is matched, the provided C code inside {} curly braces executes, which prints “Uppercase” on the screen and increments the value of “Upper” variable by one using “Upper++” statement.

Similarly, [a-z] {printf(“Lowercase\t”);Lower++;} rule does the same for lowercase letters with an exception that this time the [a-z] regular expression is used to check for the lowercase letters within the string.

  • l

This program checks for the specific characters of the input string, and outputs/counts vowel and consonants within that string.

Following is the code snippet for the rules specified in this program:

%%

“a”|”e”|”i”|”o”|”u”|”A”|”E”|”I”|”O”|”U” {printf(“is a VOWEL”);vowel++;}

[a-zA-z] {printf(“Is a Consonant”);cons++;}

%%

Rule 1:

“a”|”e”|”i”|”o”|”u”|”A”|”E”|”I”|”O”|”U” {printf(“is a VOWEL”);vowel++;}

This rule checks for the vowels, whether uppercase or lowercase, in the provided string. “a”|”e”|”i”|”o”|”u”|”A”|”E”|”I”|”O”|”U” is the regular expression to do the matching. Subsequently, the C code within curly braces will print “is a VOWEL” on screen if the rule is matched, and increment the value of “vowel” variable by “vowel++” statement.

Rule 2:

[a-zA-z] {printf(“Is a Consonant”);cons++;}

This rule checks for the consonants. Anything inputted except the letters specified in Rule 1 would be treated as consonant. So, “Is a Consonant” would be printed on screen and “cons” variable’s value would be incremented by one using “cons++” statement.

 

 

  • l

This program checks for programmatic constructs (If, else, and assignment operator) appearing in your program and prints the corresponding construct on screen.

Following is the code snippet for the rules specified in this program:

%%

“if”|”IF”|”If”|”iF” {printf(“IF Appeared\t”);}

“else”|”ELSE”|”Else” {printf(“ELSE Appeared\t”);}

“for”|”FOR”|”For {printf(“FOR Appeared\t”);}

“=” {printf(“Equals Appeared\t”);}

%%

 

Rule 1:

“if”|”IF”|”If”|”iF” {printf(“IF Appeared\t”);}

This rule checks for the appearance of “IF” construct. Subsequently, the C code within curly braces will print “IF Appeared” on screen if the rule is matched.

Rule 2:

“else”|”ELSE”|”Else” {printf(“ELSE Appeared\t”);}

This rule checks for the appearance of “ELSE” construct. Subsequently, the C code within curly braces will print “ELSE Appeared” on screen if the rule is matched.

Rule 3:

“for”|”FOR”|”For {printf(“FOR Appeared\t”);}

This rule checks for the appearance of “FOR” construct. Subsequently, the C code within curly braces will print “FOR Appeared” on screen if the rule is matched.

Rule 4:

“=” {printf(“Equals Appeared\t”);}

This rule checks for the appearance of “=” operator. Subsequently, the C code within curly braces will print “Equals Appeared” on screen if the rule is matched.

Notes:

  • You can use Lab 1 manual to know how to execute the provided programs.
  • When you want to finish entering the input, please enter “ctrl + z” in windows console. The output would be shown afterwards. “ctrl + z” allows the program to return from the yylex() function and execute the rest of the C code.

 

Lab Tasks:

  • Execute the “token.l” program and explain the functionality of the program as explained in the manual above.

Answer:

 

 

 

 

 

 

 

 

 

 

Screenshots of Output:

 

 

 

 

  • Modify the “vowel.l” program, so that now it prints/counts the number of uppercase vowels, lowercase vowels, uppercase consonants, and lowercase consonants separately.

 

Source Code:

 

 

 

 

 

 

 

 

 

 

 

 

 

Output:

 

 

 

 

 

 

 

  • Modify the program “prog.l”, so that now it recognizes arithmetic operators in C programming language and prints the name of corresponding operator if recognized. You can use following operator table as a guide:

 

Source Code:

 

 

 

 

 

 

 

 

 

 

 

 

 

Output:

 

 

 

 

 

 

 

  • Write a program “identifyletter.l”, which identifies the letters in the input string from English letters (A-Z) and prints the corresponding letter.

 

Source Code:

 

 

 

 

 

 

 

 

 

 

 

 

 

Output:

 

 

 

 

 

 

 

 

 

Submission Instructions:

  • Submit your answers/code and screenshots of output in this word file by renaming it in the format “SC_SEN2110_Lab{#}_05_03_2020_Student ID” and uploading on Moodle in the appropriate submission link.
  • Please also submit source (.l) files of your code.

Note: Please conform to the naming convention of the file.

 

 

References:

 

[1] https://www.youtube.com/watch?v=AI-jwky_mqM&list=WL&t=0s&index=54

 

[2] http://www.cittumkur.org

 

 

END OF LABORATORY

 

1101NRS Assignment 3 Trimester 1, 2020 Written Assignment: Written Critique

 

Word Limit: 1,500 words

Weighting: 40%

Due Date: 13th May 2020 13:00am

 

AIM:

The purpose of this written assignment is to enable you to demonstrate understanding of issues involved in professional communication for nurses.

 

You are required to build on the topic focussed on in the Annotated Bibliography assignment and provide a wider critique of the issues involved in a relevant topic related to professional communication for nurses.

 

TASK DESCRIPTION:

 

For this assignment you must write a 1,500 word essay that focusses on professional communication for nurses.

 

You should provide a critique of the concepts you focused on in your Annotated bibliography, including discussing the strengths and limitations of the chosen concepts, and their application to nursing practice.

 

You should provide an introductory paragraph about the aims and structure of the critique followed by the main body of the discussion and finalising with a conclusion and recommendations paragraph identifying the implications for nursing practice.

 

 

TASK INSTRUCTIONS:

 

  1. Select a subject related to professional communication for nurses, search for relevant source material to use as support and produce a written discussion and critique of the concepts involved, highlighting the implications for nursing practice in context.

 

  • Ensure the presentation and structure of the critique has a logical flow of arguments and conforms to the word count (excluding your reference list).
  • Use academic language throughout and use the third person unless otherwise instructed.
  • Ensure that you use scholarly literature (digitised readings, research articles, relevant Government reports and text books) that have preferably been published within the last 5 years.
  • Your essay should be supported by no fewer than 10 different sources from scholarly literature, conform to APA 7th edition style and references are to be presented on a separate page.

 

 

Additional information:

  • Always refer to the Griffith Health Writing and Referencing Guide
  • Word limits for assessment items need to be strictly adhered to. The word limit for an assessment item includes in text citations, tables and quotations. The word limit DOES NOT include the reference list. Please note the marker will cease marking your submitted work once they have reached the allocated word limit.
  • Refer to the marking criteria when completing your assignment. This will assist you in calculating the weightings of the sections for this assignment.
  • Submit your assignment to the final submission point of the annotated bibliography assessment in Turnitin as per the instructions on your Learning@Griffith 1101NRS course site.

 

 

Marking Guidelines

CRITERIA POSSIBLE MARK
 

All components to the Essay are included:

 

o    An introduction to the topic (1)

o    A main body including discussion of main aspects related to the topic (1)

o    A range of appropriate references (min 10) used to support the discussion (1)

o    Conclusions/Recommendations for practice (1)

o    A separate page for reference list (1)

/5
Comprehension and evaluation
 

o      Accurate detailed discussion of key aspects related to the topic (5)

o      Evidence of understanding of the topic related to information drawn from the literature discussed. (5)

o      Some discussion of strengths highlighted from the literature (5)

o      Some discussion of limitations highlighted from the literature (5)

o      Evidence of application of the main conclusions to nursing practice (5)

/25
Presentation, Structure and Referencing
 

§  Essay is well presented, with correct spelling, grammar, sentence construction and paragraph structure (5)

 

/10
Comments
   
Total Marks

[weighted at 40%]

 Total

/40

 

 

CO130: Guide for Writing Rhetorical Response Papers

CO130: Guide for Writing Rhetorical Response Papers

  1. Brainstorming ideas (before you write!):
  2. Choose the text you want to analyze/evaluate:
  3. Make sure you fully understand the rhetorical situation:
    • What is the purpose?
    • Who is the audience?
  4. Consider the following question:
  • Do you believe that the author achieves his purpose with this audience? This will be your thesis statement.
  1. WHY? What are some textual features that are effective or ineffective? WHY are these features effective or ineffective?

 

 

  1. Read the sample essay from the RHetorical Response Class File. Use the example and these directions to write your paper.  The introduction should include:
  2. A “hook” to attract the reader.
  3. Information about
    1. Who wrote the article.
    2. What the article is called.
    3. Where the article was published.
  4. A brief summary of the article.
  5. An explanation of what the purpose of the article is.
  6. A description about who the audience
  7. A clear thesis statement which is a “map.”
    1. This thesis statement should say whether you think the essay is effective, ineffective, or both; and which textual features the essay analyzes.

 

Body paragraphs: (Please note – if you write about positive and negative points, put positive ones first!)

For each body paragraph complete the following steps:

  1. Choose one textual feature (e.g. organization, language, tone, evidence) and identify it in your topic sentence.
  2. Explain how it is used, providing examples from the text.
  3. Explain why it is effective or ineffective, considering the following questions:
  • How does this (the textual feature) make the readers feel?
  • What will this make the readers think about the author?
  • How does this help the writer achieve his/her purpose?

 Conclusion:

  • Summarize your ideas, showing your conclusion about the text without introducing new points.

 

  1. Topic Sentences for RHetorical Response Paragraphs:
  • X successfully appeals to his readers by ….
  • Another successful strategy that X employs is to …
  • In addition to …., I also believe that X’s ……. helps him to achieve his purpose with his audience.
  • Although X ….. , his failure to ….. undermines his credibility as a writer.
  • While X ….., he does not …. and this may cause his audience to question ….
  • In addition to …., X also fails to appeal to his audience by….

 

 

  1. Introducing Examples: 
  • One example where X ….. is when he describes….
  • For example,”…”
  • X asks the reader, “….”
  • X comments that “…”

 

  1. Explaining Examples:
  • Here X raises an important point because…
  • This is an effective strategy because…
  • In this example, X is explaining that … , but
  • This point could be effective if it were supported with statistics, but…
  • While this idea is an interesting one, the fact that ….. undermines his idea
  • This strategy is ineffective because…

 

  1. Connecting to the Reader:
  • This use of …. may cause readers to believe X’s ideas because…
  • This lack of … may result in the reader questioning X’s premise because…
  • When reading this, writers may feel that…

 

 

 

 

 

IRIS Module Functional Behavioral Assessment: Identifying the Reasons for Problem Behavior and Developing a Behavior Plan

IRIS Module

Functional Behavioral Assessment: Identifying the Reasons for Problem Behavior and Developing a Behavior Plan

Directions: Complete the online module by working through each of these sections. View the video clips, listen to the audio clips, and read the information contained on the web pages. Complete this sheet and submit as directed.

 

Website: IRIS FBA Module: https://iris.peabody.vanderbilt.edu/module/fba/

 

Assessment: Please answer the questions below. If you have difficulty answering them, go back and review the Perspectives & Resources pages in the Module.

  1. Give a school-based example of two of the following: positive reinforcement, negative reinforcement, punishment, or extinction.

 

  1. Discuss at least two benefits of conducting an FBA to address problem behaviors.

 

  1. Watch the video below and fill out the ABC analysis on Kira, the girl in the white shirt. What do you think the function of Kira’s behavior is?

 

  1. Nigel’s problem behavior includes cursing, making derogatory comments toward other students, yelling, spitting and shoving chairs. What type of measurement system would you use to collect data on Nigel’s problem behavior? Explain your answer.

 

  1. Look at the matrix below for Nigel. Use this information to determine a possible function of the behavior and to develop a hypothesis statement.
  2. Look at the graph below. The objective of the function-based intervention was to reduce the instances of Nigel’s problem behavior (i., cursing, making derogatory comments toward other students, yelling, spitting, shoving chairs) during a twenty-minute small-group activity. Is the intervention successful? If you were the teacher, would you keep, modify, or discontinue the intervention? Explain your answers.

 

  1. How would you go about evaluating an unsuccessful intervention? Include two specific factors that you would examine and explain why they are important.

 

Assessment Task 1: Assignment 1 Anticipated Logistics Challenge

Assessment Task 1: Assignment 1 Anticipated Logistics Challenge

 

* Note: Select units use CADMUS academic integrity software.

 

Requirement for the assignment

 

  • 8 Minute Maximum Oral Report followed by 5 Minutes of Q&A
  • Minimum of 10 quality references (can be from books, journal articles, newspapers, electronic websites but no wikipedia)

 

QuestionYou are exporting Western Australian top-tier wines to the European Union. How would you proceed with the full-export process including packaging and routes? The wine must arrive at the point-of-destination in apex-1 condition (the highest market value position).

 

Make sure you justify and explain what each document is for and its importance to the shipment.

 

What are the challenges to this shipment?

 

Describe the key challenges you would anticipate. How would you overcome these?

–          Explain the transportation step-by-step how you intend to do this.

–          Justify your decision for each of the steps you propose.

–          Outline the risks to the exporter.

–          Things the importer need to do

–          Route of the shipment

–          Paymentx

–          Insurance

–          Contract

–          Packaging (if there is any)

–          FCL/LCL? (if there is any)

–          Customs clearance (this includes government tax, tariffs and Terminal Handling Charges)

–          Documents required to pick up the shipment from the European Ports.

–          Export and Import documentation

 

 

 

 

 

PART A: FUNCTIONAL: Shows the level of care you have taken to ensure your report is readable. F P C D HD
The oral report is of a sound structure including an introduction and a conclusion. The introduction and conclusion clearly support the argument and evidence submitted by the student.          
The oral report takes the position of an impartial observer (i.e. do not write in the first person).          
The oral report is delivered in a formal, academic style (i.e. not ‘chattily, for example).          
The oral report displays a very high standard of analysis.          
 

PART B: CRITICAL AND ANALYTICAL: To obtain a Distinction or High Distinction mark you must excel in these areas.

         
Empirical detail is effectively used to support the overall argument          
The oral report critically evaluates controversies in the literature and the different interpretations of reality – a particularly good answer would draw on the work of the various commentators not necessarily referred to in the unit study material.          
The reader is left with a clear understanding of the critical thinking and thought processes of the deliverer of the oral report. Does the content entail original critical analysis at the level expected of an academic exercise?          
Does the oral report reflect an   report posses the analytical requirements to be accepted at a commercial level?          
The oral report critically evaluates controversies in the literature and the different interpretations of reality – a particularly good answer would draw on the work of the various commentators not necessarily referred to in the unit study material.  
The reader is left with a clear understanding of the critical thinking and thought processes of the deliverer of the oral report. Does the content entail original critical analysis at the level expected of an academic exercise?  
Does the oral report reflect an   report posses the analytical requirements to be accepted at a commercial level?  

 

Outstanding Media Group are expanding to a new building in another part of the UK. The building, although sound, does not have an adequate existing wired network infrastructure. This means, the wired network of the building needs to be rewired so that it can support new PCs for staff along with printers, a scanner, and new servers. As the staff are new they will also need to be trained.

This assignment is designed to test your understanding of the learning outcomes
associated with this module. This is done by defining four tasks that are related to a
single scenario.
The first task is designed to cover the first learning outcome (Demonstrate a
familiarity with tools, techniques and skills required in project management and
quality assurance).
The second task covers the second learning outcome (Assess and evaluate the
costs and benefits associated with formal quality assurance and project
management methods).
The third covers the third learning outcome (Apply the tools, techniques and skills of
project management to a given scenario).
Task four covers learning outcomes one and two.
Scenario
Outstanding Media Group are expanding to a new building in another part of the UK.
The building, although sound, does not have an adequate existing wired network
infrastructure. This means, the wired network of the building needs to be rewired so
that it can support new PCs for staff along with printers, a scanner, and new servers.
As the staff are new they will also need to be trained.
Task 1 (28%)
As this is a large project and the expansion is very important to the company they
wish to ensure that it has the greatest chance of success.
As you have been appointed the project manager the senior stakeholder has asked
you to identify five critical success factors (CSFs) that you consider essential for the
successful completion of the project. In order to do this you are expected to
demonstrate that you understand what is meant by CSFs and are aware of the CSFs
often identified with this sort of project. Using the work of authors on the subject as
inspiration you will then identify what you think are the five CSFs for this sort of
project, each with a justification for its inclusion in your list. The knowledge you have
picked up through the course should also help you decide what you believe are the
most important aspects of this type of project.
Write a formal report of no more than 1200 words.
Task 2 (25%)
Some of the stakeholders are concerned that the project will take too long to produce
what will be an over specified solution. They are concerned that budget for the
project seems high – there appears to be a lot of allowance in the budget for items
that seem to relate to managing and monitoring the project as opposed to those
directly related to the implementation of the project.
Write a short report that explains the benefits of ensuring the quality of the project
outcomes and what costs are associated with the processes to ensure the quality of
the outcome. In essence what you are being asked for is the benefits of quality
assurance and what overheads are associated with strong QA processes. The report
should be no more than 1000 words.
Task 3 (28%)
The remaining paragraphs of this task describe the activities identified for the
completion of the project. Create a Work Break Down Structure (WBS) and a Gantt
Chart for the project. The durations for activities are shown in parenthesis and are
given in weeks. Assume that the project will start on January 20th 2020. The critical
path must be clearly identified. Outline any other assumptions you have had to make
and any weaknesses, omissions or errors you think there are in the plan. You need
to identify the following dates and show them on your Gantt chart as milestones
The date the office can be advertised as open for business. (i.e. the project should
be completed and all staff trained.
The date the stakeholders can approve the design.
The date the stakeholders can confirm the opening date. This will be when the
hardware and software tests have been completed.
The project will have to come up with a network design. This will involve the analysis
of the network requirements (7) then a topology design (6). Once the topology has
been decided it is possible to specify the internetworking devices such as routers
and switches (2), determine the WAN requirements (2) and the firewall rules (1). The
next stage would be the implementation of the network design which can start once
the internetworking devices have been specified. This will involve tendering for the
internetworking devices (8) followed by their installation (3). Once they are installed
they can be configured (9) as can the firewalls (1). Whilst this is going on the
completion of designing the network topology allows the cabling to be ordered (3)
and installed (12).
End devices need to be acquired. These can be divided into PCs (this includes
desktop and laptop devices as well as some tablets) and printers/scanners. It will be
necessary to analyse the requirements of both classes; PCs (9) and
printers/scanners (1). It will then be necessary to develop the specifications (PCs – 2
weeks; printers/scanners – 1 week). The tendering process for PCs (7) is expected
to take a week longer than for the printers/scanners (6). When the PC tendering
process is complete they can be configured (2) followed by installation and testing of
applications (3). When these tests have finished they can be distributed around the
offices (3) On completion of the printer/scanner tendering process they can be
installed (1) and tested (1) though the testing will not be possible till the network tests
are complete.
The network infrastructure test (2) can be undertaken once the internetworking
devices and firewalls have been configured, the cable installed and applications
have been tested on the PCs.
In order for tenders to go out for the servers (7) it is necessary to undertake an
analysis of their requirements (4). On completion of the tendering process the
servers can be configured (3), then applications installed (3). When the apps have
been installed on the server and the PCs then the server applications can be tested
(2)
Once the application requirements have been analysed it is possible to start
preparing the training material (1) though recruiting the trainers (4) can be started
immediately. Once the trainers have been recruited and the material is ready then
trainers can be themselves trained (1). Also once the training material has been
completed the training schedule can be developed (1) though the training is
expected to be done over 4 weeks.
Produce a summary report of no more than 300 words, a Work Break Down
Structure & a Gantt Chart.
Task 4 (9%)
Whilst carrying out a site survey prior to the commencement of the project asbestos
is found in the walls. This is believed to double the time to take to install the cabling.
Identify three possible ways of dealing with this from the project management point
of view (so I do not want to know about how to deal with the asbestos).
Write a short report of no more than 500 words to indicate the affect the discovery
will have on the final deadline, the three possible approaches to this you have
identified to try to reduce the consequences and which one you would recommend.
Presentation (10%)
This presentation will be submitted through with your assignment so some thought
will have to go about how you are going to do the presentation. There can be only a
single word or pdf document. So you will need to think of an effective way of
including the Gantt chart and WBS in the document. (make sure they are readable
and good use of summaries may help)
It should go without saying that grammar, spelling and style must be good. I am
looking for something that looks professional. Harvard referencing must be properly
used throughout. If it is not then you will be considered for an assessment offence
and may fail the module as a consequence. Work that looks too similar to someone
else’s will also be considered for an assessment offence.
Note: Tables, Gannt Chart and Images are not included in the word count.

NURS-RN 432– Advance Practice Nurse Conversation

NURS-RN 432– Advance Practice Nurse Conversation(100 points)

INSTRUCTIONS

Due Week 3

 

For Assignment 1 you are to interview an Advanced Practice Nurse with a graduate degree.

 

Interviewee Data: (25 pts)

  • Position
  • Agency
  • Type of graduate degree
  • Institution the interviewee attended.
  • Date of graduation

 

Ask the following questions: (25 pts) Your responses must be written with depth and thoughtfulness (You will be evaluated on asking all of these questions). This section may be written in first person.

 

  • What are the advantages of a graduate degree?
  • Any suggestions about the application process?
  • Did you have a personal interview during your graduate application process?
  • If so, any thoughts or suggestions?
  • What words of wisdom do you have for someone who wants to pursue a graduate degree?
  • Reflecting back on your graduate experience, what would you have done differently?
  • In your opinion, what is the key to success in graduate school?
  • 1 or 2 of your own questions that you are interested in learning more about.

 

Summary: (25 pts)

  • Locate a research article that supports Advance Practice Nursing, lifelong learning, and/or graduate degrees and relate findings towards your interview. Review the IOM report posted in module.
  • Summarize your interview experience.
  • Discuss what you learned
  • Discuss your biggest take-away

 

 

Paper Format: (25 pts)

  • APA 6th Format (include title page, headings throughout, in-text citations, reference page, introduction and conclusion, Times New Roman Font 12, color black and double spaced).
  • Length- minimum of 2 pages and maximum of 4 pages (not including title and reference page).
  • A minimum of 1 scholarly references.

How can faulty thinking result in distressing emotions and problematic behavior? What are the possible explanations regarding how cognitive distortions come about? How does Beck explain this cognitive distortion process when he refers to core beliefs, intermediate beliefs, automatic thoughts, and the reactions resulting from these?

Answer 2 of the 3 questions completely (question 1 is required) as there are multiple parts, using the course materials (text, videos etc.). Your answers should be clear and concise, the paper no more than 3 pages in length. Please respond separately to each question, restating and noting which part of each question you are responding to as you go. Use citations to support your assertions (author and page number), pay attention to spelling and grammar.
Questions: Answer question 1 and then choose between question 2 and 3
1)
How can faulty thinking result in distressing emotions and problematic behavior? What are the possible explanations regarding how cognitive distortions come about?
How does Beck explain this cognitive distortion process when he refers to core beliefs, intermediate beliefs, automatic thoughts, and the reactions resulting from these?
What is the role then of cognitive interventions, and the tasks of the counselor with these irrational thoughts?
Identify and explain each of the 4 components of Albert Ellis’ A-B-C-D cognitive analysis in regard to irrational belief or thoughts. Where does “Cognitive Disputation” (challenging) the irrational thought fit into this process.
2)
Briefly describe the process in utilizing the cognitive interventions listed below. Choose one, and create a brief exchange (8-10 back and forth exchanges) with a client explaining how it might be applied to their situation.
Rational Emotive Imagery
Desibels Intervention
A Countering Intervention
Re-decision Work regarding Injunctions
3)
What is the purpose of Coping Thoughts, and what do they counter?
Explain each of the following, and provide your own practice example of each technique:
Thought Stopping
Positive Self-Talk
Anchoring
Reframing

Chapter 9

HOPKINS ARCHAEOLOGICAL SITE WRITING ASSIGNMENT

HOPKINS ARCHAEOLOGICAL SITE WRITING ASSIGNMENT

Assignment Directions:

  1. View the Hopkins Site Power Point. Pay attention to the artifact types, history and field methods.
  2. Answer the five questions, under sections A., Methods and techniques and B., Archaeological Interpretations, in the Hopkins Site Report. Type the answers into a word file. Each question response should be at least one paragraph in length (one and a half pages). Identify your paragraphs by the section and the number of the question.
  3. Complete the census record interpretation below. Use the census data to describe what their lives may have been like in Montgomery County at the time. (one full page).
  4. Select a ceramic artifact from the artifact photographs in the power point, for example transfer printer whiteware. Using the museum websites below, do some research. Provide a description of your artifact type, including how it was manufactured, where it was made, the time period it was produced, and what it was used for (one full page). Don’t forget to cite the web sources

 

 

Here are the museum sites for the ceramic artifact research:

 

http://virtual.parkland.edu/lstelle1/len/archguide/documents/arcguide.htm

http://www.flmnh.ufl.edu/histarch/gallery types/

https://www.floridamuseum.ufl.edu/typeceramics/browse/

 

 

 

 

HOPKINS SITE REPORT

  1. Methods and Techniques:
  2. What methods were used to date this site (i.e. to find out what time period it was occupied)?
  3. What tools, sampling techniques, and methods were used in digging this site?
  4. Archaeological Interpretations:
  5. What type of artifacts were found most frequently?
  6. What artifacts from the Hopkins Site would provide an archaeologist with the most information about the way the family lived?
  7. What do you believe is the historical significance of this site?

Census Record Interpretation

Not only do archaeologists excavate sites, they have to describe the lifeways of the site occupants. This process is called archaeological interpretation.  Review the Power Point and the census records below. What do the artifacts say about the farm and farm activities? Were the Hopkins wealthy or poor? Provide an interpretation of the site relating the census data to the artifacts recovered. Do the artifacts found at the site support the information found in the census records? (one page minimum).

1850 General Census, 2nd District, Montgomery County

James Hopkins (head) 40        Farmer            Value of real estate $1,500.00

Ellen Hopkins (wife)    41

Uriah                           19

Margaret                     16

Catherine                    12

Lemuel                        10

Richard                       3

Elvira                           3

Hanson T.                    infant

1880 Agricultural Census, Montgomery County

Hopkins Farm             100 acres tilled, 71 wooded

Value of farm $3,500.00

Value of implements $200.00

Value of livestock $644.00

Value of all farm products $803.00

Sold 300 pounds of butter in 1880

10 cows total, six milk cows

7 pigs

20 chickens

Lambs (not counted)

100 bushels of rye, 4 acres

10 acres of wheat

One-half acre of potatoes

Jazz music

One of the course objectives is “to recognize the great jazz innovators and their contributions to jazz music.” Your end-of-term written assignment (approximately 500-600 words, typewritten) is to reflect upon what you have learned about jazz—and about music—and to examine how that knowledge has helped you gain an appreciation for jazz music.

For this assignment you can discuss either a jazz style or a particular performer that *we have studied in the class. To examine this style or performer, you are to select a jazz recording that has not been featured in the online lessons, unit listening lists, discussion boards, or supplementary recordings.

*Note: You may also choose a performer or style that we have NOT studied in the class as long as your selected recording is also NOT from the class.

Pick a piece that you especially like, or that you find moving or memorable. As a header for your paper, be sure to cite the recording details: the group (or solo performer), the title of the piece, the composer, all performers and instruments, and the record publisher.

Consider the piece in light of what you have learned in your studies. Examine the work through careful, attentive listening, and analyze a portion of the piece to demonstrate aspects of the knowledge you have gained in your studies.

Has the knowledge you have gained enhanced your appreciation of jazz music? Has it changed your view of jazz? Do you hear music differently as a result? Elaborate.
You may use other sources, but be sure to document these sources and properly attribute quotations. Below are a couple of examples of documenting a source and properly attributing quotations. Keep in mind: the penalty will be at least a zero for the assignment if it is discovered that you used text from another source in your paper without proper documentation. This is plagiarism and an act of academic dishonesty.

*Parenthetic citation and documented source for website:

“Duke Ellington’s popular compositions set the bar for generations of brilliant jazz, pop, theatre and soundtrack composers to come.” (Duke Ellington.com) Ellington was famous for composing for specific members of his band…

Document the website at the end of your paper:

author (if available).“Duke Ellington Biography.” . 2008

*Parenthetic citation and documented source for book or text:
John Lewis and Milt Jackson are members of the Modern Jazz Quartet. “The MJQ plays in a restrained, conservative bop style that is sometimes referred to as cool jazz.” (Kernfeld, ed., New Grove, p.786) John Lewis was a gifted pianist…

Document the book or text at the end of your paper:
Kernfeld, Barry, ed., The New Grove Dictionary of Jazz. Macmillan Press Limited, 1994.