56251

The Matrix includes seven stages of development: Infancy, Early Childhood, Middle Childhood, Adolescence, Early Adulthood, Middle Adulthood, and Late Adulthood. For each stage discuss the physical changes, cognitive changes, and socioemotional changes. Although there is not a specific word count required I recommend a minimum of 50 to 75 words for each section. Be sure to reference all material as per APA (each Section/Block) included in the Matrix. Do not place references at the end of each block because a separate Reference page is required. —

Please, write me a repose about his opinion on 1 or 2 paragraphs.

Case 2.pdf

My classmate answered the question ”  Do you agree with Exhibit 5.1 (the consumer decision process)? Is the process always linear  ”  and he wrote his opinion on the discussion board.

Charts that map human behavior are typically linear on paper, but real world examples do not always follow suit.  In this case, I believe the consumer decision process is certainly not linear, as individuals do not typically make decisions in a linear fashion. If I were to recreate this chart, I would so using flow chart diagrams and putting decision points at every stage, thereby making it possible to loop endlessly at each stage.  A consumer does not always make the decision, and can therefore terminate at any stage, or even move back a stage due to information gathered at some point in the process.

As a marketer, I do not believe the consumer decision process starts with “Need Recognition.”  In my opinion, there is a potential step prior to this that is an opportunity for marketing professionals.  That stage is “Product/Service Awareness.”  In order to realize you “need” something or that a product or service may fit a potential empty space in your life, you must first be aware of its existence.  Marketers do have a responsibility to target those who already know and utilize the product, but a bigger opportunity lies in those who have yet to be informed (i.e. How can a person “need” something they don’t know exists?). 

Please, write me a repose about his opinion on 1 or 2 paragraphs. 

I uploaded the case ( Exhibit 5.1) as a PDF file.

Thanks

cis407a week 6

need help completing week 6 ilab.. i will upload what I currently have if you know the material please let me know.  what the person to add on to what I currently have started.

 

iLab 6 of 7: Login and Security Levels (30 Points)

Submit your assignment to the Dropbox located on the silver tab at the top of this page.

(See Syllabus “Due Dates for Assignments & Exams” for due dates.)

 

i L A B  O V E R V I E W

Scenario/Summary

In this week’s lab, we will create a login form, validate a user based on their login name and password, and allow them to access the system or not. We will assign a session variable to determine the level of security the user has and allow certain functions to be displayed or not displayed in the existing frmPersonnel form depending on the assigned security level. (NOTE: In some cases the instructions for this lab will be less specific than in earlier labs, because you are expected to apply what you have learned in earlier weeks. Refer to the detailed instructions in previous weeks’ labs if you need to do so.)

Instructions for Week 6 iLab: Login and Security Levels

Click on the link above to view the tutorial.

Please watch this tutorial before beginning the iLab.

The tutorial has audio.

Deliverables

When you try to log in, if you use User Name = Mickey and Password = Mouse, the frmMain form should open with all links visible. If you use User Name = Minnie and Password = Mouse, the frmMain form should open with only the Salary Calculator, View Personnel, and Search options should be available. You will have a new option called Manage Users that will allow you to add new users and remove or update existing users. Once you have verified that it works, save your website, zip up all files, and submit in the Dropbox.

Note on database connections: We are using a SQLDataSource control for the Edit employees feature we added. You should be using the connection string stored in the web.config file for your database connection for this control. Rather than creating a new connection each time, just use this connection. If you change the folder where your website is (e.g., you copy each week’s work to a new location), you will need to update the web.config. The advantage of using the database connection in the web.config is that you only have to set the configuration in one location.

Before starting this week’s lab, make sure everything is working and that all database connections are properly configured.

i L A B  S T E P S

STEP 1: Login Form (10 points)

