Relational Databases

Application: Relational Databases

 

As in any nursing specialization, informatics and database design has its own pedagogy and vernacular. Terms such as primary keyrelational diagram, or entity integrity might seem unfamiliar at first; however, this Assignment familiarizes you with such terms and develops your informatics skills as you apply database concepts.

 

To prepare:

 

  • Review the information on relational database models in the course text, Coronel, C. & Morris, S. (2015). Database systems: Design, implementation, and management (11th ed.). Stamford, CT: Cengage Learning..
  • Focus on the key terms listed at the end of Chapter 3.
  • Review how to create an entity relationship model.
  • Examine the information contained in Figure 3.17.

    To complete:

 

  • Answer questions 17–22 about database design found on pages 110 in the course text, which refer to Figure 3.17 on page 110. SEE ATTACHED FILE
  • Use the available templates for your responses.

     

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Support Queue Case Study

Instructions

For this project, you will apply the CompTIA 6-Step Troubleshooting Process to explain how you would tackle Hudson Fisher Associates Help Desk Tickets. There are three groups of tickets, Level 1, Level 2, and Level 3. You will pick two tickets from each group.

As you prepare to analyze and hopefully solve these typical IT help desk tickets, keep in mind that for this course, it is more about the process and less about finding the “correct” answer. You may not always find an exact answer from the information given. The problems are structured to approximate what you will find in the workplace. Use a logical and repeatable process (e.g., the CompTIA 6-Step Troubleshooting Process) and eliminate the improbable as you work your way through each scenario.

CompTIA 6-Step Troubleshooting Process:

  1. Identify the problem.
  2. Establish a theory of probable cause.
  3. Evaluate the theory to determine the actual cause.
  4. Establish a plan of action to resolve the problem and implement the solution.
  5. Verify full system functionality and if applicable implement preventative measures.
  6. Document findings, actions, and outcomes.

How Will My Work Be Evaluated?

As you progress in your information technology and cybersecurity career, you may find yourself making presentations to customers, client audiences, and management. For this assignment, you should articulate your findings from the six support cases.

But the challenge you face is in expressing a technical solution to a nontechnical audience. Avoid jargon and acronyms. Find a way to relay your solution (and challenges) in language that your audience will find easily relatable.

Communicating in this manner will not always be easy. You may struggle to find the right analogy or metaphor. But if you can master the skill of summarizing your results and recommendations to management in an effective presentation, you will demonstrate how you use your technical knowledge to convey your ideas to others in a professional setting. You will also earn the respect and trust of your peers, your supervisor, and upper management as an effective communicator. You will be viewed as an employee ready for advancement.

The following evaluation criteria aligned to the competencies will be used to grade your assignment:

  • 1.1.1: Articulate the main idea and purpose of a communication.
  • 1.1.3: Present ideas in a clear, logical order appropriate to the task.
  • 1.3.3: Integrate appropriate credible sources to illustrate and validate ideas.
  • 2.1.1: Identify the issue or problem under consideration.
  • 2.3.1: State conclusions or solutions clearly and precisely.
  • 12.7.2: Explain the process of analyzing IT incidents.
  • 13.1.1: Create documentation appropriate to the stakeholder.

Your deliverable for the project is an annotated PowerPoint Presentation covering the following:

  • List of the six tickets you selected (two each from Level 1, Level 2, and Level 3)
  • One to two slides for each ticket, in which you:
    • State the problem.
    • Describe the steps taken to troubleshoot/analyze the problem.
    • Propose a brief resolution.
  • One summary slide: What did you find challenging or interesting about one or two of the support cases (opinion-based)?
  • One reference slide (two to six IEEE references). Include references for materials you consulted in TestOut or on the internet.

If you haven’t already done it last week, download the Support Queue Case Study Presentation Template to get started.

Delete the instructional text from the template before you submit.

When you are finished, click “add a file” to upload your work, then click the Submit button.

Due DateJul 6, 2021 11:59 PM

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Access Query Assignment

19. Write a query to display the products that have a price greater than $ 50.

20. Write a query to display the current salary for each employee in department 300. Assume that only current employees are kept in the system, and therefore the most current salary for each employee is the entry in the salary history with a NULL end date. Sort the output in descending order by salary amount.

21. Write a query to display the starting salary for each employee. The starting salary would be the entry in the salary history with the oldest salary start date for each employee. Sort the output by employee number.

22. Write a query to display the invoice number, line numbers, product SKUs, product descriptions, and brand ID for sales of sealer and top coat products of the same brand on the same invoice.

23. The Binder Prime Company wants to recognize the employee who sold the most of their products during a specified period. Write a query to display the employee number, employee first name, employee last name, email address, and total units sold for the employee who sold the most Binder Prime brand products between November 1, 2013, and December 5, 2013. If there is a tie for most units sold, sort the output by employee last name.

24. Write a query to display the customer code, first name, and last name of all customers who have had at least one invoice completed by employee 83649 and at least one invoice completed by employee 83677. Sort the output by customer last name and then first name.

 

 25. LargeCo is planning a new promotion in Alabama ( AL) and wants to know about the largest purchases made by customers in that state. Write a query to display the customer code, customer first name, last name, full address, invoice date, and invoice total of the largest purchase made by each customer in Alabama. Be certain to include any customers in Alabama who have never made a purchase; their invoice dates should be NULL and the invoice totals should display as 0.

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Data Structure (Python)

# Course: CS261 – Data Structures # Student Name: # Assignment: # Description: from max_stack_sll import * class QueueException(Exception): “”” Custom exception to be used by Queue class DO NOT CHANGE THIS CLASS IN ANY WAY “”” pass class Queue: def __init__(self): “”” Init new Queue based on two stacks DO NOT CHANGE THIS METHOD IN ANY WAY “”” self.s1 = MaxStack() # use as main storage self.s2 = MaxStack() # use as temp storage def __str__(self) -> str: “”” Return content of queue in human-readable form DO NOT CHANGE THIS METHOD IN ANY WAY “”” out = “QUEUE: ” + str(self.s1.size()) + ” elements. ” out += str(self.s1) return out def is_empty(self) -> bool: “”” Return True if queue is empty, False otherwise DO NOT CHANGE THIS METHOD IN ANY WAY “”” return self.s1.is_empty() def size(self) -> int: “”” Return number of elements currently in the queue DO NOT CHANGE THIS METHOD IN ANY WAY “”” return self.s1.size() # —————————————————————— # def enqueue(self, value: object) -> None: “”” TODO: Write this implementation “”” pass def dequeue(self) -> object: “”” TODO: Write this implementation “”” pass # BASIC TESTING if __name__ == “__main__”: pass # print(‘\n# enqueue example 1’) # q = Queue() # print(q) # for value in [1, 2, 3, 4, 5]: # q.enqueue(value) # print(q) # # print(‘\n# dequeue example 1’) # q = Queue() # for value in [1, 2, 3, 4, 5]: # q.enqueue(value) # print(q) # for i in range(6): # try: # print(q.dequeue(), q) # except Exception as e: # print(“No elements in queue”, type(e))

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Individual Reflective Journal

KING’S OWN INSTITUTE* Success in Higher Education

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 1 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

ICT203 HUMAN COMPUTER INTERACTION T120 All information contained within this Subject Outline applies to all students enrolled in the trimester as indicated.

 

1. General Information 1.1 Administrative Details

Associated HE Award(s) Duration Level Subject Coordinator

Bachelor of Information Technology (BIT) 1 trimester Level 1 Dr Sweta Thakur sweta.thakur@koi.edu.au P: 92833583 L: Level 1-2, 17 O’Connell St. Consultation: via Moodle or by appointment.

1.2 Core / Elective Core subject for BIT 1.3 Subject Weighting Indicated below is the weighting of this subject and the total course points.

Subject Credit Points Total Course Credit Points

4 BIT (96 Credit Points)

1.4 Student Workload Indicated below is the expected student workload per week for this subject

No. Timetabled Hours/Week* No. Personal Study Hours/Week**

Total Workload Hours/Week***

4 hours/week (2 hour Lecture + 2 hour Tutorial)

6 hours/week 10 hours/week

* Total time spent per week at lectures and tutorials ** Total time students are expected to spend per week in studying, completing assignments, etc. *** Combination of timetable hours and personal study. 1.5 Mode of Delivery On-campus 1.6 Pre-requisites ICT200 Database Design and Development 1.7 General Study and Resource Requirements o Dedicated computer laboratories are available for student use. Normally, tutorial classes are

conducted in the computer laboratories. o Students are expected to attend classes with the requisite textbook and must read specific chapters

prior to each tutorial. This will allow them to actively take part in discussions. Students should have elementary skills in both word processing and electronic spreadsheet software, such as Office 365 or MS Word and MS Excel.

o Computers and WIFI facilities are extensively available for student use throughout KOI. Students are encouraged to make use of the campus Library for reference materials.

o Students will require access to the internet and email. Where students use their own computers, they should have internet access. KOI will provide access to required software.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 2 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Resource requirements specific to this subject: MS Imagine, MS Azure, HTML, CSS, RJ TextEd, NetBeans IDE 8.1, Sublime Text, Notepad++.

2 Academic Details 2.1 Overview of the Subject Human Computer Interaction (HCI) is the study of the design, implementation and evaluation of computer- based applications, focusing particularly on the interfaces between people (users) and computers. In this subject, students learn about the novel ways in which humans interact with computers and design interfaces. This includes the designing of easy-to-use Web-based applications and development phases, both physical and psychological, usability testing, accessibility and analytics. Students will learn to use web-authoring tools to turn design of computer-based applications into working examples. These tools include HTML5 and CSS3. 2.2 Graduate Attributes for Undergraduate Courses Graduates of Bachelor courses from King’s Own Institute (KOI) will be able to demonstrate the attributes of a successful Bachelor degree graduate as outlined in the Australian Qualifications Framework (2nd edition, January 2013). Graduates at this level will be able to apply an advanced body of knowledge across a range of contexts for the purposes of professional practice or academic scholarship, and as a pathway for further learning. King’s Own Institute’s key generic graduate attributes for a Bachelor’s level degree are summarised below:

