Posts

[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] Technology Communication Collaboration Shared

[Solved] Technology Communication Collaboration Shared

 

This assessment is aimed at evaluating the skills you acquired in patient care, big data and technology, decision making, ethics, and leadership in nursing practice.

For this assessment, you are asked to conduct a critical review of 5 factors and how they affect quality patient care. You are providing this information in a report that will be shared with executives who are seeking ways of understanding how to build a culture that supports patient safety and provides the needed tools (technology).

Evaluate factors that influence quality, safe, patient-centered care.

Consider:

  • Technology
  • Communication
  • Collaboration
  • Shared decision making
  • Laws, regulations, and policies

Analyze changes in technology and their effect on quality patient care.

Explain the roles of communication, collaboration, and shared decision making.

Consider communication and collaboration between healthcare team members, between the patient and staff, and involving insurance companies.

Cite a minimum of 2 peer-reviewed sources in an APA-formatted reference page.

Format your assignment as a 1,050 to 1,400-word report.

[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] Different Policies Regarding Health

[Solved] Different Policies Regarding Health

 

Hello students

For this week’s post, please remember this is a self-assessment reflection on health policy, politics, and nurse’s practice. It is essential to describe your experience in the class and your reflection on the different topics; review it here. The different policies regarding health play a role in our professional development. Politics will also impact professional practice in different manners. The Nurse practitioner curriculum development, it is based on the American Association of Colleges of Nursing essential. The essentials serve as a framework for curriculum development and professional performance. An important example of the program essential is Essential 6: Health Policy and Advocacy: In this essential, the student will obtain knowledge of healthcare policies, the healthcare system, and the influence of those policies on professional performance. The students will also understand all the legal and Regulatory agencies for Advanced nursing practice.

American Association of Colleges of Nursing. (2011). The essentials of master’s education in nursing.

[Solved] Unit 4 Discussion 1

[Solved] Unit 4 Discussion 1

Multidimensional Framework for Assessment

Describe one example, from the movie Joe the King, of how the biological, psychological, and societal systems interact for Joe’s family. Consider whether or not there were cultural influences, such as messages from family, community, or ethnic group, on these three systems.

Response Guidelines

In your response, consider one of the three systems mentioned above. Compare another learner’s example in the same system, whether biological, physical, or social, with your own. Are they similar or different? Do you notice any patterns? How much of a factor is cultural influence? Support your answers with references to the textbook.

Make your post within four days. Respond to at least one other learner within three days of making your initial post.

Resources

7878032[u02d1] Unit 2 Discussion 1 Options Menu: Forum

Biological Factors

You are the social worker for Joe’s family and are tasked with completing a family assessment.

  • What are all of the biological factors in play for each family member?
  • How might these biological factors influence family dynamics?
  • How might these biological factors interact with relevant psychological or societal systems?

Response Guidelines

In your response, consider another learner’s responses in comparison to yours. Have they missed anything, or does the post suggest that you missed something? Support your responses with references to the text and the movie.

Make your post within four days. Respond to at least one other learner within three days of making your initial post.

Resources

101007[u04d1] Unit 4 Discussion 1 Options Menu: Forum

Cognitive Factors

You are the social worker for Joe’s family and are tasked with completing an assessment on the family.

  • What are all of the cognitive factors involved, for each family member?
  • How might these cognitive factors influence family dynamics?
  • How might these cognitive factors influence biological or societal systems with which they are involved?
  • Be between 250-750 words and be written in third person as much as possible. However, the third person should not be used as a way to still refer to yourself. Try to keep your response neutral and focused on the key components relative to your discussion.
  • Be free of grammatical and spelling errors.
  • Contain at least one academic reference and citation to support your analysis.

[Solved] Biological Factors Influence Family

[Solved] Biological Factors Influence Family

Describe one example, from the movie Joe the King, of how the biological, psychological, and societal systems interact for Joe’s family. Consider whether or not there were cultural influences, such as messages from family, community, or ethnic group, on these three systems.

Biological Factors

You are the social worker for Joe’s family and are tasked with completing a family assessment.

  • What are all of the biological factors in play for each family member?
  • How might these biological factors influence family dynamics?
  • How might these biological factors interact with relevant psychological or societal systems?
  • Be between 250-750 words and be written in third person as much as possible. However, the third person should not be used as a way to still refer to yourself. Try to keep your response neutral and focused on the key components relative to your discussion.
  • Be free of grammatical and spelling errors.
  • Contain at least one academic reference and citation to support your analysis.

[Solved] Self Explanatory Article

[Solved] Self Explanatory Article

 Stages***Secure, Avoidant, Ambivalent, and Disorganized(explain all 4)***. I describe myself  in the secure stage(explain how is the development of this  stage in my own behavior). Expand the reason on my conclusion exploring the behavioral stage of a child who is in the  secure stage. Kind of a self explanatory article. Please explain with examples . Bibliographical references of the theories. More than 4 pages. 

[Solved] 8 Years Old

[Solved] 8 Years Old

Psychology is the study of the mind and behavior. Surprisingly, many people do not understand why studying psychology is important to an early childhood educator. By studying psychology, early childhood educators have a better understanding of how children develop and learn.

For this assignment, take on the role of an early childhood teacher. Your principal/director just asked you to create a brochure explaining to future teachers:

  • The connections between psychology and learning.
  • The role psychology plays in understanding children’s development (age birth to 8 years old).
  • Why teachers need to understand psychological theories and research.

Support your brochure with 3-5 scholarly references.

[Solved] Automatic Versus Controlled Processing

[Solved] Automatic Versus Controlled Processing

 We began the course by considering Cialdini’s click-whirr metaphor for persuasion. Now, at the completion of the course, to what extent do you think that automatic versus controlled processing is important in persuasion? How do automatic and controlled processes interact with the other major entities of persuasion (source, message, and audience) to determine the effectiveness of persuasion attempts? Be specific in your discussion and be sure to reference your course materials.