Performing a Business Impact Analysis for a Mock IT Infrastructure

Please create a LAB REPORT FILE where you cover all the below mentioned points:

1) Define BIA(Business Impact Analysis)

2) Explain about BCP(Business Continuity plan) and explain how a BIA fits within a BCP.

3) In the Lab Report file please list a Qualitative Business impact value of Critical, Major, Minor or None for each of the function stated in the below:

     a) Internal and external voice communication with customers in real time.

     b) Internal and external e-mail communication with customer via store and   forward messaging

     c) Domain Name service (DNS) for internal and external Internet Protocol(IP) communications.

     d) Internal connectivity for e-mail and store and forward customer service 

     e) Self service website for customer access to information and personal account information.

     f) E-commerce site for online customer purchases or scheduling 24*7*365

     g) Payroll and human resources for employees 

     h) Real time customer service via website, e-mail, or telephone requires customer relationship management(CRM).

     i) Network management and technical support 

     j) Marketing and events

     k) Sales orders or customer or student registration 

    l) Remote branch office sales- order entry to remote branches 

    m) Voice and e-mail communications to remote branches 

    n) Accounting and finance support : accounts payable, accounts receivable etc.

 4) In your lab report file, list the IT systems, applications and resources that are impacted for above stated functions ( please state for each of that functions).

5) In your browser please navigate to the below mentioned link which has the article titled as “Using Business impact analysis (BIA) template” for guidelines on writing a business impact analysis. Consult the article for the meaning of the terms recovery time objective (RTO) and recovery point objective (RPO)

Link: https://searchdisasterrecovery.techtarget.com/feature/Using-a-business-impact-analysis-BIA-template-A-free-BIA-template-and-guide?vgnextfmt=print

6) Please explain the Recovery Time objective for each of the impacted IT systems, applications and resources.

7) Write a four paragraph executive summary that includes the following:

a) Goals and purpose of the BIA (unique to your scenario)

b) Summary of findings (Business functions and assessment)

c) Prioritizations (critical, major and minor classifications)

d)IT systems and applications impacted (to support the defined recovery time objectives)

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Discussion On Rising importance of Big Data in different technologies

The rising importance of big-data computing stems from advances in many different technologies.  Some of these include:

  • Sensors
  • Computer networks
  • Data storage
  • Cluster computer systems
  • Cloud computing facilities
  • Data analysis algorithms

How does these technologies play a role in global computing and big data?

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Discussion 14- Legal

Assigned Readings:Chapter 17. Governance and Structure: Forms of Doing Business.Chapter 18. Governance and Regulation: Securities Law.Initial Postings: Read and reflect on the assigned readings for the week. Then post what you thought was the most important concept(s), method(s), term(s), and/or any other thing that you felt was worthy of your understanding in each assigned textbook chapter.Your initial post should be based upon the assigned reading for the week, so the textbook should be a source listed in your reference section and cited within the body of the text. Other sources are not required but feel free to use them if they aid in your discussion.Also, provide a graduate-level response to each of the following questions:

  1. Summarize the required elements for the various business entities described in Chapter 17, providing examples of each and specifically describing the similarities and differences in each.
  2. What factors would be considered when a director of a company makes a large trade of the company’s stock? 

[Your post must be substantive and demonstrate insight gained from the course material. Postings must be in the student’s own words – do not provide quotes!]

Text-

Title: Business 

ISBN: 9780357447642 

Authors: Marianne M. Jennings 

Publication Date: 2021-01-01 

Edition: 12th Edition

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Paper 1

 Please review the Paper 1 document and write a paper based on the requirement. 

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Subtyping in Scala program

// GENERATED

/* INSTRUCTIONS

 *

 * Complete the exercises below.  For each “EXERCISE” comment, add

 * code immediately below the comment.

 *

 * Please see README.md for instructions, including compilation and testing.

 * 

 * GRADING

 * 

 * 1. Submissions MUST compile using SBT with UNCHANGED configuration and tests with no

 *    compilation errors.  Submissions with compilation errors will receive 0 points.

 *    Note that refactoring the code will cause the tests to fail.

 *

 * 2. You MUST NOT edit the SBT configuration and tests.  Altering it in your submission will

 *    result in 0 points for this assignment.

 *

 * 3. You MUST NOT use while loops or (re)assignment to variables (you can use “val” declarations,

 *    but not “var” declarations).  You must use recursion instead.

 *

 * 4. You may declare auxiliary functions if you like.

 *

 * SUBMISSION

 *

 * 1. Push your local repository to the repository created for you on Bitbucket before the deadline.

 *

 * 2. Late submissions will not be permitted because solutions will be discussed in class.

 * 

 */