Across the course, these skills are developed progressively at three levels:

o Level 1 Foundation – Students learn the basic skills, theories and techniques of the subject and apply them in basic, standalone contexts

o Level 2 Intermediate – Students further develop the skills, theories and techniques of the subject and apply them in more complex contexts, and begin to integrate this application with other subjects.

o Level 3 Advanced – Students demonstrate an ability to plan, research and apply the skills, theories and techniques of the subject in complex situations, integrating the subject content with a range of other subject disciplines within the context of the course.

 

KOI Bachelor Degree Graduate Attributes Detailed Description

Knowledge Current, comprehensive, and coherent and connected knowledge

Critical Thinking Critical thinking and creative skills to analyse and synthesise information and evaluate new problems

Communication Communication skills for effective reading, writing, listening and presenting in varied modes and contexts and for the transferring of knowledge and skills to others

Information Literacy Information and technological skills for accessing, evaluating, managing and using information professionally

Problem Solving Skills Skills to apply logical and creative thinking to solve problems and evaluate solutions

Ethical and Cultural Sensitivity

Appreciation of ethical principles, cultural sensitivity and social responsibility, both personally and professionally

Teamwork Leadership and teamwork skills to collaborate, inspire colleagues and manage responsibly with positive results

Professional Skills Professional skills to exercise judgement in planning, problem solving and decision making

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 3 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

2.3 Subject Learning Outcomes This is a Level 2 subject. On successful completion of this subject, students should be able to:

Subject Learning Outcomes Contribution to Course Graduate Attributes

a) Apply the theory and frameworks of human-computer interaction

b) Evaluate the design and functionality of an interactive web- based computer interface.

c) Design and implement an interactive web-based application using HTML and CSS3

d) Analyse the issues involved in human-computer interaction, including user differences, user experience and collaboration

 

2.4 Subject Content and Structure Below are details of the subject content and how it is structured, including specific topics covered in lectures and tutorials. Reading refers to the text unless otherwise indicated. Weekly Planner:

Week (beginning)

Topic covered in each week’s lecture Reading(s)

Expected work as listed in Moodle

1 09 Mar

Usability of interactive systems, guidelines principles and theories

Chs.1, 3 Discuss review questions in the tutorial. Formative not graded.

2 16 Mar

Managing design processes Design Case Studies

Chs.2,6 Discuss review questions in the tutorial. Formative Reflective Journal, Summative assessment 2%

3 23 Mar

Evaluating interface design Design Case Studies

Chs.6, 13 Discuss review questions in the tutorial, work on HTML. Formative not graded.

4 30 Mar

Direct manipulations and virtual environments

Ch.7 Assignment 4 due: summative assessment worth 10% Discuss review questions in the tutorial, work on HTML. Formative not graded. Reflective Journal, Summative assessment 2%

5 06 Apr

Menu selection, form fill-in, and dialogue boxes

Ch.8 Assignment 2 due Summative worth 20%

6 13 Apr

Command and natural languages Mid-Term Exam

Ch.9 Discuss review questions in the tutorial, work on HTML/CSS. Formative not graded. Reflective Journal, Summative assessment 2% Mid-Term Exam (20%)

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 4 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

2.5 Public Holiday Amendments Please note: KOI is closed on all scheduled NSW Public Holidays. T120 has six (6) days of public holidays (Easter Holidays and the Queen’s Birthday) that occurs during classes this trimester. Classes scheduled for these public holidays (Calendar Class Dates) will be rescheduled as per the table below. All other public holidays fall within the mid-trimester break period. This applies to ALL subjects taught in T120. Please see the table below and adjust your class timing as required. Please make sure you have arrangements in place to attend the rescheduled classes if applicable to your T120 enrolment.

19 Apr 2020 –

26 Apr 2020 Mid trimester break

7 27 Apr

Interaction devices Ch. 10 Discuss review questions in the tutorial, work on HTML/CSS. Formative not graded.

8 04 May

Communication and collaboration Ch.11 Discuss review questions in the tutorial, work on HTML /CSS. Formative not graded. Reflective Journal, Summative assessment 2%

9 11 May

Quality of service Ch.5 Discuss review questions in the tutorial, work on HTML/CSS Formative not graded. Deferred mid trimester exams – see Section 2.6 below for more information

10 18 May

Balancing function and fashion Ch.4 Assignment 4: due Summative worth 25% Discuss review questions in the tutorial, work on HTML/CSS. Formative not graded. Reflective Journal, Summative assessment 2%

11 25 May

User documentation and online help

Chs. 12, 14 Discuss review questions in the tutorial, work on HTML/CSS. Formative not graded. Assignment 4: due Summative 15%

12 01 Jun

Information search and visualization

Chs.15, 16 With all subject material

Assignment 4: due Summative 15%

13 07 Jun

Study review week

14 15 Jun

Examination Please see exam timetable for exam date, time and location

15 21 Jun

Student Vacation begins Enrolments for T220 open

16 29 Jun

Results Released 30 Jun 2020 Certification of Grades 03 Jul 2020

T220 begins 06 July 2020

1 06 Jul

Week 1 of classes for T220 Friday 03 Jul 2020 – Review of Grade Day for T120 – see Sections 2.6 and 3.6 below for more information.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 5 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Classes will be conducted at the same time and in the same location as your normally scheduled class except these classes will be held on the date shown below.

Calendar Class Date Rescheduled Class Date

Friday 10 April 2020 (Week 5) Saturday 11 April 2020(Week 5) Monday 13 April 2020 (Week 6)

Tuesday 09 June 2020 (Week 13) Study Review Week Wednesday 10 June 2020 (Week 13) Study Review Week Thursday 11 June 2020 (Week 13) Study Review Week

2.6 Review of Grade, Deferred Exams & Supplementary Exams/Assessments Review of Grade: There may be instances when you believe that your final grade in a subject does not accurately reflect your performance against the subject criteria. Section 8 of the Assessment and Assessment Appeals Policy (www.koi.edu.au) describes the grounds on which you may apply for a Review of Grade. If this happens and you are unable to resolve it with the Academic staff concerned then you can apply for a formal Review of Grade within the timeframes indicated in the following sections of this subject outline – Supplementary Assessments, 3.6 Appeals Process as well as the Assessment and Assessment Appeals Policy. Please ensure you read the Review of Grade information before submitting an application. Review of Grade Day: KOI will hold the Review of Grade Day for all subjects studied in T120 on

 

Friday 03 July 2020

Only final exams will be discussed as all other assessments should have been reviewed during the trimester. If you fail one or more subjects and you wish to consider applying for a Review of Grade you MUST attend the Review of Grade Day. You will have the chance to discuss your final exam with your lecturer, and will be advised if you have valid reasons for applying for a Review of Grade (see Section 3.6 below and Assessment and Assessment Appeals Policy). If you do not attend the Review of Grade Day you are considered to have accepted your results for T120. Deferred Exams: If you wish to apply for a deferred exam, you should submit an Application for Assignment Extension or Deferred Exam Form before the prescribed deadline. If you miss your mid-trimester or final exam there is no guarantee you will be offered a deferred exam. You must apply within the stated timeframe and satisfy the conditions for approval to be offered a deferred exam (see Section 8.1 of the Assessment and Assessment Appeals Policy and the Application for Assignment Extension or Deferred Exam Forms). In assessing your request for a deferred exam, KOI will take into account the information you provide, the severity of the event or circumstance, your performance on other items of assessment in the subject, class attendance and your history of previous applications for special consideration. Deferred mid-trimester exams will be held before the end of week 9. Deferred final exams will be held on two days during week 1 or 2 in the next trimester. You will not normally be granted a deferred exam on the grounds that you mistook the time, date or place of an examination, or that you have made arrangements to be elsewhere at that time; for example, have booked plane tickets.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 6 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

If you are offered a deferred exam, but do not attend you will be awarded 0 marks for the exam. This may mean it becomes difficult for you to pass the subject. If you apply for a deferred exam within the required time frame and satisfy the conditions you will be advised by email (to your KOI student email address) of the time and date for the deferred exam. Please ensure that you are available to take the exam at this time. Marks awarded for the deferred exam will be the marks awarded for that item of assessment towards your final mark in the subject. Supplementary Assessments (Exams and Assessments): A supplementary assessment may be offered to students to provide a final opportunity to demonstrate successful achievement of the learning outcomes of a subject. Supplementary assessments are only offered at the discretion of the Board of Examiners. In considering whether or not to offer a supplementary assessment, KOI will take into account your performance on all the major assessment items in the subject, your attendance, participation and your history of any previous special considerations. Students are eligible for a supplementary assessment for their final subject in a course where they fail the subject but have successfully completed all other subjects in the course. You must have completed all major assessment tasks for the subject and obtained a passing mark on at least one of the major assessment tasks to be eligible for a supplementary assessment. If you believe you meet the criteria for a supplementary assessment for the final subject in your course, but have not received an offer, complete the “Complaint, Grievance, Appeal Form” and send your form to reception@koi.edu.au. The deadline for applying for supplementary assessment is the Friday of the first week of classes in the next trimester. If you are offered a supplementary assessment, you will be advised by email to your KOI student email address of the time and due date for the supplementary assessment – supplementary exams will normally be held at the same time as deferred final exams during week 1 or week 2 of the next trimester. You must pass the supplementary assessment to pass the subject. The maximum grade you can achieve in a subject based on a supplementary assessment is a PASS grade. If you: o are offered a supplementary assessment, but fail it; o are offered a supplementary exam, but do not attend; or o are offered a supplementary assessment but do not submit by the due date; you will receive a FAIL grade for the subject. 2.7 Teaching Methods/Strategies Briefly described below are the teaching methods/strategies used in this subject:

o On-campus lectures (2 hours/week) are conducted in seminar style and address the subject content, provide motivation and context and draw on the students’ experience and preparatory reading.

