[Solved] Income Inequality Affects Crime

[Solved] Income Inequality Affects Crime

Please write an APA paper covering the topic of how  income inequality affects crime rates. 

Remember each paper must follow the guidelines for an APA research paper. Your paper must be between 4-6 pages (your title page, abstract, and reference page each count as a page; therefore, your written content is only (2-3 pages) and MUST contain the following.

1) Title page (with a running head and proper page numbers)

2) Abstract (this goes on a separate page)

3) Body (includes your Introduction and Conclusion, plus the findings from your research. This is where your main content is written)

4) Reference Page (you must have a minimum of two scholarly journal articles that are peer-reviewed, and written within the last 10 years) 

5) In-text Citations (these are found throughout the entire paper giving credit to the authors who supplied you with the information)

[Solved] Best Treatment

[Solved] Best Treatment

Write about your experiences during the week.  What populations have you worked with in your agency.  How did they determine the best treatment and support for these populations?  What did they do if they could not meet their needs? (250 words)

[Solved] Student “ Client ”

[Solved] Student “ Client ”

Each student will be responsible for completing a case study with a partner. Each student will take turns being the “client” and the “counselor.” The student “counselor” will present their case study on the student “client.” Please make sure as the student “counselor” to complete an intake form for your “client”. Also, be sure to add appropriate details such as psycho-social stressors, family size, income, and educational level. The student “counselor” will then perform an intake interview with the “client”,  completing documents provided. The student “counselor” will diagnose their “client” and then write an evaluation, which includes a genogram, 2-3 page integrated summary, treatment goals, and referral recommendations. This instructor will provide in class details and a sample template for the students to follow. Students will be graded on the timeliness and completeness of the case study

*Students are to come up or choose a FICTIONAL CHARACTER as the client

the paper should be about Tigger (from the Winnie the Pooh) and should be talking about diagnosing him with ADHD. please make it fun use DSM 5 and don’t include anything about suicide or anything morbid of the such. 

[Solved] Referenced Using Apa Guidelines

[Solved] Referenced Using Apa Guidelines

Professional Role and Development Course

Instruction- Envision a new nurse educator who has discovered one of his or her students plagiarized a final paper for a course.

Discuss the ethical principles involved with this situation.

Identify sources of information the nurse educator should consider in taking action in response to academic dishonesty.

Discuss possible consequences (actions) for the student and why one course of action would be better than another.

This final paper should be 7-10 pages in length, cited and referenced using APA guidelines, and be written in third person. This assignment will be evaluated using the written assignment rubric.

[Solved] Epa Internal Revenue

[Solved] Epa Internal Revenue

W2 Assignment “Business Regulations”Business and SocietyBusiness Regulations

  • Identify one agency, bureau or department within the federal government responsible for upholding regulations that impact business operations. A few examples are the Environmental Protection Agency (EPA), Internal Revenue Service (IRS), Bureau of Alcohol, Tobacco, Firearms and Explosives (ATF) or Department of Commerce. Research and explain the purpose of the agency, bureau and how it directly impacts business.

The requirements below must be met for your paper to be accepted and graded:

  • Write between 750 – 1,250 words (approximately 3 – 5 pages) using Microsoft Word in APA style, see example below.
  • Use font size 12 and 1” margins.
  • Include cover page and reference page.
  • At least 80% of your paper must be original content/writing.
  • No more than 20% of your content/information may come from references.
  • Use at least three references from outside the course material, one reference must be from EBSCOhost. Text book, lectures, and other materials in the course may be used, but are not counted toward the three reference requirement.
  • Cite all reference material (data, dates, graphs, quotes, paraphrased words, values, etc.) in the paper and list on a reference page in APA style.

References must come from sources such as, scholarly journals found in EBSCOhost, CNN, online newspapers such as, The Wall Street Journal, government websites, etc. Sources such as, Wikis, Yahoo Answers, eHow, blogs, etc. are not acceptable for academic writing.  

[Solved] Suppresswarnings Serial

[Solved] Suppresswarnings Serial

Introduction:  