object subtyping {

  // Instances of Counter have a integer field that can be incremented, decremented, or read.

  class Counter {

    private var n = 0

    def increment () = { n = n + 1 }

    def decrement () = { n = n – 1 }

    def get () : Int = n

  }

  // EXERCISE 1: complete the following function.

  // The observeCounter function has one parameter f: a function that accepts (a reference to) a Counter instance but returns nothing.

  // The observeCounter function should call f with (a reference to) an object (of a class extending Counter).

  // Your class that extends Counter must keep track of the total number of times that increment/decrement have been called.

  // I.e., if the increment method is called 3 times on an instance, and the decrement method is called 2 times on the same instance, then it should store 5  (somewhere other than the existing field n).

  // observeCounter should call f, and then return the total number of times that increment/decrement were called on the instance by f.

  def observeCounter (f : Counter => Unit) : Int = {

val o1 = new Counter()

f(o1)

o1.get()

    // TODO: Provide definition here.

//    -1

  }

  // EXERCISE 2: complete the following function.

  // It is the same as observeCounter except that f has a parameter of type List[Counter] not Counter.

  // f will insist that the List[Counter] has length 3.

  // You must return a List[Int] not an Int.

  // The first element of the result List[Int] must correspond to the number of times that increment/decrement were called on the first element of type List[Counter], similarly for the second and third elements.

  def observeCounterList (f : List[Counter] => Unit) : List[Int] = {

    // TODO: Provide definition here.

    List (-1, -1, -1)

  }

  // EXERCISE 3: complete the following function.

  // It is the same as observeCounterList except that f has a parameter of type Array[Counter] not List[Counter].

  // f will insist that the Array[Counter] has length 3.

  // You must return a Array[Int] not a List[Int].

  // The first element of the result Array[Int] must correspond to the number of times that increment/decrement were called on the first element of type Array[Counter], similarly for the second and third elements.

  def observeCounterArray (f : Array[Counter] => Unit) : Array[Int] = {

    // TODO: Provide definition here.

    List (-1, -1, -1).toArray

  }

}

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

The Software Development Company now requests you add final elements to the C# program. For this week’s assignment, build on the Week Four Individual Assignment, “Error Handling,” by reading the software developers’ C# data structure records data from a

 

The Software Development Company now requests you add final elements to the C# program.

For this week’s assignment, build on the Week Four Individual Assignment, “Error Handling,” by reading the software developers’ C# data structure records data from a file (data.txt), implement an array data structure containing the data, and display on the console all the software developers’ data, monthly pay, monthly taxes, annual gross pay, annual taxes, and net pay. 

Program Input File:

Create a Comma Separated Values (CSV) text file and named “data.txt.” The data.txt file shall include information on at least five developers put into rows and including software developer name, addresses, and monthly gross pay separated by a comma.

Using Visual Studio® and C# programming concepts, write a program to meet the specifications of the company’s request. The program should have the following characteristics:

  • Compile and Execute without errors
  • Meets specifications by demonstrating file handling, array data structure manipulation, and console output mastery by accomplishing the following:
    • Read software developers’ data from a file
    • Input the data into an array data structure
    • Display the software developers’ data on the console
  • Logic flow is clear, concise, and effective
  • User inputs and outputs should be clear on screen
  • Validation for input types and data format
  • Appropriate indentation to logically illustrate program structure
  • Identifiers logically describe use
  • Naming conventions are consistent
  • Comments and headers to explain processing that is not obvious

Zip your Visual Studio® solution project folder so it can be submitted for grading. In Visual Studio®, you can locate the folder with your solution by left clicking on the solution node in the Solution Explorer. Look at the Properties window to find the folder name in the Path property. Locate this folder in File Explorer and zip the folder. 

Submit your ZIP file using Assignment Files tab.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

technical skills required to have a CSIRT response team

 Discuss the technical skills required to have a CSIRT response team consisting of employees with other job duties (i.e., not a full-time CSIRT job category)? Why or why not? What factors will influence their decision?  

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Data Base project

This is Data Base project, in which you DO ER models , write DDL and Extract, Transform, and Load data. Need to know SQL, MySQL, Database Administration, Database Programming This DB project is divided in three mile stones M1,M2,M3. All milestones are interlinked. M1 is already completed. I need Help in M2 and M3 and M2 Due on Nov 25 by 11:59pm M3 Due on Dec 03 by 11:59pm. i will give all the complete info. after picking the bid, included the Notes chapter 13 slides.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Project Assignment

  

Project Deliverables

The project requires students to perform three phases: (a) requirements analysis, (b) system and database design, and (c) a project plan. Note that in the phase 3, students are required to use the MS Project software for their project schedule.