o Tutorials (2 hours/week) include class discussion of case studies and research papers, practice sets and problem-solving and syndicate work on group projects. Tutorial participation is an essential component of the subject and contributes to the development of graduate attributes (see section 2.2 above). It is intended that specific tutorial material such as case studies, recommended readings, review questions etc. will be made available each week in Moodle.

o Online teaching resources include class materials, readings, model answers to assignments and exercises and discussion boards. All online materials for this subject as provided by KOI will be found in the Moodle page for this subject. Students should access Moodle regularly as material may be updated at any time during the trimester

o Other contact – academic staff may also contact students either via Moodle messaging, or via email to the email address provided to KOI on enrolment.

 

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 7 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

2.8 Student Assessment

 

Provided below is a schedule of formal assessment tasks and major examinations for the subject.

 

Assessment Type When assessed Weighting Learning Outcomes Assessed

Assessment 1: Reflective journal (500 words)

Week 2 Week 4 Week 6 Week 8 Week 10

2% 2% 2% 2% 2%

Total: 10%

a, b, c, d

Assessment 2: Critical analysis of a nominated website

Week 5 20% a, b

Assessment 3: Mid- trimester test

Week 6 20% a, b

Assessment 4: Website prototype design Group report 2,500 words Group presentation 15 minutes

Project plan: week 4 Group report: week 10 Group presentations: weeks 11-12

10% 25% 15%

Total: 50% c, d

 

 

Assessment is designed to encourage effective student learning and enable students to develop and demonstrate the skills and knowledge identified in the subject learning outcomes. Assessment tasks during the first half of the study period are usually intended to maximise the developmental function of assessment (formative assessment). These assessment tasks include weekly tutorial exercises (as indicated in the weekly planner) and low stakes graded assessment (as shown in the graded assessment table). The major assessment tasks where students demonstrate their knowledge and skills (summative assessment) generally occur later in the study period. These are the major graded assessment items shown in the graded assessment table.

Final grades are awarded by the Board of Examiners in accordance with KOI’s Assessment and Assessment Appeals Policy. The definitions and guidelines for the awarding of final grades within the BIT degree are:

• HD High distinction (85-100%) an outstanding level of achievement in relation to the assessment process.

• DI Distinction (75-84%) a high level of achievement in relation to the assessment process.

• CR Credit (65-74%) a better than satisfactory level of achievement in relation to the assessment process.

• P Pass (50-64%) a satisfactory level of achievement in relation to the assessment process.

• F Fail (0-49%) an unsatisfactory level of achievement in relation to the assessment process.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 8 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Requirements to Pass the Subject: To gain a pass or better in this subject, students must gain a minimum of 50% of the total available subject marks. 2.9 Prescribed and Recommended Readings Provided below, in formal reference format, is a list of the prescribed and recommended readings.

Prescribed Texts: Shneiderman, B, Plaisant, C, Cohen, M, Jacobs, S, Elmqvist, N, & Author., 2017. Designing the User Interface: Strategies for Effective Human-Computer Interaction. Global Edition, Pearson Education Limited, Harlow, United Kingdom. Available from: ProQuest Ebook Central. [20 February 2020]. Recommended Readings: E-books: Bidgoli, H., 2018, MIS. Cengage, Mason, OH. Available from: ProQuest Ebook Central. [20 February 2020]. Coronel, C, & Morris, S., 2018, Database Systems: Design, Implementation & Management. Cengage Learning US, Mason, OH. Available from: ProQuest Ebook Central. [20 February 2020]. Kim, Gerard Jounghyun 2015., Human-Computer Interaction: Fundamentals and Practice. CRC Press, Hoboken. Available from: O’Reilly Learning Videos & Books [24 February 2020]. Norman, K, & Kirakowski, J., (eds) 2018, The Wiley Handbook of Human Computer Interaction Set. John Wiley & Sons, Incorporated, Newark. Available from: ProQuest Ebook Central. [20 February 2020]. Perea, P. & Giner, P., 2017. UX Design for Mobile. 1st edn, Packt Publishing, GB. Available from: O’Reilly Learning Videos & Books [24 February 2020]. Articles from electronic journals: Abbas, R., Marsh, S. and Milanovic, K. (2019) ‘Ethics and System Design in a New Era of Human-Computer Interaction [Guest Editorial]’, IEEE Technology & Society Magazine, 38(4), pp. 32–33. <https://search.ebscohost.com/login.aspx?direct=true&db=bth&AN=140253237&site=ehost-live>. Lycett, M. and Radwan, O., 2019. ‘Developing a Quality of Experience (QoE) model for Web Applications’, Information Systems Journal, 29(1), pp. 175–199. Viewed 20 February 2020, <https://search.ebscohost.com/login.aspx?direct=true&db=iih&AN=133481582&site=ehost-live>. References available from EBSCOhost research databases: o ACM Transactions on Computer-Human Interaction (TOCHI) o ACM Transactions on Knowledge Discovery from Data o Advances in Human-Computer Interaction o Data Mining & Knowledge Discovery o IEEE Technology & Society Magazine o Information Systems Journal o Journal of Information Systems Education o Web Intelligence

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 9 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Recommended web resources: AISWorld Net – Association for Information Systems. An entry point to resources related to information systems technology for information systems academics and practitioners. https://aisnet.org/ IntechOpen – IntechOpen the world’s leading publisher of Peer Review Quality Open Access books Built by scientists, for scientists. https://www.intechopen.com/books/subject/human-computer-interaction Conference/ Journal Articles: Students are encouraged to read peer reviewed journal articles and conference papers. Google Scholar provides a simple way to broadly search for scholarly literature. From one place, you can search across many disciplines and sources: articles, theses, books, abstracts and court opinions, from academic publishers, professional societies, online repositories, universities and other web sites.

 

3. Assessment Details 3.1 Details of Each Assessment Item The assessments for this subject are described below. Other assessment information and/or assistance can be found in Moodle. Marking guides for assessments follow the assessment descriptions. Students should compare final drafts of their assessment against the marking guide before submission. KOI expects students to submit their own original work in both assignments and exams, or the original work of their group in the case of group assignments. Assessment 1 Assessment type: Individual reflective journal (500 words) Purpose: A reflective journal is a personal record of student’s learning experiences. It is a space where a learner can record and reflect upon their observations and responses to situations, which can then be used to explore and analyse ways of thinking. The purpose of the assessment is to test your understanding of Human Computer Interface Design and its principles applied in the development of a prototype design. The aim of a reflective log is to give you an opportunity to keep a record of the work you undertake, note any existing skills you develop, and learn to identify areas in which you would like to improve. This assessment contributes to learning outcomes a, b, c and d. Value: 10% Due Date: Biweekly submission Submission requirements details: Week 2 (2%) + Week 4 (2%) + Week 6 (2%) + Week 8 (2%) + Week 10 (2%) = Total (10%) Assessment topic: Reflective journal on two week in class activities Task Details: The template for writing biweekly reflective journal will be provided on Moodle. Students will be expected to prepare the reflective journal accordingly.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 10 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Marking Rubric for Assessment 1 (biweekly)

Criteria Fail (0 – 49%) Pass

(50 – 64%) Credit

(65 – 74%) Distinction (75 – 84%)

High Distinction (85 – 100%)

Content Reflection 0.5 Marks

Reflection lacks critical thinking. Superficial connections are made with key course concepts and course materials, activities, and/or assignments

Reflection demonstrates limited critical thinking in applying, analysing, and/or evaluating key course concepts and theories from readings, lectures, media, discussions, activities, and/or assignments Minimal connections made through explanations, inferences, and/or examples.

Reflection demonstrates some degree of critical thinking in applying, analysing, and/or evaluating key course concepts and theories from readings, lectures, media, discussions activities, and/or assignments. Connections made through explanations, inferences, and/or examples.

Reflection demonstrates a high degree of critical thinking in applying, analysing, and evaluating key course concepts and theories from readings, lectures, media, discussions activities, and/or assignments. Insightful and relevant connections made through contextual explanations, inferences, and examples.

Exceptional reflection demonstrates a high degree of critical thinking in applying, analysing, and evaluating key course concepts and theories from readings, lectures, media, discussions activities, and/or assignments.

Personal growth 1 Marks

Conveys inadequate evidence of reflection on own work in response to the self- assessment questions posed. Personal growth and awareness are not evident and/or demonstrates a neutral experience with negligible personal impact. Lacks sufficient inferences, examples, personal insights and challenges, and/or future implications are overlooked.

Conveys limited evidence of reflection on own work in response to the self- assessment questions posed. Demonstrates less than adequate personal growth and awareness through few or simplistic inferences made, examples, insights, and/or challenges that are not well developed. Minimal thought of the future implications of current experience.

Conveys evidence of reflection on own work with a personal response to the self- assessment questions posed. Demonstrates satisfactory personal growth and awareness through some inferences made, examples, insights, and challenges. Some thought of the future implications of current experience.

Conveys strong evidence of reflection on own work with a personal response to the self- assessment questions posed. Demonstrates significant personal growth and awareness of deeper meaning through inferences made, examples, well developed insights, and substantial depth in perceptions and challenges. Synthesizes current experience into future implications.

Exceptionally conveys strong evidence of reflection on own work with a personal response to the self- assessment questions posed. Demonstrates significant personal growth and awareness of deeper meaning through inferences made, examples, well developed insights, and substantial depth in perceptions and challenges. Synthesizes current experience into future implications.

Writing Quality 0.5 Marks

Poor writing style lacking in standard English, clarity, language used, and/or frequent errors in grammar, punctuation, usage, and spelling. Needs work.

Average and/or casual writing style that is sometimes unclear and/or with some errors in grammar, punctuation, usage, and spelling.

Above average writing style and logically organized using standard English with minor errors in grammar, punctuation, usage, and spelling.

Well written and clearly organized using standard English, characterised by elements of a strong writing style and basically free from grammar, punctuation, usage, and spelling errors.