In this project, you will be creating a basic video game using the knowledge of Graphical User Interfaces (GUI) and Object-Oriented programming you have learned so far. You will be given starter code to assist in collision detection as well as a basic framework for the video game. Your goal is to design and fill out the remaining pieces to make the game functional. Furthermore, there will be extra credit assigned based on creativity. That is, if you put in the additional time and effort to create a unique game, you can earn an additional 30 points of extra credit. This will give you an opportunity to improve your projects category grade if you wish to do it. The uniqueness can come from special rules, graphics, etc.  

Video Game:  

Develop a GUI to contain the video game painting and allow the user to play the game. A minimal version of this is displayed below. There are two types of enemies, SmallEnemy and BigEnemy, as well as a Missile to hit the enemies. A JLabel keeps track of the score at the top left of the JFrame. Next, a JButton at the bottom of the JFrame allows us to shoot a Missile. Finally, a Turret is painted at the bottom center of the JFrame to act as the vessel to shoot a Missile.  

More details are in the attached document.

/////////////////////////////////////////////////////////////////////////////////////////////////

here’s the starter code:

Tester.java:

import java.awt.BorderLayout;

import java.awt.GraphicsEnvironment;

import java.awt.Point;

import java.awt.event.ActionEvent;

import java.awt.event.ActionListener;

import javax.swing.JButton;

import javax.swing.JFrame;

import javax.swing.JLabel;

import javax.swing.JOptionPane;

/**

* The driver class for Project 4.  

*  

*/

@SuppressWarnings(“serial”)

public class Tester extends JFrame {

private static final int WINDOW_WIDTH = 700;

private static final int WINDOW_HEIGHT = 500;

private int score;

private int timer;

private int missilesFired = 0;

private JLabel scoreLabel;

private JButton fireButton;

private GamePanel panel;

/**

 * Default constructor to control the game.

 */

public Tester() {

 // Setup the initial JFrame elements

 setTitle(“Ball Destruction!”);

 setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

 setSize(WINDOW_WIDTH,WINDOW_HEIGHT);

 setLayout(new BorderLayout());

 panel = new GamePanel();

 add(panel, BorderLayout.CENTER);

 centerFrame(this);

 setVisible(true);

 setTimer();

 // Add the JButton for shooting the bullet

 fireButton = new JButton(“Shoot The Enemy!”);

 fireButton.addActionListener(new ActionListener() {

  @Override

  public void actionPerformed(ActionEvent e) {

   panel.addMissile();

   missilesFired++;

  }

 });

 add(fireButton, BorderLayout.SOUTH);

 // Add the JLabel for the score

 scoreLabel = new JLabel();

 add(scoreLabel, BorderLayout.NORTH);

}

/**

 * This method is called to start the video game which then

 * calls the infinite game loop for the game.

 */

public void start() {

 gameLoop();

}

/**

 * Method contains the game loop to move enemies, manage score,

 * and check if the game is finished.

 */

public void gameLoop() {

 // Game loop

 while(true) {

  pauseGame();  

  panel.detectCollision();

  score = panel.getTotalScore();

  scoreLabel.setText(Integer.toString(score));

  panel.move();

  panel.repaint();

  if(missilesFired > 10) {

   if(score >= 800){

    JOptionPane.showMessageDialog(null, “You Win!”, “Game Finished Message”,  

      JOptionPane.INFORMATION_MESSAGE);

    System.exit(0);

   } else {

    JOptionPane.showMessageDialog(null, “You Lose!”, “Game Finished Message”,  

      JOptionPane.INFORMATION_MESSAGE);

    System.exit(0);

   }

  }

  if(timer == 300) {

   panel.addEnemy();

   setTimer();

  }

  timer++;

 }  

}

/**

 * Pauses the thread for 30ms to control the  

 * speed of the animations.

 */

public void pauseGame() {

 try {

  Thread.sleep(30);

 } catch (InterruptedException e) {

  e.printStackTrace();

 }

}

/**

 * Method centers the frame in the middle of the screen.

 *  

 * @param frame to center with respect to the users screen dimensions.

 */

public void centerFrame(JFrame frame) {    

 int width = frame.getWidth();

 int height = frame.getHeight();

 GraphicsEnvironment ge = GraphicsEnvironment.getLocalGraphicsEnvironment();

 Point center = ge.getCenterPoint();

 int xPosition = center.x – width/2, yPosition = center.y – height/2;

 frame.setBounds(xPosition, yPosition, width, height);

 frame.validate();

}

/**

 * Randomly assign a value to determine how soon a new Enemy should

 * be created.

 */

public void setTimer() {

 timer = (int)(Math.random() * 100);

}

/**

 * The main method to execute the program.

 *  

 * @param args Any inputs to the program when it starts.

 */

public static void main(String[] args) {

 Tester main = new Tester();

 main.start();

}

}

