Please try to follow the sample and don’t forget to answer the questions in the
Please try to follow the sample and don’t forget to answer the questions in the lab manual and put them in the lab report.
Please try to follow the sample and don’t forget to answer the questions in the
Please try to follow the sample and don’t forget to answer the questions in the lab manual and put them in the lab report.
In this project, you will demonstrate your mastery of the following competencies
In this project, you will demonstrate your mastery of the following competencies:
Write scripts using syntax and conventions in accordance with industry standard best practices
Develop a fully functional program using industry-relevant tools
Scenario
You work for a small company that creates text-based games. You recently pitched your design ideas for a text-based adventure game to your team. Your team was impressed by all of your designs, and would like you to develop the game! You will be able to use the map and the pseudocode or flowcharts from your designs to help you develop the code for the game. In your code, you have been asked to include clear naming conventions for functions, variables, and so on, along with in-line comments. Not only will these help you keep track as you develop, but they will help your team read and understand your code. This will make it easier to adapt for other games in the future.
Recall that the game requires players to type in a command line prompt to move through the different rooms and get items from each room. The goal of the game is for the player to get all of the items before encountering the room that contains the villain. Each step of the game will require a text output to let the player know where they are in the game, and an option of whether or not to obtain the item in each room.
Directions
In Project One, you designed pseudocode or flowcharts for the two main actions in the game: moving between rooms and gathering items. In this project, you will write the code for the full game based on your designs. You will also need to include some additional components beyond your original designs to help your game work as intended. You will develop all of your code in one Python (PY) file, titled “TextBasedGame.py.”
IMPORTANT: The directions include sample code from the dragon-themed game. Be sure to modify any sample code so that it fits the theme of your game.
First, create a new file in the PyCharm integrated development environment (IDE), title it “TextBasedGame.py,” and include a comment at the top with your full name. As you develop your code, remember that you must use industry standard best practices including in-line comments and appropriate naming conventions to enhance the readability and maintainability of the code.
In order for a player to navigate your game, you will need to develop a function or functions using Python script. Your function or functions should do the following:
Show the player the different commands they can enter (such as “go North”, “go West”, and “get [item Name]”).
Show the player’s status by identifying the room they are currently in, showing a list of their inventory of items, and displaying the item in their current room.
You could make these separate functions or part of a single function, depending on how you prefer to organize your code.
#Sample function showing the goal of the game and move commands
def show_instructions():
#print a main menu and the commands
print(“Dragon Text Adventure Game”)
print(“Collect 6 items to win the game, or be eaten by the dragon.”)
print(“Move commands: go South, go North, go East, go West”)
print(“Add to Inventory: get ‘item name'”)
#In this solution, the player’s status would be shown in a separate function.
#You may organize your functions differently.
Next, begin developing a main function in your code. The main function will contain the overall gameplay functionality. Review the Project Two Sample Text Game Flowchart, located in the Supporting Materials section, to help you visualize how main() will work.
For this step, simply add in a line of code to define your main function, and a line at the end of your code that will run main(). You will develop each of the pieces for main() in Steps #4–7.
In main(), create a dictionary linking rooms to one another and linking items to their corresponding rooms. The game needs to store all of the possible moves per room and the item in each room in order to properly validate player commands (input). This will allow the player only to move between rooms that are linked or retrieve the correct item from a room. Use your storyboard and map from Project One to help you create your dictionary.
Here is an example of a dictionary for a few of the rooms from the sample dragon text game.
#A dictionary linking a room to other rooms
#and linking one item for each room except the Start room (Great Hall) and the room containing the villain
rooms = {
‘Great Hall’ : { ‘South’ : ‘Bedroom’, ‘North’: ‘Dungeon’, ‘East’ : ‘Kitchen’, ‘West’ : ‘Library’ },
‘Bedroom’ : { ‘North’ : ‘Great Hall’, ‘East’ : ‘Cellar’, ‘item’ : ‘Armor’ },
‘Cellar’ : { ‘West’ : ‘Bedroom’, ‘item’ : ‘Helmet’ },
‘Dining Room’ : { ‘South’ : ‘Kitchen’, ‘item’ : ‘Dragon’ } #villain
}
#The same pattern would be used for the remaining rooms on the map.
The bulk of the main function should include a loop for the gameplay. In your gameplay loop, develop calls to the function(s) that show the player’s status and possible commands. You developed these in Step #2. When called, the function(s) should display the player’s current room and prompt the player for input (their next command). The player should enter a command to either move between rooms or to get an item, if one exists, from a room.
Here is a sample status from the dragon text game:
You are in the Dungeon
Inventory: []
You see a Sword
———————-
Enter your move:
As the player collects items and moves between rooms, the status function should update accordingly. Here is another example after a player has collected items from two different rooms:
You are in the Gallery
Inventory: [‘Sword’, ‘Shield’]
————–
Enter your move:
Note: If you completed the Module Six milestone, you have already developed the basic structure of the gameplay loop, though you may not have included functions. Review any feedback from your instructor, copy your code into your “TextBasedGame.py” file, make any necessary adjustments, and finish developing the code for the gameplay loop.
Within the gameplay loop, you should include decision branching to handle different commands and control the program flow. This should tell the game what to do for each of the possible commands (inputs) from the player. Use your pseudocode or flowcharts from Project One to help you write this code.
What should happen if the player enters a command to move between rooms?
What should happen if the player enters a valid command to get an item from the room?
Be sure to also include input validation by developing code that tells the program what to do if the player enters an invalid command.
Note: If you completed the Module Six milestone, you have already developed a portion of this code by handling “move” commands. Review any feedback from your instructor, copy your code into your “TextBasedGame.py” file, make any necessary adjustments, and finish developing the code.
The gameplay loop should continue looping, allowing the player to move to different rooms and acquire items until the player has either won or lost the game. Remember that the player wins the game by retrieving all of the items before encountering the room with the villain. The player loses the game by moving to the room with the villain before collecting all of the items. Be sure to include output to the player for both possible scenarios: winning and losing the game.
Hint: What is the number of items the player needs to collect? How could you use this number to signal to the game that the player has won?
Here is a sample from the dragon text game of the output that will result if the player wins the game:
Congratulations! You have collected all items and defeated the dragon!
Thanks for playing the game. Hope you enjoyed it.
If the player loses the game, they will see the following output:
NOM NOM…GAME OVER!
Thanks for playing the game. Hope you enjoyed it.
Note: If you completed the Module Six milestone, the gameplay loop ended through the use of an “exit” room. You will need to remove the “exit” room condition and adjust the code so that the game ends when the player either wins or loses, as described above.
As you develop, you should be sure to debug your code to minimize errors and enhance functionality. After you have developed all of your code, be sure to run the code and use the map you designed to navigate through the rooms, testing to make sure that the game is working correctly. Be sure to test different scenarios such as the following:
What happens if the player enters a valid direction? Does the game move them to the correct room?
When the player gets an item from a room, is the item added to their inventory?
What happens if the player enters an invalid direction or item command? Does the game provide the correct output?
What happens if the player wins the game? What happens if the player loses the game?
What to Submit
To complete this project, you must submit the following:
TextBasedGame.py
Develop and submit the “TextBasedGame.py” file using PyCharm. Include your full name in a comment at the top of the code. Be sure to submit the code that you have completed, even if you did not finish the full game.
Evaluate the pros and cons of using various Linux distributions.
Examine the dif
Evaluate the pros and cons of using various Linux distributions.
Examine the differences between Debian-based, Red Hat, and other systems.
Explain some of the benefits of using a specific Linux distribution.
Explore the Linux system and its value to administrators.
Discuss the configuration and management of Linux environments.
After reviewing the feedback given to your Linux distributions, as well as what you learned about classmates’ distros, revise your list. Consider the following: What new features have you learned about that potentially change your original list? Then, create an updated list where you include at least one new distro (a client, server, or network appliance) that you learned from another classmate. Be sure to include the classmate’s name in your posting. If you are keeping any of your original distros, add new elements that you have researched that provide more evidence as to why they remain strong candidates for your recommendation to the CTO.
In a two-page document,
Discuss six specific characteristics of the global natur
In a two-page document,
Discuss six specific characteristics of the global nature of botnets (such as purpose, size, attack method, attribution, etc.).
Describe how these characteristics have emerged, changed, or evolved over the past five to 10 years.
Describe the key technical features of six example botnets.
Discuss what contributing factors may cause botnet characteristics to change, and how these characteristics may change over the next 10 years.
Database – Functional database with test data. This should be in the form of a s
Database – Functional database with test data. This should be in the form of a script that constructs the database, all of the tables, and populates the tables with all of the data. The database should track Artist information, including the styles of art they produce, the art in the gallery including Artist, Year of making, Unique title, Style of art, price, consignment amount, and acquired date. A sales table for the art including commission amount, and a table for art shows including date, styles of art and the pieces that are/were on display. Analysis Questions Who is the most popular artist? What is the most popular style of art? What shows have resulted in the most sales? What customers have purchased the most art? What artists has generated the most and least assignment amounts? What artists showed at which shows?
Evaluate the issues associated with botnets and with formulating global cybersec
Evaluate the issues associated with botnets and with formulating global cybersecurity policy. Identify the characteristics of botnets, and how they have evolved over the past five to 10 years. Research the key technical features of botnets and determine the factors that contribute to botnet characteristics to change. Your Botnet Evaluation should be one-and-a-half to two pages in length.
In at least two (2) pages, no more than three (3) pages, write a how-to article,
In at least two (2) pages, no more than three (3) pages, write a how-to article, paper, or guide that explains the following:
Explain the purpose of a network router and how it stores routes. List router commands used to configure router interfaces to route traffic between networks. Describe router commands used to confirm and troubleshoot router configurations. List one routing protocol you would use and its key features. (25 Points)
Explain the purpose of a network switch and how it routes or switches traffic between interfaces/ports and VLANs. Describe what a VLAN is. Identify and explain switch commands to configure VLAN interfaces and add switch ports to VLANs. List and describe switch commands to confirm and troubleshoot the correct configuration of VLANs and interfaces/ports. (25 Points)
Please explain the differences between IP Addresses and MAC Addresses, and also explain the purpose of subnetting and how to subnet IP addresses. (25 Points)
Explain why we use the Wireshark protocol analyzer. Describe how to filter on the source or destination IP, MAC addresses, TCP/UDP protocol information, and routing protocol information when analyzing network traffic. List three Wireshark features you recommend to other Wireshark users. (25 Points)
Your Task:
The Acquisition of Island Banking Services has moved from the strateg
Your Task:
The Acquisition of Island Banking Services has moved from the strategy development phase to the integration phase. In this phase, the M&A team will develop transition and implementation plans. Padgett-Beale’s Chief Information Security Officer (CISO) has recommended that a separate Cybersecurity Management Program be established for the Padgett-Beale Financial Services (PBI-FS) subsidiary to isolate as much risk as possible to the PBI-FS organization. This management program will require the establishment of policies, plans, and procedures which are customized to the financial service industry and the operating structure of PBI-FS.
The CISO has asked you to continue supporting the Merger & Acquisition team’s efforts. Your specific tasking is to assist in developing an implementation plan for the previously developed Cybersecurity strategy (Project #1). Since there have been additional developments in the M&A strategy overall, you should pay close attention to the Background Information provided later in this document.
Using your prior work (Project 1), develop a high-level plan for implementing a Cybersecurity Management Plan that will allow PBI-FS to begin operations in its new, on-island location. (The plan for the U.S. headquarters is being developed separately from your efforts.) This plan must take into account compliance requirements for U.S. banking laws, regulations, and standards. It must also include recommendations for required security controls, replacement of outdated hardware and software, and other measures necessary to reduce risk to an acceptable level. You must specifically address measures to reduce risks associated with both insider threats and external threats and threat actors.
Note: you MUST use the implementation plan outline provided later in this document.
You may need to perform additional analysis to address issues specific to the findings from the M&A team regarding the as-is state of the purchased assets which comprise the existing IT infrastructure.
Your high-level plan should include the system development life cycle (SDLC) gates/decision points and relevant tasks required to implement changes in the company’s hardware, software, and infrastructure. See https://www.sebokwiki.org/wiki/System_Life_Cycle_Process_Models:_Vee for more information about the gates & decision points.
You must also address any systems or software interoperability issues which may arise (especially those associated with the company’s existing custom software applications). You do not need to prepare a comprehensive Interoperability Assessment but, you should identify key issues and concerns. See the following resources for definitions and guidance:
• https://www.smartgrid.gov/recovery_act/overview/standards_interoperability.html
• https://www.fcc.gov/general/interoperability
You must clearly show that you have applied the following frameworks and concepts in your analysis and planning:
• Cybersecurity Principles: confidentiality, integrity, availability, non-repudiation, authentication, auditability, accountability
• NIST Cybersecurity Framework (see https://nvlpubs. nist.gov/nistpubs/CSWP/NIST. CSWP. 04162018.pdf )
• NIST Security and Privacy Controls (see NIST SP 800-53) OR Center for Internet Security (CIS) 20 Critical Security Controls for Effective Cyber Defense (see https://www.tripwire.com/state-of-security/security-data-protection/security-controls/cis-top-20-critical-security-controls/ )
• Information Security Management Systems (ISMS) – ISO 27001/27002 (see https://www.praxiom.com/toc35.htm and https://www.praxiom.com/iso-27001.htm )
Note: Make sure that you include (in detail) the steps you would take to secure the new infrastructure.
Background:
As part of the purchase agreement for Island Banking Services, Padgett-Beale made a commitment to the bankruptcy court to operate the call center and transaction processing center on the island for the next five years. The Padgett-Beale, Inc. Merger and Acquisition Strategy for Island Banking Services has been updated and now includes the following stipulations which are derived from requirements to comply with U.S. laws and regulations while also implementing the contractual agreement to continue some operations on the island.
1. Island Banking Services will become Padgett-Beale, Inc – Financial Services (PBI-FS).
2. PBI-FS will operate as a wholly owned subsidiary with its own management structure.
3. PBI-FS’s will be incorporated as a U.S. corporation and will comply with all applicable laws and regulations.
4. PBI-FS’s headquarters unit and executive staff (including the CEO, COO, and CFO) will have separate offices from PBI but will be located within a 5 mile radius of the PBI Headquarters.
5. PBI-FS’s call center and transactions processing center will remain on the island but will move to a vacant office building adjacent to the existing Padgett-Beale resort property.
6. The deputy CISO from Padgett-Beale will serve as the interim CISO for PBI-FS.
7. The CISO from Padgett-Beale will serve as a consultant to PBI-FS for all matters relating to the establishment of the subsidiary’s Cybersecurity Management Program.
As part of its due diligence efforts, the Padgett-Beale M&A team reviewed the existing cybersecurity posture for Island Banking Services. This review determined that, while there were some IT security protections in place, Island Banking Services never had a formal IT security program. Instead, the company outsourced management of its hardware, software, and networks to an islander owned and operated IT services company. This company installed and managed the networking equipment, firewalls, and workstations. Some workstations were used by tellers to conduct financial transactions using a web-based interface to a back-end database. The M&A team is suspicious of the existing software and databases due to the level of criminal activity that was uncovered during the police investigation into money laundering.
The M&A team also reviewed the inventory of digital assets (HW/SW/Licenses) included in the purchase of Island Banking Services. The team also reviewed existing contracts for services related to those assets. It has determined:
1. Telecommunications. Undersea fiber optic cables connect the island to the global Internet. These cables are managed by a consortium of companies that contract with national and regional governments to provide telecommunications services (voice, video, and data) to a country or region. On-island access to Internet, cable television, and land-line telephone service are provided to residents and businesses on a contract basis by a government owned Communications Services company. The island’s local communications infrastructure was upgraded to buried fiber optic cables providing broad-band service after a hurricane destroyed the previous above ground copper cable infrastructure. Island Banking Services’ contract for communications services includes Voice over IP telephone service, one physical telecommunications connection via fiber optic cable, and one static IP address associated with that connection. Domain name services for the company’s Internet presence are provided by the island’s Communications Services company. The company uses network address translation services provided by the premises router to assign internal IP addresses to workstations and servers.
2. Network Equipment. The network equipment is more than five years old and should be replaced. Since the company is moving PBI-FS’s operations to a new physical location, the entire network infrastructure from cables to routers to firewalls to wireless access points will be replaced. The network equipment closet also contains a special purpose access control system that uses hard wired RFID badge readers and RFID badges to control employee access to exterior and interior doors. This equipment is out of date and will need to be replaced once the company moves.
3. Workstations. The computer workstations are more than five years old and currently run Windows 8.1. The workstations were custom built using refurbished components. All copies of Windows have an OEM license installed.
a. Licenses for Office 2019 were included in the purchased assets.
b. Three business licenses for an anti-virus program were included in the purchased assets. These licenses were installed on computers that were seized and taken into evidence as part of the ongoing law enforcement investigation. It is unclear whether these licenses will be usable in the future.
c. More than 10 computer workstations were found to be using “free” versions of an anti-virus application. These licenses state “for non-commercial or personal, home use only.”
4. Banking Applications Database & Servers (Hardware & Software). The current banking applications software uses a custom browser-based interface built on an Apache Web server connected to a MySQL database. The Apache Web server also hosted the company’s internal web site. The server software licenses, the code for the custom browser-based interface, and the web server and database server hardware were included in the purchased digital assets. The storage media (hard disk drives) containing the Linux operating system, applications software, and database files were seized as part of the investigation and have not yet been returned to the company.
5. Electronic Mail and Public Web Server. At the time of purchase, Island Banking Services was in the middle of converting from an internally hosted email server based on Linux/Exim to individual Gmail accounts (not owned or managed by the company). The company had recently moved its public website from the internal Apache server to the Wix hosting service. This public website provides customers with access to the company’s custom built, web-based mobile banking services application.
6. Data Backups and Data Recovery Services. The system administrator for Island Banking Services used a commercial image backup utility to manually backup the company’s servers on a weekly basis. The image backups were written to multiple Solid State Disks (SSDs) that were connected to a Linux server connected to the company’s internal network. The financial transactions software (custom written) used electronic journaling to create copies of each transaction record in a MySQL instance hosted in a private cloud (Platform as a Service). The entire transactions database was copied to this private cloud once every 12 hours. Transaction records were copied to the cloud database every 30 minutes.
Figure 1. Island Banking Services IT Infrastructure (as-is).
Putting It All Together
Your plan will be a combination of a paper and a detailed list of steps and resources that you would follow to implement and complete this project. Think about all of the actions, resources, and tasks that you would need to ensure a successful implementation of the “to-be” state for the PBI-FS cybersecurity program and infrastructure. These should also be included as part of the plan. The minimum structure for this assignment is below:
• INTRODUCTION
o Purpose of Plan (implementation of the security strategy)
• GOALS AND OBJECTIVES
o Business Goals and Objectives
o Project Goals and Objectives
• SCOPE
o Scope Definition
o Items Beyond Scope
• ASSUMPTIONS
o Project Assumptions
• CONSTRAINTS
o Project Constraints
o Barriers to Success
• PROJECT MANAGEMENT PLAN (for implementation of the security strategy)
o People
o Processes
o Technologies
• STRATEGY IMPLEMENTATION
o Security Controls
Baseline (mandatory controls)
Compensatory Controls (Administrative, Operational, Tactical)
o System Development Life Cycle/Schedule
The 7 phases are: planning, requirements, design, development, testing, deployment, and maintenance
o Milestones
o Resource Requirements (People, Finances)
• ENTERPRISE IT ARCHITECTURE (“To-Be” – must include overview diagram)
o Hardware
o Software
o Network Infrastructure
o Cybersecurity Defenses
Additional Information
1. Consult the grading rubric for specific content and formatting requirements for this assignment.
2. Your 10-12 page Implementation Plan should be professional in appearance with consistent use of fonts, font sizes, margins, etc. You should use headings and page breaks to organize your paper. The listed page length is a recommended target. You should not, however, exceed double that page count (i.e. no more than 25 pages including diagrams, tables, and lists).
3. Your deliverable should use standard terms and definitions for cybersecurity. See Course Content > Cybersecurity Concepts Review for recommended resources.
4. Your Enterprise IT Architecture Overview diagram may be constructed using commercial clip art but you may not copy / glue together architecture diagrams from other sources. MS Word and Power Point both provide drawing tools and clip art which you can use to construct your diagram. See Figure 1 in this file for an example of the type of diagram / level of detail required.
5. The CSIA program recommends that you follow standard APA formatting since this will give you a document that meets the “professional appearance” requirements. APA formatting guidelines and examples are found under Course Resources. An APA template file (MS Word format) has also been provided for your use CSIA_Paper_Template(TOC+TOF,2021).docx.
6. You must include a cover page with the assignment title, your name, and the due date. Your reference list must be on a separate page at the end of your file. These pages do not count towards the assignment’s page count.
7. You are expected to write grammatically correct English in every assignment that you submit for grading. Do not turn in any work without (a) using spell check, (b) using grammar check, (c) verifying that your punctuation is correct and (d) reviewing your work for correct word usage and correctly structured sentences and paragraphs.
8. You are expected to credit your sources using in-text citations and reference list entries. Both your citations and your reference list entries must follow a consistent citation style (APA, MLA, etc.). Note: you may use footnotes to credit sources when doing so will improve the readability of the deliverable.
Introduction:
Course Project 2 – Information Security Plan: In this course proje
Introduction:
Course Project 2 – Information Security Plan: In this course project, you will create an information security plan to protect controlled unclassified information in non-federal systems and organizations using the NIST 800-171r1 guidelines.
What you are Doing:
Protecting Controlled Unclassified Information in Nonfederal Systems and Organizations
You will develop the following information security plan sections:
1. Access control
2. Awareness and training
3. Audit and accountability
4. Configuration management
5. Identification and authentication
6. Incident response
7. Maintenance
8. Media protection
9. Personnel security
10. Physical protection
11. Risk assessment
12. Security assessment
13. System and communications protection
14. System and information integrity
Instructions:
Using the attached “Course Project 2 NIST SP 800-171r1.pdf” document, review the requirements for each section of the attached “Course Project 2 Upload Document ISM4323 CUI-SSP-Template.docx”
Link to Project Part 2 with SSP Upload Document:
Protecting Controlled Unclassified Information in Nonfederal Systems and Organizations: “Course Project 2 NIST SP 800-171r1.pdf” (Attached)
SYSTEM SECURITY PLAN (SSP):
“Course Project 2 Upload Document ISM4323 CUI-SSP-Template.docx” (Attached)
1. Fill out this Upload Document and submit for grading.
Your Task:
Padgett-Beale’s Chief Information Security Officer (CISO) has tasked
Your Task:
Padgett-Beale’s Chief Information Security Officer (CISO) has tasked you to continue supporting the Merger & Acquisition team’s efforts to bring Island Banking Services’ security program into compliance with U.S. laws and regulations. The M&A team has provisionally accepted the draft cybersecurity strategy and draft implementation plan which you prepared previously. The M&A team has now requested that you contribute a set of summary slides for the M&A team’s Decision Briefing (presentation) to the Padgett-Beale Board of Directors. This briefing is one of the final steps in obtaining approval for the M&A team’s plan for integrating the newly purchased company – Island Banking Services – into Padgett-Beale as Padgett-Beale, Inc Financial Services (PBI-FS).
Before you begin developing your presentation, review your work products from Projects 1 & 2. As you do so, identify the most likely or most significant barriers to success (factors which increase the risk of failure). These can include barriers arising from external factors as well as issues arising from internal company sources. Consider culture and organizational conflict as well as legal and regulatory issues. For each factor, identify a countermeasure or compensatory action which the company could take to reduce the risk of failure. Select the five most significant barriers to success from your analysis. You will include these in your presentation slides.
Develop Your Presentation:
Using your prior work (Projects 1 & 2), develop a high-level summary presentation of your Cybersecurity Strategy and the Implementation Plan. You will need between 20-30 slides to fully address the requirements listed below; this slide count includes the slides for titles, section titles, and references. Remember to include speaker notes for the agenda slide, section title slides, and content slides. Your notes should be at least 20 words / one paragraph but no longer than 150 words / 3 paragraphs per slide.
Your presentation must include the following:
• Title Slide with title, your name, the date, and this course
• Agenda Slide
• Overview of the M&A effort (multiple slides – use the assignment overviews / background sections to put together a summary that answers: who, what, where, why, how)
• Section Title Slide: Cybersecurity Strategy
• Content Slides: provide a summary of your proposed Cybersecurity Strategy (Project 1)
• Section Title Slide: Cybersecurity Implementation Plan
• Content Slides: provide a summary of your proposed Cybersecurity Implementation Plan
• Section Title Slide: Barriers to Success
• Content Slides: five separate slides – one for each factor (identify each barrier to success and provide a recommended countermeasure or compensating action that the company could implement to reduce the risk of failure). This section will expand upon your “barriers to success” as discussed in Project #2.
• Section Title Slide: Summary & Recommendations
• Content Slide: present a recommendation that the strategy & implementation plan be approved by the Board of Directors for adoption and implementation by the company. Include 5 major business benefits of adoption and implementation. This may be new content (not previously included in projects 1 & 2).
• Section Title Slide: References
• Content Slides(s) that include reference list entries for your resources. Do not cite your own work for Projects 1 & 2.
Putting It All Together
MS Power Point .pptx format is the preferred delivery format; this application can be accessed via the Web or downloaded from UMGC under the university’s enterprise license for student use of Office 365. For more information see: https://www.umgc.edu/help/help-article-base.html?knowledgeArticleId=kA00W000000sZpeSAE&articleType=FAQ_IT__kav
If you are unable to use Power Point, you may use another presentation application to create your slides and speaker notes. After you have done so, print your presentation slides to PDF and deliver the assignment as a PDF document. If you deliver as PDF, you must make sure that your speaker notes are visible and accompany each slide.
Additional Information
1. Consult the grading rubric for specific content and formatting requirements for this assignment.
2. Your presentation should be professional in appearance with consistent use of fonts, font sizes, margins, etc.
3. You must include a title slide with the assignment title, your name, and the due date. Your reference list must be on a separate slide at the end of your file.
4. You are expected to write grammatically correct English in every assignment that you submit for grading. Do not turn in any work without (a) using spell check, (b) using grammar check, (c) verifying that your punctuation is correct and (d) reviewing your work for correct word usage and correctly structured sentences and paragraphs.
5. You are expected to credit your sources using in-text citations and reference list entries. Both your citations and your reference list entries must follow a consistent citation style (APA, MLA, etc.). To reduce visual clutter, you may put citations for sources into footnotes at the bottom of your slides (instead of putting citations at the ends of bullet points).