Exceptionally well written and clearly organised using standard English, characterized by elements of a strong writing style and basically free from grammar, punctuation, usage, and spelling errors.

Assessment 2: Assessment type: Individual written assessment (1,000 words) Purpose: Assessment 1 is a report critically analysing a nominated website. Students must identify all the good interface design principles used in the website design. The report should point out the good and bad practices of interface design. This assessment contributes to learning outcomes a and b. Value: 20% Due Date: Week 5 Assessment topic: Analysis of nominated website

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 11 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Task Details: Write an analysis report on one of the following type of websites:

− Educational website − IT company website − Online tours and travels website − E-commerce websites − Social media

The report should include the following points: 1. Introduction: The introduction about your selected website. All the relevant information and background

details should include. 2. Website Structure: The structure of your chosen website should be covered properly. The report

should include how the website is set up, the individual subpages are linked to one another etc. 3. Interface Design: Identify at least 5-6 good and bad interface design principles used in the website

design. Justify the good and bad interface design identified by you. 4. Screenshots: Provide screenshot samples for all the good and bad interface design principles you

have identified in the website and support those with discussion. 5. Conclusion and Recommendations: After the analysis provide a comprehensive summary of the report.

Also, add the limitations you have studied and what will be the future scope to overcome those limitations.

Assessment 2 Marking Rubric: Criteria Unsatisfactory Satisfactory Effective Excellent Exceptional

Answer the given questions

Fail (0 – 49%)

Pass (50 – 64%)

Credit (65 – 74%)

Distinction (75 – 84%)

High Distinction (85 – 100%)

Introduction 3 Marks

No introduction given or most of the introduction is irrelevant

Introduction of the business case is provided with some details and limited cohesion

Introduction of the business case is provided with most of the required details in a cohesive manner

Introduction of the business case is provided with all of the required details in a comprehensive and cohesive manner

Introduction of the business case is provided with all details presented systematically in a comprehensive and cohesive manner

Website Structure 3 Marks

Very difficult to read, unclear structure, and most of the required sections are missing

Some difficulty in reading, not very clear, but important sections are included

Clear and readable, and all required sections are included

Well written and very clear, and all required sections with completed discussion are included

Well written and very clear, all required sections with completed discussion are included, and additional sections have been added for clarity

Interface Design Principles 7 Marks

Not included or irrelevant discussion

3-4 design principles identified with limited discussion

4-5 design principles identified with some discussion

5-6 design principles identified with good discussion

5-6 design principles identified with excellent discussion and supported arguments

Screenshots 3 Marks

No screenshots provided or irrelevant screenshots given

3-4 relevant screenshots provided with limited discussion

4-5 screenshots provided with discussion

All screenshots provided with good discussion

All relevant screenshots provided with excellent discussion and supported arguments

Conclusion and Recommendation 4 Marks

No conclusion or lack of cohesion with the discussion, no or limited recommendations provided

Conclusion does not link back systematically to most sections, some basic recommendations provided

Conclusion links back to some sections of the report, some detailed recommendations provided

Conclusion links back to all sections of the report, detailed recommendations provided

Conclusion demonstrates a deep understanding of the proposed solution and relates back to all sections of the report, detailed recommendations provided

 

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 12 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Assessment 3 Assessment type: Individual assessment- Mid-trimester test (1 hour) Assessment purpose: Covers topics of Weeks 1 to 5. This assessment contributes to learning outcomes a and b. Value: 20% Due Date: Week 6 Assessment topic: Mid-trimester test Task details: The assessment will consist of a series of short answer questions relating to subject content from topics covered in weeks 1 to 5 inclusive. Submission requirements details: In class test Marking Rubric:

Unsatisfactory Satisfactory Good Very good Exceptional

Grade Fail Pass Credit Distinction High distinction

Marks 0-49% 50-64% 65-74% 75-84% >84%

Assessment 4 Assessment type: Group assessment Purpose: This assessment will allow students to develop a website. This assessment contributes to learning outcomes c and d. Value: 50% (Project plan 10%; Group report 25%; Group presentation 15%) Due Date: Week 4 (Project plan); Week 10 (Group report); Weeks 11-12 (Group presentations) Assessment topic: Group Project (3-5 members in a group): project plan (500 words – will be discussed in class), report with working prototype (2,500 words) and presentation (15 minutes). Task Details: This assessment requires students to design a website of their choice in their area of interest. Students are required to develop a prototype of the website. The prototype will be used to test the applicability of interface design. Students are allowed to use any software tools of their choice to develop the prototype. A group report needs to be completed and students must present the outcome of their project. Students will be expected to answer the questions during the presentation about their project. The project plan must include: 1) Title and description of the website 2) Design Plan (preliminary sketches of the website) 3) Members role and responsibilities 4) Project Plan (Gantt Chart and other related information) The Report must contain following sections: 1) Introduction of the report 2) Detailed design of the webpages and all interfaces 3) Prototype development with teasing and screenshots 4) Conclusion and Recommendations 5) References Presentation: The students will give 15 min presentation and demonstration of their project.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 13 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Assessment 4 – Rubric Marking for Project Plan (10%), Due week 4

Assessment 4 – Rubric Marking for Group Report (25%), Due week 10

Criteria Unsatisfactory Satisfactory Effective Excellent Exceptional

Answer the given questions

Fail (0 – 49%)

Pass (50 – 64%)

Credit (65 – 74%)

Distinction (75 – 84%)

High Distinction (85 – 100%)

Title and description 4 Marks

Title is not clear and irrelevant to the project, no description of the project provided

Title is specific and relevant; the incomplete project description is provided

Title is specific and relevant; provided the complete project description

Title and project description are very well written

Title and project description are very well written and additional sections have been added for clarity

Design Plan 2 Marks

No specification in the form of a prototype or process; provided the inapplicable design plan

Some specification in the form of a prototype or process is provided in the design plan

Most of the specification in the form of a prototype or process is provided in the design plan

All the specification in the form of a prototype or process is provided in the design plan with some future scope and limitations

All the specification in the form of a prototype or process is provided in the design plan; also covered the future scope and limitations in terms of real-world applications

Members roles and responsibility 2 Marks

Members roles and responsibility are not clear and specific

Members roles and responsibility are clear with some of the specific details

Members roles and responsibility are clear with most of the specific details

Members roles and responsibility are clear; the distribution of the project work is evenly distributed to support their efforts

Members roles and responsibility are very well written; the distribution of their project work is supported with enough evidence

Project plan 2 Marks

The control and execution of a project plan is not clear and convincing

The control and execution of a project plan is clear but the supporting contents which required from a project plan is not provided

The control and execution of a project plan is clear and some of the supporting contents which required from a project plan is also provided

The project plan is well – written with most of the required fields such as a resource list, work breakdown structure, a project schedule, a risk plan and the scope of work statement is provided

The project plan is very well – written with all the required fields such as a resource list, work breakdown structure, a project schedule, a risk plan and the scope of work statement is provided

Criteria Fail (0 – 49%) Pass

(50 – 64%) Credit

(65 – 74%) Distinction (75 – 84%)

High Distinction (85 – 100%)

Introduction

3 Marks

No introduction given or irrelevant details

Introduction section provided with some details

Introduction section provided with most of the required details in a coherence way,

Introduction section provided with all of the required details in a comprehensive and cohesive manner

Introduction section provided with all details presented systematically in a comprehensive and cohesive manner

Quality of Design

6 Marks

No design provided or irrelevant design aspects discussed

Some of the design details are given but not clear

Most design details are provided with limited explanation

Most design details are provided with relevant explanation

Exceptionally good design details are provided with all required explanation and supporting arguments

Prototype, development

8 Marks

Poor quality less than 50% HCI rules implemented. (8 golden rules)

50%-65% HCI rules implemented (8 golden rules)

65%-75% HCI rules implemented (8 golden rules)

Professional appearance prototype submitted. More than 75% HCI rules implemented (8 golden rules)

Exceptionally professional working prototype submitted, All HCI rules Implemented (8 golden rules)

Conclusion, recommendations, etc. 3 Marks

No conclusion or lack of cohesion with the discussion, no or limited

Conclusion does not link back systematically to most sections, some basic

Conclusion links back to some sections of the report, some detailed

Conclusion links back to all sections of the report, detailed recommendations provided

Conclusion demonstrates a deep understanding of the proposed solution and relates back to all

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 14 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Assessment 4 – Rubric Marking for Group Presentation (15%), Due week 11-12

Criteria Fail (0 – 49%) Pass

(50 – 64%) Credit

(65 – 74%) Distinction (75 – 84%)

High Distinction (85 – 100%)

Visual Appeal (Group) 2.5 Marks

There are many errors in spelling, grammar and punctuation. The slides were difficult to read, not proper color and font used, too much information been copied. No visual appeal.

There are many errors in spelling, grammar and punctuation. Too much information was contained on many slides. Minimal effort made to make slides, too much going on.

There are some errors in spelling, grammar and punctuation. Too much information on two or more slides. Significant visual appeal.

There are no errors in spelling, grammar and punctuation. Information is clear and concise on each slide. Visually appealing and engaging.

Professional looking presentation There are no errors in spelling, grammar and punctuation. Information is clear and concise on each slide. Visually appealing and very engaging.

Content (Group) 2.5 marks

The presentation provides a brief look at the topic but many questions are left unanswered, majority of information is irrelevant and significant points left out

The presentation Is informative but several elements are unanswered, much of the information irrelevant, coverage of some of major points

The presentation is a good summary of the topic, most important information covered, little irrelevant information

The presentation is a concise summary of the topic with all questions answered, comprehensive and complete coverage of information

Exceptionally good summary of the topic and provides extensive supportive elements to aid the ease of understanding of the audience

Preparedness/ participation/ group dynamics (Group) 3 marks

Unbalanced presentation or tension resulting from over-helping. multiple group members not participating, evident lack of preparation/ rehearsal, dependence on slides

Significant controlling by some members with one minimally contributing, primarily prepared but with some dependence on just reading off slides

Slight predominance of One presenter, Members help each other, very well prepared