/////////////////////////////////////////////////////////////////////////

GamePanel.java:

import java.awt.Color;

import java.awt.Graphics;

import java.awt.Rectangle;

import java.util.ArrayList;

import javax.swing.JPanel;

/**

* This class contains the paintable objects such as the enemies,

* turret, and missile. It also keeps track of the  

*  

*/

public class GamePanel extends JPanel {

/**

 * Paints the enemies and missiles when called and also paints

 * the background of the panel White.

 */

@Override

public void paintComponent(Graphics g) {  

 super.paintComponent(g);

 g.setColor(Color.white);  

 g.fillRect(0, 0, this.getWidth(), this.getHeight());  

}  

/**

 * Method detects the collision of the missile and all the enemies. This is done by

 * drawing invisible rectangles around the enemies and missiles, if they intersect, then  

 * they collide.

 */

public void detectCollision() {

 // Create temporary rectangles for every enemy and missile on the screen currently        

 for(int i = 0; i < enemyList.size(); i++) {

  Rectangle enemyRec = enemyList.get(i).getBounds();

  for(int j = 0; j < missileList.size(); j++) {

   Rectangle missileRec = missileList.get(j).getBounds();

   if(missileRec.intersects(enemyRec)) {

    (enemyList.get(i)).processCollision(enemyList, i);

    missileList.remove(j);  

    if(enemyList.get(i) instanceof BigEnemy) {

     totalScore += 100;

    } else {

     totalScore += 150;

    }

   }

  }

 }

}

}

[Solved] Important Assignment Please Follow

[Solved] Important Assignment Please Follow

Student note: The instructions are in the attached file (You have to choose one topic from the list in page 3 and write the essay about the topic you chose) This is a very important assignment please follow all of the steps and details. Thank you!! 

[Solved] Finished Product Customer Order

[Solved] Finished Product Customer Order

The fishbone file completed according to ımage I attached.I just ask you to complete asq-fmea file but it must be done according to image(the fishbone file is just an example I fill the blanks with the informations in the image so fmea file must be completed according to image). 

THIS PART IS LECTURER’s Explanation of homework.

Hello Students, Your midterm homework is to complete (fill-in your process informaton) two quality tools which are attached as documents below. For the homework you are required to: 1. Form groups (maximum 5-6 students if you cannot find a group than you can do the homework alone) 2. Select a process related to manufacturing or service industry some example processes are: Inspection of parts for quality Creating a sales order Assembling a finished product Customer order delivery (service sector) 3. Analyze three steps associated with this process (and failure modes associated with these steps of course) For example if your process is to deliver online customer orders than three failure modes are: 1. Late delivery 2. Incomplete order items delivered or wrong order delivered to wrong customer 3. Order is not delivered to the customer 4. After analyzing the failure modes associated with the process using FMEA tool you are required to complete an Ishikawa (Cause-and-Effect) diagram related to the process. Select the main failure mode (most important) associated with the process as the effect of the Ishikawa diagram. You can select the failure mode with the highest RPN number from the FMEA analysis. After cause-and-effect diagram created next step is to implement a solution to the problem. So in summary you are required to complete 1 FMEA diagram and 1 Cause-and-effect diagram using the failure mode with the highest RPN number in the FMEA analysis. (Failure Modes and Effects Analysis is on Page 182 of your textbook. You can also read the example from there) PS: Two example templates are attached to this homework you can use them as a guide as well as book chapters.