Back to top
  • Open Microsoft Visual Studio.NET 2008.
  • Click the ASP.NET website named PayrollSystem to open it.
  • Create a new web form named frmLogin.
  • Drop a login control onto the form.
  • Set the properties of the login control as follows:
    PROPERTY VALUE
    DestinationPageUrl frmMain.aspx
    TitleText Please enter your UserName and Password in order to log into the system
  • Add the CoolBiz Productions, Inc. logo to the frmLogin form. Do not hylerlink the logo.
  • Highlight everything in the form, then click Format, Justify, Center. Save your work.
  • Go to the Solution Explorer, right-click on frmLogin, and left-click on Set As Start Page. Then run the website to check if the web form appears correctly.

    Click on image to enlarge.

    Login Form  In Browser 

    Login Form In Browser

    Click here for text description of this image.

STEP 2: Login Check (10 points)

Back to top
  • Create a new DataSet called dsUser. Use the table tblLogin as the database table for this dataset. Do this in the same way you added datasets in the previous labs.
  • Open the clsDataLayer and add the following function:

     

    // This function verifies a user in the tblUser table
        public static dsUser VerifyUser(string Database, string UserName, string UserPassword)
        {
            // Add your comments here
            dsUser DS;
            OleDbConnection sqlConn;
            OleDbDataAdapter sqlDA;

            // Add your comments here
            sqlConn = new OleDbConnection(“PROVIDER=Microsoft.Jet.OLEDB.4.0;” +
                                          “Data Source=” + Database);

            // Add your comments here
            sqlDA = new OleDbDataAdapter(“Select SecurityLevel from tblUserLogin “ +
                                          “where UserName like ‘” + UserName + “‘ ” +
                                          “and UserPassword like ‘” + UserPassword + “‘”, sqlConn);

            // Add your comments here
            DS = new dsUser();

            // Add your comments here
            sqlDA.Fill(DS.tblUserLogin);

            // Add your comments here
            return DS;

        }

  • Double-click on the login control you added. Add the following code to the login control Authenticate event handler:

          // Add your comments here
            dsUser dsUserLogin;

            // Add your comments here
            string SecurityLevel;

            // Add your comments here
            dsUserLogin = clsDataLayer.VerifyUser(Server.MapPath(“PayrollSystem_DB.mdb”),
                             Login1.UserName, Login1.Password);

            // Add your comments here
            if (dsUserLogin.tblUserLogin.Count < 1)
            {
                e.Authenticated = false;
                return;
            }

            // Add your comments here
            SecurityLevel = dsUserLogin.tblUserLogin[0].SecurityLevel.ToString();

            // Add your comments here
            switch (SecurityLevel)
            {

                case “A”:
                    // Add your comments here
                    e.Authenticated = true;
                    Session[“SecurityLevel”] = “A”;
                    break;
                case “U”:
                    // Add your comments here
                    e.Authenticated = true;
                    Session[“SecurityLevel”] = “U”;
                    break;
                default:
                    e.Authenticated = false;

STEP 3: Test and Submit (10 points)

Back to top
  • Open the frmPersonnel form and add the following code to its Page_Load() function:

     

      // Add your comments here
            if (Session[“SecurityLevel”] == “A”) {

                btnSubmit.Visible = true;

            //Add your comments here
            } else {

                btnSubmit.Visible = false;

            }

  • Set the start page as frmLogin.aspx. Run the website. Try to log in with both User Name = Mickey and Password = Mouse and User Name = Minnie and Password = Mouse. Any other user ID and password should not allow you to log in.
  • When the user logs in we want to restrict what they can see and do based on their user role. The role is stored in the database table tblUserLogin. Mickey Mouse has all privileges whereas Minnie Mouse has read only privileges. We want to control the visibility of the links on the frmMain page.
  • Initially we did not set the ID of any of the Link Button or Image Button controls that we used on frmMain. In order to make our code more maintainable we will change the IDs as follows:
    Option Link Button ID Image Button ID
    Annual Salary Calculator linkbtnCalculator imgbtnCalculator
    Add New Employee linkbtnNewEmployee imgbtnNewEmployee
    View User Activity linkbtnViewUserActivity imgbtnViewUserActivity
    View Personnel linkbtnViewPersonnel imgbtnViewPersonnel
    Search Personnel linkbtnSearch imgbtnSearch
    Edit Employees linkbtnEditEmployees imgbtnEditEmployees
  • Modify the main form so that the following options are turned off for nonadmin users:
    • Add New Employee
    • View User Activity
    • Edit Employees
  • You now have a web application that honors the role of the logged in user. We don’t have a way of managing the user roles and users in the system.
  • Add a new form called frmManageUsers that will allow the user to add new users. The user will also need to be able to view all users and modify or delete any of the users in the database. Add a main form option called Manage Users that is only accessible to admin users. Add the link and image buttons as we have done in the past. Add the CoolBiz logo that is hyperlinked as you did in previous assignments.
    • For the security level of the user, use a dropdown list control to allow the user to select from A or U.
    • Name the controls with names that make sense.
    • Add code as appropriate to the code behind and clsDataLayer.
  • Hints:
    • Make sure you reestablish your database connection if you copied the files from a previous lab.
    • Update any DataSource controls you added with the new Payroll database location.
    • You can turn a control on or off by setting it’s Visible property.
    • You can add a data entry form for new users and a grid displaying all users all on the same form.
    • To force a gridView to refresh call its DataBind method.
    • In order to use the Advanced SQL Generation option (allowing you to update/delete records) there must be a primary key defined on the table you are generating SQL for. tblUserLogin needs to have a primary key set on the UserID column. You can do this in Access.
  • Test your application to make sure you are logging in with an invalid user id. Try to log in with both Minnie and Mickey and make sure the UI adjusts by the role properly. Make sure you can utilize the Manage Users functionality to add/modify/delete and view user information. Once you have verified that everything works, save your project, zip up all files, and submit in the Dropbox.

    NOTE: Make sure you include comments in the code provided where specified (where the ” // Your comments here” is mentioned); also, any code you write needs to be properly commented, or else a five point deduction per item (form, class, function) will be made.

Mickey Mouse (Admin)


Click on image to enlarge.

frmMain After Mickey Login 

frmMain After Mickey Login

Click here for text description of this image.

Minnie Mouse (User)


Click on image to enlarge.

frmMain After Minnie Login 

frmMain After Minnie Login

Click here for text description of this image.

frmManageUsers


Click on image to enlarge.

frmManageUsers 

frmManageUsers

Click here for text description of this image.

 

 

Decision Making in Trade assignment help (1500 words memo)

Individual Portion for 100 points:

Analyze the market potential for Content Cow Dairy to export to Egypt by choosing and exploring one topic per person in memo form. Each member of the team should take one of the following four areas listed and research the topic as it applies to Egypt. Submit a 1,250- to 1,500-word memo in the Small Group Discussion Board. I NEED 1500 WORD MEMO BASED ON THIS

Use the Internet and library databases in your research. Be sure to reference all sources using APA style.

  • Level of economic development and the structure of its economy (agricultural, manufacturing, etc.), inflation rates, exchange rates, and structure of its imports (what are they importing from where). These affect the country’s general economic prosperity and ability and willingness to buy Content Cow’s products.

SLIDES I ALSO NEED 4 SLIDES BASED OFF THE INFORMATION ABOVE WITH NOTES EACH SPEAKER NOT WILL HAVE 350 WORDS

  • Each group member must read all individual submissions, then as a group, prepare a recommendation for Mr. Swanson as to whether or not Content Cow Dairy should proceed to export to Egypt.
  • Support your recommendation with evidence from research. Include a reference list using APA format.
  • Your group recommendation should be presented in the form of a PowerPoint presentation in which you briefly describe the size and nature of the various environments, your recommendation for action, and the reason(s) for it.
  • The presentation should be 10–14 slides in length (excluding a title slide, introductory slides, and reference slide) with speaker notes of 300–350 words for each slide. Be sure to use PowerPoint’s Notes capability to explain your slides. Slides should be brief and uncluttered.

final assignment only hifsa 0

 

 

Reflective Paper

 

The Reflective Paper should demonstrate understanding of the reading assignments as well as the implications of new knowledge. The eight-page paper should integrate readings and class discussions into work and life experience. It may include explanation and examples from previous experience as well as implications for future application.

 

The purpose of the Reflective Paper is for you to culminate the learning achieved in the course by describing your understanding and application of knowledge in the field of human resource management.

 

Focus of the Reflective Paper

 

The primary function of human resource management is to increase the effectiveness and contribution of employees in the attainment of organizational goals and objectives. Consider all the areas of HRM that have been discussed in class:

 

  • EEO and Affirmative Action,
  • Human resources planning, recruitment, and selection,
  • Human resources development,
  • Compensation and benefits,
  • Safety and Health, and
  • Employee and labor relations.

 

Submit a Reflective Paper in which you explain how these aspects work together to perform that primary function. Are any aspects more important than the others? Why or why not? How do you believe the HRM role can be optimized for shaping organizational and employee behavior?

 

The Reflective Paper must: (a) identify the main issues in the chosen area, (b) demonstrate new learning that has occurred, (c) include class activities or incidents that facilitated learning and understanding, (d) identify specific current and/or future applications and relevance to your workplace, and (e) reflect the potential impact to your future career plans or even in your personal life at home. The emphasis of the Reflective Paper should be on parts ‘d’ and ‘e,’ and on the application of new learning. Explore, in depth, the benefits of the new learning and understanding that has taken place.

 

Writing the Reflective Paper

 

The Reflective Paper:

 

  • Must be seven to eight double-spaced pages in length, excluding the cover page and reference page, and formatted according to APA style as outlined in your approved style guide.
  • Must include a cover page that includes:
    • Name of paper
    • Student’s name
    • Course number and name
    • Instructor’s name
    • Date submitted
  • Must include an introductory paragraph with a succinct thesis statement.
  • Must address the topic of the paper with critical thought.
  • Must conclude with a restatement of the thesis and a conclusion paragraph.
  • Must use at least one scholarly source, in addition to the text.
  • Must use APA style as outlined in your approved style guide to document all sources.
  • Must include, on the final page, a Reference List that is completed according to APA style as outlined in your approved style guide

Assignment 2: Social Control and Criminal Deviance: Bullying Due Week 6 and worth 65 points Bullying is a difficult concept to understand and reconcile the consequences. This assignment focuses on the critical thinking skills that are needed to analyze

Assignment 2: Social Control and Criminal Deviance: Bullying

Due Week 6 and worth 65 points

Bullying is a difficult concept to understand and reconcile the consequences. This assignment focuses on the critical thinking skills that are needed to analyze an emotionally charged topic.

Student Success Tips

  • Review the Student’s Guide to Research section of the textbook (Chapter 2)
  • Take notes as you watch the video below.

Watch the video titled, “From school yard bullying to genocide: Barbara Coloroso at TEDxCalgary” (19 min 5 s) located below. You may also view the video at https://www.youtube.com/watch?v=zkG0nssouFg.

Watch Video

From school yard bullying to genocide: Barbara Coloroso at TEDxCalgary
Duration: (19:06)


User: tedxtalks –
Added: 2/20/14

Write a one to two (1-2) page essay in which you:

  1. Identify the most important step in the student’s guide to research that you would need in order to analyze bullying.
  2. Define the identified critical step of research in your words.
  3. Explain how bullying relates to one (1)of the following topics:
    1. the agents of socialization (i.e., family, teachers and school, peers),
    2. formal organizations (i.e., conformity to groups),
    3. different types of deviance (i.e., everyday deviance, sexual deviance, or criminal deviance).

Provide a rationale for your response.

Your assignment must follow these formatting requirements:

  • Be typed, double spaced, using Times New Roman font (size 12), with one-inch margins on all sides. Check with your professor for any additional instructions.
  • To keep this essay short and manageable, your only sources for the essay should be the TED video and the sections noted in your text. For this reason, APA citations or references are not required for this assignment.
  • Include a cover page containing the title of the assignment, the student’s name, the professor’s name, the course title, and the date. The cover page is not included in the required assignment page length.

The specific course learning outcomes associated with this assignment are:

  • Define the basic concepts used in the discipline of sociology.
  • Define the various methodologies for sociological research.
  • Identify the sociological perspective to the inequalities of class, race, gender, ethnicity, sexual orientation, socioeconomics, and political aspects.
  • Use technology and information resources to research issues in sociology.
  • Write clearly and concisely about sociology using proper writing mechanics.

53845

Reorder point planning Example

Case Study 9: The Shootings at the Columbine High School: The Law Enforcement

Read Case Study 9 and respond to the following questions:

  • Use this case to discuss the importance of effective administrative
    communications to decision making and performance and assess if the
    communication in the shooting incident was effective or not.  Be sure to cite
    relevant examples from the case to support your arguments

Response must be between 75 to 150 words but may go longer depending on the topic. Outside sources must be referenced and cited.

The case study is attached. Case Study 9.pdf

guidelines eth 125 week 6 racial diversity society

Week Six: Diversity and Race, Part II: Social

 

Details

Due

Points

Objectives

1   

1.1  Describe the interactions between racial groups in contemporary America. 

1.2  Identify contemporary causes of racial prejudice and discrimination.

1.3  Describe persisting social inequities based on race.

 

 

Reading

Read Ch. 4 of Racial and Ethnic Groups.

 

 

Reading

Read Ch. 6 of Racial and Ethnic Groups starting at the section titled “Native Americans Today.”

 

 

Reading

Read Ch. 8 of Racial and Ethnic Groups.

 

 

Reading

Read Ch. 10 of Racial and Ethnic Groups starting at the section titled “The Contemporary Picture of Mexican Americans and Puerto Ricans.”

 

 

Reading

Read Ch. 11 of Racial and Ethnic Groups starting at the section titled “Contemporary Life in the United States.”

 

 

Reading

Read Ch. 12 of Racial and Ethnic Groups.

 

 

Reading

Read this week’s Electronic Reserve Readings.

 

 

Tutorial

Income Inequality by Race

View the MySocLab Social Explorer Map: IncomeInequality by Race.

 

 

Tutorial

Social Standing for Native Americans

View the MySocLab™ Social Explorer Report: Social Standing for Native Americans.

 

 

Tutorial

Social Stratification Among Hispanic Groups

View the MySocLab Social Explorer Map and Report: Social Stratification Among Hispanic Groups.

 

 

 

Tutorial

Hispanic Population Growth

View the MySocLab™ Social Explorer Map: Hispanic Population Growth.

 

 

Video

America Beyond the Color Line: The Streets of Heaven

Watch the American History in Video “America Beyond the Color Line: The Streets of Heaven” in this week’s Electronic Reserve Readings.

 

 

 

Video

Demographic Diversity in America

Watch the video “Demographic Diversity in America” in this week’s Electronic Reserve Readings.

 

 

Video

A Muslim Family in Western Culture

Watch the video “A Muslim Family in Western Culture” in this week’s Electronic Reserve Readings.

 

 

 

Video

The Changing Profile of American Islam

Watch the video “The Changing Profile of American Islam” in this week’s Electronic Reserve Readings.

 

 

 

Participation

Participate in class discussion.

At least four (4) days of the week

10

Discussion Questions

Respond to weekly discussion questions.

Days

3 and 4

10

Individual

Racial Diversity in Society Worksheet

Complete the Racial Diversity in Society Worksheet, located on the student website.

 

Use a minimum of two (2) theories or concepts from our week’s readings to support at least two of your answers (one theory or concept for two answers).

Day 7

60

 

Hidden Intellectualism Paper instructions: 1.The essay should at least have 3 paragraph which…

Hidden Intellectualism

Paper instructions:
1.The essay should at least have 3 paragraph which including Restatement, Description and Interpretation of the article “Hidden Intellectualism” (by Gerald Graff). Click here for more on this paper……. Click here to have a similar A+ quality paper done for you by one of our writers within the set deadline at a discounted

2. And the thesis in this review essay should be write it in 3 different types, which is (1) disagree with reason (2) agree with reason & (3) agree & disagree simultaneously.

And please label which one is for “disagree with reason”, which one is for “agree with reason” and wihch one is for “agree & disagree simultaneously”  I have upload some additional materials,

which have examples of these 3 types of thesis, you can simulate the examples and combine to the article. Click here for more on this paper……. Click here to have a similar A+ quality paper done for you by one of our writers within the set deadline at a discounted