All presenters know the information, participated equally and help each other as needed, extremely well prepared and rehearsed

Exceptionally good group dynamics, presentation would be considered professional

Presentation Skills (Individual) 7 marks

Minimal eye contact focusing on small part of audience, the audience is not engaged, spoke too quickly or quietly making it difficult to understand, poor body language

Focuses on only part of the audience, sporadic eye contact and the audience is distracted, speaker could be heard by only half of the audience, body language is distracting

Speaks to majority of the audience, steady eye contact, the audience is engaged by the presentation, speaks at a suitable volume, minor problems with body language eg. fidgeting

Regular/constant eye contact, the audience is engaged, and presenter held the audience’s attention, appropriate speaking volume and good body language

Professional presentation skills, excellent audience engagement

 

recommendations provided

recommendations provided

recommendations provided

sections of the report, detailed recommendations provided

Format and References

2.5 Marks

Students did not follow the required format in the report or in referencing

Report includes most of the report sections but not all, referencing incorrect on several occasions

Report includes most of the report format sections but missed at least one section, referencing generally in correct format

Report has used the requested format in an acceptable structure, referencing always in correct format

Report has used the requested format in a well-organized structure, referencing always in correct format

Report Structure

2.5 Marks

Poorly organized; no report cover, no table of contents, and no page numbers

Typed; no report cover, and no table of contents; no use of colour

Typed; clean; neatly organized; no report cover, and no table of contents

Typed; clean; neatly organized with a well- designed report cover; effective use of colour

Exceptionally well typed; clean; neatly organized with a well- designed report cover; effective use of colour

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 15 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

3.2 Late Penalties and Extensions An important part of business life and key to achieving KOI’s graduate outcome of Professional Skills is the ability to manage workloads and meet deadlines. Consequently, any assessment items such as in-class quizzes and assignments missed or submitted after the due date/time will attract a penalty (see below). Students who miss mid-trimester tests and final exams without a valid and accepted reason (see below) may not be granted a deferred exam and will be awarded 0 marks for assessment item. These penalties are designed to encourage students to develop good time management practices, and create equity for all students. Any penalties applied will only be up to the maximum marks available for the specific piece of assessment attracting the penalty. Late penalties, granting of extensions and deferred exams are based on the following: In Class Tests (excluding Mid-Trimester Tests) o No extensions permitted or granted – a make-up test may only be permitted under very special

circumstances where acceptable supporting evidence is provided. The procedures and timing to apply for a make-up test (only if available) are as shown in Section 3.3 Applying for an Extension (below).

o Missing a class test will result in 0 marks for that assessment element unless the above applies. Written Assessments o 5% of the total available marks per calendar day unless an extension is approved (see Section 3.3

below) Presentations o No extensions permitted or granted – no presentation = 0 marks. The rules for make-up presentations

are the same as for missing in-class tests (described above). Mid-Trimester Tests and Final Exams o If students are unable to attend mid-trimester tests or final exams due to illness or some other event

(acceptable to KOI), they must: − Advise KOI in writing (email: academic@koi.edu.au) as soon as possible, but no later than three

(3) working days after the exam date, that they will be / were absent and the reasons. They will be advised in writing (return email) as to whether the circumstances are acceptable.

− Complete the appropriate Application for Extension or Deferred Exam Form available from the Student Information Centre in Moodle, on the KOI Website (Policies and Forms) and the Reception Desk (Market St and Kent St), as soon as possible and email with attachments to academic@koi.edu.au.

− Provide acceptable documentary evidence in the form of a satisfactorily detailed medical certificate, police report or some other evidence that will be accepted by KOI.

− Agree to attend the deferred exam as set by KOI. Deferred exam o There will only be one deferred exam offered. o Marks awarded for the deferred exam will be the marks awarded for that assessment. o If you miss the deferred exam you will be awarded 0 marks for the assessment. This may mean you

are unable to complete (pass) the subject.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 16 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

3.3 Applying for an Extension If students are unable to submit or attend an assessment when due, and extensions are possible, they must apply by completing the appropriate Application for Extension form available from the Student Information Centre in Moodle, the KOI Website (Policies and Forms) and the Reception Desk (Market St and Kent St), as soon as possible but no later than three (3) working days of the assessment due date. The completed form must be emailed with supporting documentation to academic@koi.edu.au. Students and lecturers / tutors will be advised of the outcome of the extension request as soon as practicable.

Appropriate documentary evidence to support the request for an extension must be supplied. Please remember there is no guarantee of an extension being granted, and poor organisation is not a satisfactory reason to be granted an extension. 3.4 Referencing and Plagiarism Please remember that all sources used in assessment tasks must be suitably referenced. Failure to acknowledge sources is plagiarism, and as such is a very serious academic issue. Students plagiarising run the risk of severe penalties ranging from a reduction through to 0 marks for a first offence for a single assessment task, to exclusion from KOI in the most serious repeat cases. Exclusion has serious visa implications. The easiest way to avoid plagiarising is to reference all sources. Harvard referencing is the required method – in-text referencing using Author’s Surname (family name) and year of publication. A Referencing Guide, “Harvard Referencing”, and a Referencing Tutorial can be found on the right hand menu strip in Moodle on all subject pages. An effective way to reference correctly is to use Microsoft Word’s referencing function (please note that other versions and programs are likely to be different). To use the referencing function, click on the References Tab in the menu ribbon – students should choose Harvard. Authorship is also an issue under plagiarism – KOI expects students to submit their own original work in both assessment and exams, or the original work of their group in the case of a group project. All students agree to a statement of authorship when submitting assessments online via Moodle, stating that the work submitted is their own original work. The following are examples of academic misconduct and can attract severe penalties: o Handing in work created by someone else (without acknowledgement), whether copied from another

student, written by someone else, or from any published or electronic source, is fraud, and falls under the general Plagiarism guidelines.

o Copying / cheating in tests and exams is academic misconduct. Such incidents will be treated just as seriously as other forms of plagiarism.

o Students who willingly allow another student to copy their work in any assessment may be considered to assisting in copying/cheating, and similar penalties may be applied.

Where a subject coordinator considers that a student might have engaged in academic misconduct, KOI may require the student to undertake an additional oral exam as a part of the assessment for the subject, as a way of testing the student’s understanding of their work. Further information can be found on the KOI website. 3.5 Reasonable Adjustment The Commonwealth Disability Discrimination Act (1992) makes it unlawful to treat people with a disability less fairly than people without a disability. In the context of this subject, the principle of Reasonable Adjustment is applied to ensure that participants with a disability have equitable access to all aspects of the learning situation. For assessment, this means that artificial barriers to their demonstrating competence are removed.

Approved by KOI Academic Board for T1 2020

 

 

ICT203

ICT203 HUMAN COMPUTER INTERACTION T120 27/02/2020 14:46 PAGE 17 OF 17 *AUSTRALIAN INSTITUTE OF BUSINESS AND MANAGEMENT PTY LTD © ABN: 72 132 629 979 CRICOS 03171A

 

Examples of reasonable adjustment in assessment may include: o provision of an oral assessment, rather than a written assessment o provision of extra time o use of adaptive technology. The focus of the adjusted assessment should be on enabling the participants to demonstrate that they have achieved the subject purpose, rather than on the method used. 3.6 Appeals Process Full details of the KOI Assessment and Assessment Appeals Policy may be obtained in hard copy from the Library, and on the KOI website www.koi.edu.au under Policies and Forms. Assessments and Mid-Trimester Exams: Where students are not satisfied with the results of an assessment, including mid-trimester exams, they have the right to appeal. The process is as follows: o Discuss the assessment with their tutor or lecturer – students should identify where they feel more

marks should have been awarded – students should provide valid reasons based on the marking guide provided for the assessment. Reasons such as “I worked really hard” are not considered valid.

o If still not satisfied, students should complete an Application for Review of Assessment Marks form, detailing the reason for review. This form can be found on the KOI website and is also available at KOI Reception (Market St and Kent St).

o Application for Review of Assessment Marks forms must be submitted as explained on the form within ten (10) working days of the return of the marked assessment, or within five (5) working days after the return of the assessment if the assessment is returned after the end of the trimester.

Review of Grade – whole of subject and final exams: Where students are not satisfied with the results of the whole subject or with their final exam results, they have the right to request a Review of Grade – see the Assessment and Assessment Appeals Policy for more information. An Application for Review of Grade/Assessment Form (available from the KOI Website under Policies and Forms and from KOI Reception, Market St and Kent St) should be completed clearly explaining the grounds for the application. The completed application should be submitted as explained on the form, with supporting evidence attached, to the Academic Manager.

Approved by KOI Academic Board for T1 2020

 

  • ICT203 HUMAN COMPUTER INTERACTION T120
  • 2.2 Graduate Attributes for Undergraduate Courses
  • 2.3 Subject Learning Outcomes
  • This is a Level 2 subject.
 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Information Technology Project

IT Infrastructure Project Phase 1 Grading Rubric

Criteria Levels of Achievement

Content 70% Advanced 90-100% Proficient 70-89% Developing 1-69% Not present

Introduction and

conclusion

18 to 20 points

The introduction is succinct and

embodies the project’s primary

objectives and outcomes. The

introduction constructs the purpose

of the system. A compelling and

justifiable conclusion is developed

that supports the key outcomes,

managerial implications, and

limitations of the design. More

than 5 scholarly sources and 500

words combined.

17 points

The introduction and conclusion are

succinct and embody most of the

project’s primary objectives and

outcomes, and/or the introduction

constructs an unclear purpose of the

system and/or a justified conclusion

is developed that supports the key

outcomes, managerial implications,

and limitations of the design.

Minimum of 5 scholarly sources

and 500 words.

1 to 16 points

The introduction and/or conclusion are

generalized and embody some of the

project’s primary objectives,

managerial implications, design

limitations, and outcomes and/or has

less than the minimum of 5 scholarly

sources and 500 words and/or is not

defensible.

 

0 points

Substantially unmet or not

present

Literature review