[Solved] Project Timeline Download Project

[Solved] Project Timeline Download Project

Project Timeline and Gantt Chart

Utilizing the Project Timeline Download Project Timelineand Gantt Chart Download Gantt Charttemplates, construct a Gantt chart and timeline for your Final Project. For the Gantt chart, there must be a minimum of nine tasks including Project Charter approval, site selection, lease/purchase completion, construction specifications, capital equipment and furniture specifications, construction, installation of equipment, final project closing, and two other tasks of your choice.

The assignment

  • Must be two to three double-spaced pages in length (not including title and references pages) and formatted according to APA style as outlined in the Writing CenterLinks to an external site..
  • Must include a separate title page with the following:
    • Title of paper
    • Student’s name
    • Name of Institution (The University of Arizona Global Campus)
    • Course name and number
    • Instructor’s name
    • Due date 
  • Must use at least two sources in addition to the course text.
    • The Scholarly, Peer Reviewed, and Other Credible SourcesLinks to an external site. table offers additional guidance on appropriate source types. If you have questions about whether a specific source is appropriate for this assignment, please contact your instructor. Your instructor has the final say about the appropriateness of a specific source for a particular assignment.
  • Must document all sources in APA style as outlined in the Writing Center.
  • Must include a separate references page that is formatted according to APA style as outlined in the Writing Center.

Carefully review the Grading RubricLinks to an external site. for the criteria that will be used to evaluate your assignment.

[Solved] Supporting Information Using Logical

[Solved] Supporting Information Using Logical

Hello i attached the APA file you have to work in that file only i also wrote topic work on that topic only. Write whole essay with proper intext citation, references, introduction, conclusion. i also attached my previous assignment just take some sentences from it.

 Description

Your purpose in this task is to complete your research project, which will include:

  • Employing critical thinking to analyze source, voice, bias, meaning, argument, and evidence.
  • Applying the three-step process (plan, write, revise) to complete a polished final essay.
  • Applying knowledge of standard Canadian English Grammar, spelling, and punctuation.

This assignment is an opportunity for you to write the report that expresses your answer to the research question you set for yourself. This is an individual assignment.

Rationale

This assignment will evaluate the following course learning outcomes:

  1. Use active reading strategies to identify and question key aspects of college-level texts.
  2. Employ Standard English Grammar to produce complete and coherent written sentences in a variety of contexts.
  3. Apply appropriate academic style guidelines in written texts to credit sources of information and model academic integrity.
  4. Organize main ideas and supporting information using logical structures to communicate clearly and convincingly in academic or professional writing contexts.
  5. Select relevant and credible sources of information to answer questions, solve problems, and support interpretations.
  6. Combine critical thinking and information from secondary sources to produce writing that is capable of answering questions and/or solving problems relevant to academic or professional applications.
  7. Develop a research project through various preliminary stages to acquire constructive feedback, perform self-assessment, and incorporate revisions to produce a final written draft that meets the expectations of audience and purpose.

Directions

  1. Review your Research Project First Draft and make changes as necessary.
  2. Use the following resources to inform your review: the rubric for the Research Project Final Draft, samples of student writing posted to the course shell, instructional materials posted to the course shell, feedback you have received from your instructor on your Research Project First Draft and Detailed Outline.
  3. Remember that the Research Project Final Draft is a continuation of the topic and question you have been exploring throughout the Research Project Proposal, Detailed Outline, and First Draft assignments. Do not write your Research Project Final Draft on a new topic unless you have received explicit instructions / approval from your instructor.
  4. Double-check that all text references (that includes both quoted and paraphrased ideas) are correctly quoted (when appropriate), cited, and documented according to APA @ Conestoga style guidelines.
  5. Double-check your Research Project Final Draft using the checklist providedOpens in a new tab.
  6. Double-check that the format for your paper follows APA @ Conestoga style guidelines, including the following:
    • 12-point Arial or Times New Roman font
    • Double-spaced lines
    • Page numbers in the top right corner of the page
    • A title page according to this format from [email protected] in a new tab
    • A Reference Page following [email protected] documentation style