The deadline for the Individual Project can be found in the schedule section of the class syllabus.

The following layout format covering a title page and all three phases is recommended for the project.

Title page (project name, author, and date)

Phase 1: Requirement analysis

A. Problem definition

B. Issues

C. Objectives

D. Requirements

E. Constraints

F. Description of the proposed system

G. Logical model design

1. Data flow diagrams

· Context diagram

· Diagram 0

o Diagram 1 (Diagram 1 is optional)

· Descriptions of processes in each diagram

2. Descriptions of outputs/inputs/performance/security or controls

H. Specific requirements, if any (interface, operational, resource, performance, etc.)

Phase 2: System and database design

A. User interface

Design an overall user interface consisting of screens, commands, controls, and features to enable users to use the system.

1. How data will be input to the system?

· The physical layout for each input

· The input design and procedures

2. How data will be output from the system?

· The physical layout for each output

· The output design and procedures

  

B. Data design

Develop a plan for data organization, storage, updating, and retrieval.

1. Database design 

· Database tables with their attributes should be presented

· Primary key(s) should be identified in each table, if any

· Three steps of normalization should be included.

2. Entity-relationship diagrams

3. Data file storage and access

C. System architecture

Determine the architecture of the system as Web-based interface, client/server architecture, Internet/Intranet interface, network configuration, etc.

Phase 3: Project plan

A list of tasks or activities needed for implementing the proposed system

Estimating completion time and costs

A project schedule for performing those activities (Gantt charts or PERT charts)

Note that there is no other required software package except the MS Project software in this ITEC-630 course. As a result, you are only required to use the MS Project software to handle the scheduling part of the project and for other parts, you can use any word editing software or any drawing tools software.

  

Individual Project Rubric

The individual project will account for 25% of your total points possible and students should use the APA format for the format of the individual project reports. The following rubric will be used when grading your individual project:

  

Qualities and   Criteria

Poor [0-80)

Good [80-90)

Excellent [90-100]

 

Format/Layout

§ Presentation of the text and structuring of text in   an organized and thoughtful manner

§ Follows phases requirements

(Weight 20%)

Follows poorly the   requirements related to format and layout.

Follows for the most part   all the requirements related to format and layout. Some requirements are not   followed.

Closely follows all the   requirements related to format and layout. 

 

Content/Information

§ All phases of the project are addressed and contents   in each phase are adequate

§ The project proposal is technically sound and   realistic

§ The project is done using techniques covered in this   course

§ MS Project software is used in the project plan

§ The project design can be implemented in reality

§ Activities and information are constructed in a   logical pattern among phases to support the solution

(Weight 70%)

The project does not cover   all phases and it is not done for the most part with techniques discussed in   this course. The required software is used poorly in the project plan. The   project proposal is hardly realistic and the tasks proposed can not be done   easily in reality. Activities and information among phases are badly designed   and do not support the solution.

The project covers all   phases with adequate contents in each phase for the most part and it is done   with some techniques discussed in this course. The required software is used   in the project plan for the most part. The project proposal is relatively   realistic and some proposed tasks can be done in reality. Activities and   information among phases for the most part are designed to support the   solution.

The project covers all   phases with adequate contents and it is done with techniques discussed in   this course. The required software is used in the project plan. The project proposal   is realistic and the tasks proposed can be done in reality. Activities and   information among phases are designed to support the solution. 

 

Quality of Writing

§ Clarity of sentences and paragraphs

§ No errors and spelling, grammar and use of English

§ Organization and coherence of ideas

§ APA style compliance

(Weight 10%)

The   project is not well written, and contains many spelling errors, and/or   grammar errors and/or use of English errors. The project is badly organized,   lacks clarity and/or does not present ideas in a coherent way and it is   somehow APA style compliance.

The   project is well written for the most part, without spelling, grammar or use   of English errors. The project is for the most part well organized, clear and   presents ideas in a coherent way and it is somehow APA style compliance.

The   project is well written from start to finish, without spelling, grammar or   use of English errors. The project is well organized, clear and presents   ideas in a coherent way and it is completely APA style compliance.

* Some parts of this rubric are extracted from Dr. Stella Porto’s posting for ITEC-610.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Assignment 4

 For this assignment, please provide responses to the following items:

(a) What is the value of performing text analysis? How do companies benefit from this exercise?

(b) What are three challenges to performing text analysis?

(c) In your own words, discuss the text analysis steps (i.e., parsing, search and retrieval, and text mining).

(d) What are three major takeaways from this assignment?

Your assignment should include at least five (5) reputable sources, written in APA Style, and 500-to-650-words.
 

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now