37 to 40 points

Explanations of the design running

configurations show mastery of

each concept. The review of

literature is related to the primary

problems of the re-design. It

thoroughly addresses system

feasibility, performance, RAS

(reliability, availability,

serviceability), security, and

disaster recovery. Premier

scholarly journal articles support

the design by comparing,

contrasting, and outlining proper

standards and objective research

results necessary to improve the

system. Over 1,000 words and 10

unique scholarly journal articles

that are relevant to the

infrastructure model. Router and

switch running configurations

included in appendices.

34 to 36 points

Explanations of the design running

configurations show comprehension

of each concept. The review of

literature is mostly related to the

primary problems of the re-design

and/or it addresses system

feasibility, performance, RAS

(reliability, availability,

serviceability), security, and disaster

recovery and/or it uses scholarly

journal articles detailing the

research and outcomes of the

research, comparing, contrasting,

and outlining proper standards and

objective research results necessary

to improve the system and/or

includes a minimum of 1,000 words

and/or 8 unique scholarly journal

articles that are relevant to the

infrastructure model. Router and

switch running configurations

included in appendices.

1 to 33 points

Explanations of the design running

configurations show partial

comprehension of each concept and/or

the review of literature is not directly

related to the primary problems of the

re-design and/or it does not address

system feasibility, performance, RAS

(reliability, availability,

serviceability), security, and disaster

recovery sufficiently and/or it uses

inadequate scholarly journal articles

detailing the research and outcomes of

the research, comparing, contrasting,

and outlining proper standards and

objective research results necessary to

improve the system and/or does not

include a minimum of 1,000 words

and/or 8 unique scholarly journal

articles that are relevant to the

infrastructure model. Router and

switch running configurations

included in appendices.

0 points

Substantially unmet or not

present and/or router and

switch running configurations

not included in appendices

 

 

IT Infrastructure Design

74 to 80 points

Excellent architectural design that

is fully functional and properly

addresses security, modularity,

resiliency, and flexibility given

modern industry best practices,

research, and standards for IT

infrastructure. All functionality is

operational that meets each of the

project instruction requirements

including a supported network

design for 1,000+ nodes, IP

addressing, NAT, ISP design,

DNS, DHCP, and web services.

External and internal workstations

can connect to all services

appropriately but are denied access

to services they should not have

access given their role. Proper

networking protocols are

functional and designed properly

for a medium-sized network as

defined by the project instructions.

67 to 73 points

Sufficient architectural design that

is functional and properly addresses

security, modularity, resiliency, and

flexibility given modern industry

best practices, research, and

standards for IT infrastructure

and/or over 80% of the required

functionality is operational that

meets each of the project instruction

requirements including a supported

network design for 1,000+ nodes, IP

addressing, NAT, ISP design, DNS,

DHCP, and web services. External

and internal workstations can

connect to over 80% of the required

services appropriately but are

denied access to services they

should not have access given their

role. Proper networking protocols

are functional and designed properly

for a medium-sized network as

defined by the project instructions.

1 to 66 points

Architectural design that is partially

functional and/or partially addresses

security, modularity, resiliency, and

flexibility given modern industry best

practices, research, and standards for

IT infrastructure and/or less than 80%

of the required functionality is

operational that meets each of the

project instruction requirements

including a supported network design

for 1,000+ nodes, IP addressing, NAT,

ISP design, DNS, DHCP, and web

services and/or external and internal

workstations can connect to less than

80% of the required services

appropriately and/or are not denied

access to services they should not

have access given their role and/or

proper networking protocols are

partially functional and/or not

designed properly for a medium-sized

network as defined by the project

instructions.

0 points

Substantially not working or

not present and/or working lab

not included

Structure 30% Advanced 90-100% Proficient 70-89% Developing 1-69% Not present

APA, Grammar, and

Spelling

18 to 20 points

Properly formatted APA paper

with table of contents and

references pages. Correct spelling

and grammar used. Contains fewer

than 2 errors in grammar or

spelling that distract the reader

from the content and/or minimal

errors (1-2) noted in the

interpretation or execution of

proper APA format. Excellent

organization, headings, and flow of

the main concepts exist.

17 points

Paper contains fewer than 5 errors

in grammar or spelling that distract

the reader from the content and/or

some errors (3-7) noted in the

interpretation or execution of proper

APA format and/or inadequate

organization, headings, and flow of

the main concepts exist and/or

notable absences in required APA

formatting elements such as: Title

page, running head, font type and

size (Times New Roman 12 point),

and line spacing.

1 to 16 points

Paper contains fewer than 10 errors in

grammar or spelling that distract the

reader from the content and/or

numerous errors (7+) noted in the

interpretation or execution of proper

APA format and/or inadequate

organization, headings, and flow of

the main concepts exist and/or notable

absences in required APA formatting

elements such as: Title page, running

head, font type and size (Times New

Roman 12 point), and line spacing.

0 points

Paper contains more than 10

errors in grammar or spelling

that distract the reader from

the content and/or numerous

errors (10+) noted in the

interpretation or execution of

proper APA format and/or

inadequate organization,

headings, and flow of the main

concepts exist.

Requirements 37 to 40 points

Each scenario and design

improvement is operational and

includes the correct solutions.

Working lab addresses each of the

34 to 36 points

Each scenario and design

improvement is operational and

includes within 10% of the correct

solutions. Working lab addresses

1 to 33 points

The scenarios and/or design

improvements are not completely

operational and/or are not within 10%

of the correct solutions and/or less

0 points

Substantially unmet or not

present and/or working lab not

included and/or router and

 

 

project requirements and is fully

functional. Over 2,000 words exist

of original student authorship that

shows excellent mastery and

knowledge of IT infrastructure

design. Over 10 unique scholarly

peer reviewed journal articles from

well-respected IT journals exist

that directly relate to and

sufficiently support the working

designs and scenarios.

each of the project requirements and

is functional. 2,000 words exist of

original student authorship that

shows mastery and knowledge of IT

infrastructure design. 10 unique

scholarly peer reviewed journal

articles from well-respected IT

journals exist that relate to and

sufficiently support the working

designs and scenarios.

than 80% of the lab requirements are

functional and/or there are less than

2,000 words of original student

authorship that shows mastery and

knowledge of IT infrastructure design

and/or there are less than 10 unique

scholarly peer reviewed journal

articles from well-respected IT

journals that relate to and sufficiently

support working designs and

scenarios.

switch running configurations

not included

Total Points

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

IT Policy And Strategy

Business Case: Recommendation Systems Powered by AI—Still Room for Improvement
Much has been written about the wonders of some of the most well-known recommendation systems in use today at companies like Amazon, Netflix, LinkedIn, Facebook, and YouTube. These recommendations are credited with giving their companies a significant competitive advantage and are said to be responsible for significant increases in whatever system the company uses to keep score. For Amazon, that would be sales dollars. The Amazon recommendation system is said to be responsible for 35% of sales, a figure that has been cited by several authors dating back to at least 2013 (MacKenzie, Meyer, & Noble, 2013; Morgan, 2018). The Netflix recommendation system is also believed to be one of the best in the business. Netflix counts success in terms of how many shows people watch, how much time they spend watching Netflix, and other metrics associated with engagement and time on channel. But the Netflix recommendation system is also credited with moving dollars to the company’s bottom line to the tune of $1 billion a year (Arora, 2016).

In the realm of social media, score is kept a little differently, and in the case of Facebook and LinkedIn, recommendation systems are frequently used to suggest connections you might wish to add to your network. Facebook periodically show you friends of friends that you might be interested in “friending,” while on LinkedIn, you are frequently shown the profiles of individuals that might make great professional connections. Finally, YouTube’s recommendation system lines up a queue of videos that stand ready to fill your viewing screen once your current video finishes playing. Sometimes the relationship between your current video and the line-up of recommended videos is obvious. While watching a clip of a Saturday Night Live sketch, you can see that several of the recommended videos waiting for you are also SNL clips. But not always, and that is probably where some cool recommendation engine juju comes into play, trying to figure out what will really grab your interest and keep you on-site for a few more minutes, watching new clips and the increasingly annoying advertisements that now seem to find multiple ways of popping up and interrupting your use of YouTube’s platform without paying the price of admission.

While all of these companies are to be credited for pioneering recommendation technology that most likely generates beneficial results, it seems that more often than not, the recommendations we get are not as impressive as what so many blog writers would have us believe.

Today, all these recommendation systems have been infused and super-charged from their original creations with the power of artificial intelligence.

Answer the following questions:

  • Has this really changed much in terms of the user experience?
  • How many times do you really send a friend request to that person Facebook tells you that you share four friends in common?
  • Would you accept a friend request from that individual if they sent one to you?
  • How often do you try to connect with the professionals that LinkedIn recommends to you?
  • Or do you find the whole process of deleting all those suggestions a pain?
  • Finally, how often have you sat down to watch Netflix, and after scrolling through all their movies and television shows, you end up watching another channel or maybe decide to go read a book?
  • Or when was the last time you purchased an unsolicited product that was recommended to you on Amazon?

Your paper should be 3 to 4 pages long using APA format. Provide appropriate citations

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Project

IT Security System Audits PSCS 3111

Project: Addressing a New Business’s Compliance Responsibilities Purpose This project provides an opportunity for you to apply principles related to auditing to ensure information systems are in compliance with pertinent laws and regulations, as well as industry requirements.

Required Source Information and Tools

Web References: Links to Web references are subject to change without prior notice. These links were last verified on July 1, 2015.

To complete the project, you will need the following: 1. Course textbook 2. Access to the Internet to perform research for the project

· PCI Security Standards Council: https://www.pcisecuritystandards.org

· COSO Internal Control—Integrated Framework Executive Summary (2013): http://www.coso.org/documents/990025P_Executive_Summary_final_may20_e.pdf

· COSO Internal Control—Integrated Framework PowerPoint (2013): http://www.coso.org/documents/COSOOutreachDeckMay2013.pptx

· COSO Internal Control—Integrated Framework (2013) whitepaper: http://www.kpmg.com/Ca/en/External%20Documents/Final-New-COSO-2013Framework-WHITEPAPER-web.pdf

Learning Objectives and Outcomes

You will be able to:

· Explain the purpose of PCI DSS

· Analyze business factors that influence PCI DSS compliance

· Describe potential consequences of failing to demonstrate PCI DSS compliance

· Apply standards and frameworks to the development of information security internal control systems Analyze the use of information security controls within IT infrastructure domains

 

 

 

 

Introduction Public and private sector companies are expected to comply with many laws and regulations as well as industry requirements to promote information security. Assessments and audits of the information technology (IT) environment help to ensure a company is in compliance. A successful information security professional must be able to assess a business’s needs, evaluate various standards and frameworks, and develop a customized, integrated internal control system that addresses the company’s compliance responsibilities. Furthermore, the professional must be able to communicate with various people—both inside and outside the organization—to facilitate awareness of how control activities mitigate weaknesses or potential losses that could compromise the company’s information security.

 

Deliverables The project is divided into three parts. Details for each deliverable can be found in this document. Refer to the course syllabus for submission dates.

· Project Part 1: PCI DSS Compliance Requirements

· Project Part 2: Design of an Integrated Internal Control System

· Project Part 3: Compliance within IT Infrastructure Domains

 

 

Project Part 1: PCI DSS Compliance Requirements

Scenario S&H Aquariums is a new online retailer that is about to begin selling aquariums and other items for aquarium hobbyists. In recent months, many companies have been featured in the news because of information security breaches that have exposed customers’ credit card data. S&H Aquariums’ management team is worried about the negative impact a potential breach could have on the company’s reputation and business standing. S&H Aquariums has hired you, an information systems security expert, to ensure that the company is prepared to accept credit card payments for purchases made through the company’s Web site. To kick off the planning phase, the board of directors would like you to write a report explaining what the company will need to do to minimize risks to sensitive data and comply with applicable laws and regulations, as well as industry standards. In preparation, you sit down with the company’s president and discuss the following details:

· Per the company’s strategic plan, the company expects to have between 20,000 and 1,000,000 credit card transactions during the first year of operations. However, the board would like to know what differences to anticipate as the volume of credit card transactions grows in the coming years.

· The company will initially accept payments made with MasterCard and Visa only, but it may decide to accept other credit cards in the future.

· The board of directors is discussing the possibility of opening a bricks-and-mortar store in the future, and the board would like to consider any compliance-related issues prior to making that decision.

· The board consists of professionals from a variety of fields. It is unlikely that any of the board members are familiar with complex information security concepts or with PCI DSS, the set of requirements that prescribes operational and technical controls to protect cardholder data.

 

Tasks

· Review the information related to PCI DSS compliance provided in the course textbook and in the Internet resources listed for this project. Consider how this information relates to the description of S&H Aquariums provided in the scenario above.

· Write a report for S&H Aquariums’ board of directors. Include the following:

· Introduction

· PCI DSS Overview

· Include a discussion of the six principles, twelve primary requirements, and the sub-requirements of PCI DSS.

· Rationale

· Explain why the company needs to address the PCI DSS requirements and describe potential consequences if the company is not able to demonstrate compliance.

· Immediate Considerations for PCI DSS Compliance

· Analyze factors (including those introduced in the scenario above) that will influence S&H Aquariums’ immediate plans for PCI DSS compliance. Discuss payment brands (credit card companies), transaction volumes, merchant levels (i.e., 1 through 4), and types of reporting required in relation to S&H Aquariums’ business projections.

· Future Considerations for PCI DSS Compliance

· Analyze contingencies that may influence PCI DSS compliance in the future. Address potential questions from the board, including but not limited to:

· What would be expected of the company if credit card volume increases past 1,000,000 transactions in future years?

· What should S&H Aquariums do to demonstrate PCI DSS compliance if it begins to accept American Express or Discover?

· How would opening a bricks-and-mortar store affect the company’s responsibilities for PCI DSS compliance?

· Conclusion

As a reminder, you may use the textbook for this course and the Internet to conduct research. You are encouraged to respond creatively, but you must cite credible sources to support your work.

Submission Requirements

· Format: Microsoft Word

· Font: Arial, 12-point, double-space

· Citation Style: APA

· Length: 2–3 pages

Self-Assessment Checklist

· I have created a report that uses a professional tone and includes correct terminology.

· In my report, I have described PCI DSS, provided a sound rationale for addressing PCI DSS compliance, and analyzed immediate and future considerations for PCI DSS compliance.

· I have conducted adequate independent research for this part of the project.

 

 

 

Project Part 2: Design of an Integrated Internal Control System

Scenario S&H Aquariums’ board of directors reviewed the report you submitted on PCI DSS compliance (in Project Part 1), and they were grateful for the background and analysis you provided. After discussing the information, they realized that PCI DSS compliance is but one aspect of the overarching information security system needed to launch and sustain the new business. The board would like to understand the bigger picture of how you will develop the control system needed to protect credit card data and document compliance with the PCI DSS requirements. You know this will be a rather complex process. You are planning to use a combination of frameworks and standards to guide the development of the control system. Furthermore, you are making it a priority to design an integrated system so the company can efficiently prepare for multiple types of audits, not just those related to PCI DSS compliance. After explaining to the board that, realistically, you and your team will need much more time to research, discuss, plan, and implement the company’s control system, you agree to write a report that highlights some of the key principles and procedures involved in this undertaking. Tasks

· Review information about the following frameworks or standards introduced in the textbook: COSO, COBIT, SOC, ISO, and NIST. Consider how you may use some or all of these frameworks/standards to guide the creation of an internal control system at S&H Aquariums. Note the similarities or overlaps among each set of frameworks/standards, as well as the differences.

· Using the Internet resources listed for this project, examine the specifics of the COSO framework, which outlines five components of internal control and 17 principles.

· Create a table or other visual aid to map the 17 principles of COSO to the 12 primary PCI DSS requirements. Use your table or visual aid to assess how specific elements of COSO and PCI DSS correspond with one another, as this will inform forthcoming decisions about which controls S&H Aquariums should implement.

· Write a report for the board of directors. Include the following:

· Introduction

· Plan for Developing an Integrated Internal Control System

· Explain how and why you will use multiple frameworks and standards to guide your development of this control system.

· Explain how you will ensure the control system can be used to demonstrate PCI DSS and other forms of compliance.

· Table (or Visual Aid) Showing COSO – PCI DSS Alignment

· In addition, explain how creating this table/visual aid—as well as other, more complex tables with multiple standards/frameworks—would be useful for designing an integrated internal control system.

· Conclusion

 

As a reminder, you may use the textbook for this course and the Internet to conduct research. You are encouraged to respond creatively, but you must cite credible sources to support your work.

Submission Requirements

· Format: Microsoft Word

· Font: Arial, 12-point, double-space

· Citation Style: APA

· Length: 2-3 pages

Self-Assessment Checklist

· I have created a report that uses a professional tone and includes correct terminology.

· In my report, I have explained how and why I would use a combination of standards/frameworks to guide the development of an integrated internal control system, and explained how I would ensure the control system could be used to demonstrate multiple forms of compliance.

· In my report, I have included a table or visual aid that shows alignment of COSO and PCI DSS, and I have explained how this would be useful for designing an integrated internal control system.

· I have conducted adequate independent research for this part of the project.

 

Project Part 3: Compliance Within IT Infrastructure Domains

Scenario S&H Aquariums’ board of directors has been receptive to your plan for building an internal control system. They are eager to move forward and expand the company’s IT infrastructure so they can begin processing credit card transactions through their Web site. The company has recently hired a new team member, Marcus, who will work with you to address some of the company’s information technology needs. Marcus brings a good deal of expertise in IT, but he needs some additional training and development on information security and compliance issues. To bring Marcus up to date on the company’s plans, you ask him to read the two reports you prepared for the board of directors (in Project Parts 1 and 2). Next, you will meet with him to discuss the integrated internal control system and explain how such a system can be used to proactively prepare for audits. Clearly, there is a lot to consider! You decide to create a presentation that is structured around the seven domains of a typical IT infrastructure. You will provide examples of controls that you think S&H Aquariums should implement, and explain how these controls relate to COSO and PCI DSS. You will also explain how this will, ultimately, help the company demonstrate compliance.

· Tasks Consider the seven domains of a typical IT infrastructure, as well as controls that are often associated with each of those domains.

· Based on your earlier analysis of S&H Aquariums and its compliance requirements (in Project Parts 1 and 2), which controls do you think S&H Aquariums should implement as part of the integrated internal control system? You may create a table, map, or other visual aid to help you evaluate control options for each domain. Note: For this part of the project, consider how prospective controls align with COSO and PCI DSS. In an actual organization, the controls you implement would most likely align with additional frameworks/standards, but you are not required to research and document that for this project.

· Create a presentation that includes:

· Title, date, and your name and contact information

· A brief introduction

· A section for each of the seven domains in a typical IT infrastructure In each domain section:

· Explain what the domain is and why it is significant for compliance.

· Describe at least two controls related to this domain that you would recommend S&H Aquariums implement as part of its integrated internal control system.

· Provide your rationale for selecting each control; explain how the control relates to one or more principles of COSO and one or more PCI DSS requirements.

· Implications for Compliance

· Explain how use of the controls you have presented will support the company’s efforts to demonstrate compliance.

· Conclusion

· References

As a reminder, you may use the textbook for this course and the Internet to conduct research. You are encouraged to respond creatively, but you must cite credible sources to support your work.

Submission Requirements

· Format: Microsoft PowerPoint

· Font: Arial; 36-point headings, 20- to 32-point body text

· Citation Style: APA

· Length: 12 to 16 slides

Self-Assessment Checklist

· I have created a presentation that uses a professional tone and includes correct terminology.

· In my presentation, I have described the seven domains of a typical IT infrastructure. For each domain, I have recommended at least two controls and provided my rationale for the selections. I have also discussed implications of implementing these controls for demonstrating compliance.

· I have conducted adequate independent research for this part of the project.

Page 1

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

For The Units 6-7 Assignment You Will Be Required To Build And Train A Neural Network To Recognize Letters Of The Alphabet And Numbers Based Upon Their Design Using A Seven Segment Display Where Each Segment Of The Display Is One Input Into The Neural Net

For the units 6-7 assignment you will be required to build and train a neural network to recognize letters of the alphabet and numbers based upon their design using a seven segment display where each segment of the display is one input into the neural network.

CS4407Unit6WAImg01.PNG

Using the numbering for the segments in the previous figure as the inputs into your neural network.  You are welcome to use any network design that will accurately solve the problem.   In this case your network must be able to identify the letter or number based upon the pattern of segments.   For example if the segments 1,2,3,4, and 7 are lighted then the pattern would represent the number 3.  The number three must be represented as a binary number that is the output of the neural network.

Not all of the letters of the alphabet can be accurately recognized.  The following chart represents the numbers and letters that your network must be able to recognize with the exception of letters S and Z which cannot be distinguished from the numbers 2 and 5.

CS4407Unit6WAImg02.PNG

The output of your network will be the ASCII code of the letter or number defined in the following list and represented as binary.  Since the largest number is 72 you will require 7 outputs to represent any of the 7 segment numerals.

Character       ASCII       Neural Network Output (Binary)

 

0                  48                0110000

1                  49                0110001

2                  50                0110010

3                  51                0110011

4                  52                0110100

5                  53                0110101

6                  54                0110110

7                  55                0110111

8                  56                0111000

9                  57                0111001

A                 65                1000001

B                 66                1000010

C                 67                1000011

D                 68                1000100

E                 69                1000101

F                 70                1000110

H                 72                1001000

We are using a 7 segment display to recognize letters and numbers, however it is important to know that we could use the same approach to recognize virtually anything.   We are using a 7 segment display because our simulated neural network only has the capacity to accommodate 10 input values.  However if we had more input values we could recognize any handwritten letter or number.  Consider the following examples example.  Assume that we had a matrix that was 16 x 16 (total of 256 point) and each of the points were an input into our neural network.  Further assume that we could overlay a hand written letter or number onto this matrix.  Every pixel that was colored by the letter would have a value of 1 and any pixel that was not colored would have a value of 0.

CS4407Unit6WAImg03.PNG

Using this as input we could easily train a neural network to ‘recognize’ various hand written letters.  As the amount of training increases the accuracy of the network to detect similar letters that might not have the exact same shape (but a similar one) would increase.

Let’s consider another example.   Assume that we had a neural network and instead of the inputs being 1 or 0, we had the ability to determine a value between 0 and 1 as input where 0 was the color white and 1 the color black and shades of grey as values in between 0 and 1.

CS4407Unit6WAImg04.PNG

Using this approach we could train the neural network to recognize faces, people, and objects … such as Albert Einstein here.  In practice, facial recognition software will typically limit the amount of ‘features’ that are used as input to the neural network to areas that have the greatest predictive power such as the position of the eyes, nose, mouth, and perhaps chin, but the principle remains the same as the network that we will build to recognize the letters in the 7 segment display.

To complete this assignment, you will need to download and install the Basic Prop neural network simulator.  Basic Prop is distributed as an executable Java Jar file.  You can either execute the file on your local computer or you can access the simulator in the Virtual Computing Lab.   To run the simulator on your local computer you will need to have the Java JRE (java runtime environment) version 1.5 or greater installed on your computer.

The simulator can be downloaded from the basic prop website at the following URL: http://basicprop.wordpress.com/2011/12/21/introducing-basic-prop-a-simple-neural-networ/

As part of the assignment you will need to create a pattern file for the 7 segment display input data.  You can see an example of a pattern file on the basic prop website.

I have provided an example of a pattern file below.  In this case I have set up the pattern file to teach the neural network to add two binary numbers.  Notice that the first set of digits is the input value in binary.  The second set of digits is the output value of the network.  Notice how in the first set of digits I have 0 0 0 0 1 0 0 0 0 0 1 as input.  In this example which adds two numbers together, I have defined the input as two binary numbers each 5 digits in length (in the first example the two numbers are 1 in binary).  The second set of digits are the output of the network in the example it would be 2 in binary (0 0 0 1 0) ….1 plus 1 is 2.

The network is then ‘taught’ to add the two numbers together.

Number of patterns = 3

Number of inputs = 10

Number of outputs = 5

[Patterns]

0 0 0 0 1 0 0 0 0 1    0 0 0 1 0

0 0 0 1 0 0 0 0 0 1    0 0 0 1 1

0 0 0 1 1 0 0 0 1 0    0 0 1 0 1

Another example is using the neural network to process logic patterns such as AND, OR, and the XOR. You can download the pattern file for AND logic and use the same file format for a network that can solve the 7 segment display problem (you could also cut and paste my add numbers pattern file from above).   When you have created the pattern file (the pattern file defines the number of inputs and the outputs in the problem and the number of test cases you can use it to train and test your neural network.

Using the simulator you will need to design a network, load the pattern file, and then train the network.  You should experiment with your network design to make sure that your network and solve all of the test cases.  If your network is not solving all of the cases, then you should alter the design of the network and train the network again.When you have workable network design that solves all of the cases:

  • You should save your network, capture a screen shot of your simulator with the completed solution, and save your pattern file.
  • You must report on the results of testing your network after it has been trained.
  • You must include the average per pattern error metric as part of your testing results.
  • Your error should be under 5% in order for the network to be acceptable.
  • You must report the number of training steps that your network required.
  • You should report the metrics chosen in basic prop for training your network report the defaults if you do not change them.
  • You should report these metrics for EACH network that you test identifying the network that you selected as the solution for your assignment.
  • You should also use the feature in basic prop to save your weights to a file.
  • All of these items should be submitted as part of your assignment.
  • You should also write a short paper explaining the process that you went through to develop your network including any network designs that were unable to accurately determine what each input character was and the reasons that you discovered the network design was not successful.

NOTE: You will have 2 weeks to compete this assignment; it will be due at the end of Week/Unit 7.

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!

Excel

Grader – Instructions Excel 2019 Project

Excel_2F_Commercial_Compensation

 

Project Description:

In the following project, you will edit a worksheet that summarizes the compensation for the commercial salespersons who qualified for bonuses in two regions.

 

Steps to Perform:

Step Instructions Points Possible
1 Open the Excel workbook Student_Excel_2F_Commercial_Compensation.xlsx downloaded with this project. 0
2 Rename Sheet1 as Arizona and rename Sheet2 as Washington. 4
3 Click the Arizona sheet tab to make it the active sheet, and then group the worksheets. In cell A1, type Marisol Desserts and Spices and then Merge & Center the text across the range A1:F1. Apply the Title cell style. Merge & Center the text in cell A2 across the range A2:F2, and then apply the Heading 3 cell style. 10
4 The bonus rates for each salesperson are determined by sales amounts using the following scale: Sales greater than $35,000 earn a bonus rate of 5%, sales greater than $25,000 earn a bonus rate of 4%. All other sales (any amount greater than 0) earn a bonus rate of 2%. With the sheets still grouped, in cell C5 use an IFS function to determine the commission rate for the first salesperson whose sales are in cell B5. Fill the formula down through cell C8. 6
5 In cell D5, calculate Bonus for Moreland by multiplying the Sales times the Bonus Rate. Copy the formula down through cell D8. 4
6 In cell F5, calculate Total Compensation by summing the Bonus and Base Salary for Moreland. Copy the formula down through the cell F8. 8
7 In row 9, sum the columns for Sales, Bonus, Base Salary, and Total Compensation. Apply the Accounting Number Format with two decimal places to the appropriate cells in row 5 and row 9 (do not include the percentages). 4
8 Apply the Comma Style with two decimal places to the appropriate cells in rows 6:8 (do not include the percentages). Apply the Total cell style to B9 and D9:F9. 4
9 Ungroup the sheets, and then insert a new worksheet. Change the sheet name to Summary and then widen column A to 210 pixels and columns B:E to 155 pixels 4
10 Move the Summary sheet so that it is the first sheet in the workbook. In cell A1 of the Summary sheet, type Marisol Desserts and Spices and then Merge & Center the title across the range A1:E1. Apply the Title cell style. In cell A2, type November Commercial Salesperson Bonus Summary and then Merge & Center the text across the range A2:E2. Apply the Heading 1 cell style. 11
11 In the range A5:A7, type the following row titles and then apply the Heading 4 cell style: Bonus Base Salary Total Compensation 4
12 In the range B4:E4, type the following column titles, and then Center and apply the Heading 3 cell style: Arizona/Washington Arizona Washington Total 6
13 In cell C5, enter a formula that references cell D9 in the Arizona worksheet so that the total bonus amount for the Arizona region displays in cell C5. Create a similar formula to enter the total Base Salary for the Arizona region in cell C6. Using the same technique, enter formulas in the range D5:D6 so that the Washington totals display. 8
14 Sum the Bonus and Base Salary rows, and then calculate Total Compensation for the Arizona, Washington, and Total columns. 7
15 In cell B5, insert a Column Sparkline for the range C5:D5. In cells B6 and B7, insert Column sparklines for the appropriate ranges to compare Arizona totals with Washington totals. 10
16 To the sparkline in cell B6, in the first row, apply the second sparkline style. To the sparkline in cell B7, in the first row, apply the third sparkline style. 4
17 Group the three worksheets, and then center the worksheets Horizontally on the page and insert a Custom Footer in the left section with the file name. Change the Orientation to Landscape and fit the columns to 1 page. 6
18 Save and close the file, and then submit for grading. 0
Total Points 100

 

Created On: 10/03/2019 1 GO19_XL_CH02_GRADER_2F_AS – Commercial Compensation 1.1

 
Do you need a similar assignment done for you from scratch? Order now!
Use Discount Code "Newclient" for a 15% Discount!