Computer Science Archives - walloptutors https://walloptutors.blog/category/computer-science/ A+ writing Service. Sat, 01 Jun 2024 18:22:47 +0000 en-US hourly 1 https://wordpress.org/?v=6.5.4 233282827 DD.04 :Design document: Follow the instructions in A/DD.04 and record your desig https://walloptutors.blog/dd-04-design-documentfollow-the-instructions-in-a-dd-04-and-record-your-desig/?utm_source=rss&utm_medium=rss&utm_campaign=dd-04-design-documentfollow-the-instructions-in-a-dd-04-and-record-your-desig https://walloptutors.blog/dd-04-design-documentfollow-the-instructions-in-a-dd-04-and-record-your-desig/#respond Sat, 01 Jun 2024 18:22:47 +0000 https://walloptutors.blog/?p=1755001 DD.04 :Design document: Follow the instructions in A/DD.04 and record your designs for each of the problems in your Design Document. Make sure to: List each design in a clearly marked section indicates which...

The post DD.04 :Design document:
Follow the instructions in A/DD.04 and record your desig
appeared first on walloptutors.

]]>
DD.04 :Design document:
Follow the instructions in A/DD.04 and record your designs for each of the problems in your Design Document. Make sure to:
List each design in a clearly marked section indicates which question the design belongs to.
For each design make sure to note any details about the question that are relevant to your design, such as the inputs, outputs, any required displays.
Also make sure to detail your tests including all inputs and outputs you’d expect to see.
Each problem should have a detailed plan which outlines step-by-step how you get the required outputs from the provided inputs.
If you divide any problem into smaller algorithms, make sure to detail all of the information for those designs as well.
As a rule of thumb, your designs should include enough detail that anyone else could take your design and implement the same solution without confusion. If you’re questioning if a design is clear enough, ask a TA if they understand your work!
A.04: assignment:
Follow the instructions in A/DD.04 and once done with your design implement each required function in this assignment. Use the Python Template in the course Toolbox to start your implementation.
Make sure to follow all course guidelines!
# TODO; My functions
def main():
# TODO; Test my functions
pass
if __name__ == “__main__”:
main()
A/DD.04:Question 1: List Utilities
Design and implement the following functions:
copy_list: which takes a list and returns a copy of that list.
Inputting ([a, b, c, d]) would result in something that looks like ([a, b, c, d])
reverse_list: which takes a list and returns a new list that is reversed.
Inputting ([a, b, c, d]) would result in something that looks like ([d, c, b, a])
modify_list: which takes a number and a list of numbers and returns a new list containing the first number added to each of the items.
Inputting (a, [b, c, d]) would result in something that looks like [a+b, a+c, a+d]
combine_lists: which takes in two lists and returns another list that contains the sum of all indices that were possible.
Inputting ([a,b,c], [d,e,f,h]) would result in something that looks like [a+d, b+e, c+f]
Question 2: Blackjack
In the game of Blackjack, the goal is to get a score as close as possible to 21. To “bust” is to go over this value. Design the algorithm blackjack that takes a “hand” as a list of integers representing the cards in a deck, from 1 to 11, and displays the total of the cards in that hand. If the hand busts, show a message indicating the one-indexed place of the card in the hand caused the total to go over. If there are any illegal cards in the hand, print “Cheating!” and immediately return.
Examples for Question 2Input
Display
[1, 2, 10, 3, 5]
Total: 21
[4, 4, 5]
Total: 13
[]
Total: 0
[6, 4, 10, 10, 3]
Total: 33 is a bust! Blame card 4.
[1, 2, 10, 3, 5, 2]
Total: 23 is a bust! Blame card 6.
[1, 2, 12, 4]
Cheating!
Question 3: Merging Lists
Design and implement the function merge_lists, which takes two sorted lists of integers and outputs a single sorted list of integers containing all the values in the inputs. Your algorithm must be able to take any two independently sized lists and merge them, even if there are duplicates! Consider the following non-exhaustive list of edge cases you might have to consider:
Examples for Question 3Input A
Input B
Output
[1, 2, 3, 4, 5]
[1, 2, 3, 4, 5]
[1, 1, 2, 2, 3, 3, 4, 4, 5, 5]
[1, 2, 3]
[4, 5]
[1, 2, 3, 4, 5]
[-10, 6, 12]
[-4, 0, 0, 4]
[-10, -4, 0, 0, 4, 6, 12]
[2, 4, 8, 8, 10]
[5, 6, 8, 10, 11]
[2, 4, 5, 6, 8, 8, 8, 10, 10, 11]
Question 4: Lists of Instructions
Create a function sum_indices, which takes a list of integers and a list of floats and computes the sum of values from the second list as indicated by the indexes in the first list. In other words, the first list contains all the indexes in the second list that your algorithm should use to compute the final sum.
The integers in the first list are not unique and can include any integer. To prevent your algorithm from crashing, when there is an out-of-bounds index, immediately return 0 and display a message with the index that caused the error.
Examples for Question 4Input A
Input B
Output
[1,0,3,1]
[1.0, 2.0, -3.0, 4.0]
9.0
[2, 2, 1]
[3.4, 5.6, 7.0]
19.6
[]
[3.0, 1.0, -4.0]
0.0
[3, 2, 5]
[4.2, 5.6, 3.1, 3.0]
0.0
Extra: Windowed Average (+3/1.5)
This is an extra credit problem that will add (3) points to DD.04 and (1.5) points to A.04 for total bonus of (+15%) and (+15%), respectively. This is a difficult problem but can be done using all of the tools we’ve gathered so far.
The windowed average is an operation that we can apply to a list of numbers to compute localized averages. This is done by summing the ‘window’ of the ‘n’ elements surrounding some index and then shifting that window to the right until it cannot shift any more. Consider the graphic below which shows and example of this when n=1 for a list of length five.
Consider for a moment what it would mean to when n=0. Using the example above, it would be the average of zero items to the left and right and essentially copy the list. Similarly, n=2 would be an average of the entire list, resulting in a list of size one.
For this problem, design and implement a algorithm that computes the n-windowed average of a list of numbers called windowed_average. It should take an integer as the ‘n’ along with a list of floating point numbers and it should output the computed windowed average as a list. The signature of this function would then look as follows:
def windowed_average(n, lst):
…If a window is too big, this means there wasn’t enough to average and you should return an empty list. Check that ‘n’ is a valid integer and return an empty list if it is not.
No partial points will be given. To receive credit for this problem you must:
Provide a Data Flow Diagram of your algorithm in your design document along with your test cases.
Submit a valid implementation that works for all possible inputs.
Some things to note:
The Ag will only provide general feedback on if your algorithm conformed to course policies.
Staff cannot help with implementation details or understanding the problem, however, working on the design with your fellow classmates is heavily encouraged.

The post DD.04 :Design document:
Follow the instructions in A/DD.04 and record your desig
appeared first on walloptutors.

]]>
https://walloptutors.blog/dd-04-design-documentfollow-the-instructions-in-a-dd-04-and-record-your-desig/feed/ 0 1755001
For your initial post: Describe a problem that you currently or recently experie https://walloptutors.blog/for-your-initial-postdescribe-a-problem-that-you-currently-or-recently-experie/?utm_source=rss&utm_medium=rss&utm_campaign=for-your-initial-postdescribe-a-problem-that-you-currently-or-recently-experie https://walloptutors.blog/for-your-initial-postdescribe-a-problem-that-you-currently-or-recently-experie/#respond Sat, 01 Jun 2024 17:32:10 +0000 https://walloptutors.blog/?p=1754950 For your initial post: Describe a problem that you currently or recently experienced in your life (whether it’s personal, or related to your student life or professional life). Be mindful not to disclose personal...

The post For your initial post:
Describe a problem that you currently or recently experie
appeared first on walloptutors.

]]>
For your initial post:
Describe a problem that you currently or recently experienced in your life (whether it’s personal, or related to your student life or professional life). Be mindful not to disclose personal information that you do not want your peers to know abou; discuss a problem that you experienced that you are open to sharing with others. In your description of your problem, you should also provide some context as to who you are, what your needs are, and why this problem should be addressed.
Propose a potential IoT solution to meet and address your problem
For example, the initial poster may state that they are a runner, hiker, or walker. They often experience the problem of not knowing how many steps they take when they exercise. In response, a peer may suggest that the solution would be to use an IoT smartwatch, like a Fitbit or Apple Watch, to monitor and track steps. This solution could monitor performance, keep track of stats, and allow the user to set new goals, which also addresses some of their needs.

The post For your initial post:
Describe a problem that you currently or recently experie
appeared first on walloptutors.

]]>
https://walloptutors.blog/for-your-initial-postdescribe-a-problem-that-you-currently-or-recently-experie/feed/ 0 1754950
iscuss “information behavior” as it is presented by Case & Given as well as your https://walloptutors.blog/iscuss-information-behavior-as-it-is-presented-by-case-given-as-well-as-your/?utm_source=rss&utm_medium=rss&utm_campaign=iscuss-information-behavior-as-it-is-presented-by-case-given-as-well-as-your https://walloptutors.blog/iscuss-information-behavior-as-it-is-presented-by-case-given-as-well-as-your/#respond Sat, 01 Jun 2024 16:36:31 +0000 https://walloptutors.blog/?p=1754874 iscuss “information behavior” as it is presented by Case & Given as well as your understanding of “information behavior”, its complexity and research history, which reviews the assigned reading of the “information behavior: an...

The post iscuss “information behavior” as it is presented by Case & Given as well as your appeared first on walloptutors.

]]>
iscuss “information behavior” as it is presented by Case & Given as well as your understanding of “information behavior”, its complexity and research history, which reviews the assigned reading of the “information behavior: an introduction” (Case, 2016, ch1); “the complex nature of information behavior” (Case, 2016, ch2); and “history and focus of research” (Case, 2016, ch3) in the context described as follows (*all “bullet point” items should be addressed in the essay):

Links to an external site.
Introductory Paragraph (Introduction)
Describe “information behavior” as it is presented by Case & Given in the chapters specified, as well as your understanding of “information behavior”.
Main Paragraphs (Analysis)
Why is information behavior complex? What is the “complex nature” of information behavior?
The study of information behavior is comprised of much research on various information behaviors. Provide an overview of the history of that research in information behavior as well as the research trends as described by Case & Given.
Concluding Paragraph (Conclusion)
Summarize what you have learned, observed and/or concluded.
Reflect on how this knowledge can help you today and in the future.
Separate Reference Page (References)
Suggested length: 2- 4 pages PLUS a separate Reference page.

Submission Outline
Use an essay format with:
A distinct introductory paragraph – to describe what you are writing about, establishing the context of the analysis;
Main paragraphs – these paragraphs will comprise most of the essay and contain the main topic content, in this case, the “analysis” questions.
Concluding paragraph – this should be an account of what you have learned, observed and/or concluded from the readings.
References – this is a list of references (labeled References) on a separate page in correct APA format .

The post iscuss “information behavior” as it is presented by Case & Given as well as your appeared first on walloptutors.

]]>
https://walloptutors.blog/iscuss-information-behavior-as-it-is-presented-by-case-given-as-well-as-your/feed/ 0 1754874
The professor said the assignments wasn’t complete and received 17/50 (F). I h https://walloptutors.blog/the-professor-said-the-assignments-wasnt-complete-and-received-17-50-f-i-h/?utm_source=rss&utm_medium=rss&utm_campaign=the-professor-said-the-assignments-wasnt-complete-and-received-17-50-f-i-h https://walloptutors.blog/the-professor-said-the-assignments-wasnt-complete-and-received-17-50-f-i-h/#respond Sat, 01 Jun 2024 15:53:08 +0000 https://walloptutors.blog/?p=1754842 The professor said the assignments wasn’t complete and received 17/50 (F). I have included the completed assignment, the professors feedback and the requirements for the assignment. FEEDBACK FROM PROFESSOR; Overall Feedback Thanks for sharing....

The post The professor said the assignments wasn’t complete and received 17/50 (F). I h appeared first on walloptutors.

]]>
The professor said the assignments wasn’t complete and received 17/50 (F). I have included the completed assignment, the professors feedback and the requirements for the assignment.

FEEDBACK FROM PROFESSOR; Overall Feedback
Thanks for sharing. Good summary and rationale. Please be sure to review requirements/course announcements. There were to be 4 separate cases – each having an associated diagram.
In this module, you learned that users of a new system and system analysts work together to develop and model the requirements of a system. You also learned that use case diagrams support the visualization of both requirements and design of a software system. Use case diagrams are considered to be high level to help stakeholders and users understand the system. Meanwhile, use case specifications are low level, and are intended to be used by the developers coding the program. For this activity, you will create use case diagrams and their use case specifications.
Prompt
Imagine you are an employee of a consulting firm. The consulting firm was hired to design a new system that will better automate how a patient checks into a patient care facility for medical services. Part of the consulting services that you will provide include developing use case diagrams and their use case specifications that demonstrate how the various actors will use the IT system. UML should be used to illustrate how the software solution should facilitate certain check-in/check-out services for a patient.
For this week’s activity, you will create:
Use Case Diagrams: The four use case diagrams must illustrate the check-in/check-out process of the patient at the clinic. They must include an identification of:
Actors
Relationships between the actors
System boundaries
Use Case Specifications: The four use case specifications must apply the features, functionality, and operations in the software solution mentioned in the business case.
All required use case diagrams and their use case specifications must be complete, without any missing components, as you will be graded on completion
THESE ARE THE FOUR ITEMS
The four key services that you will create use case diagrams and use case specifications for are:
Capture patient information/reason for visit
Verify patient insurance
Capture patient copay
Schedule next appointment
PLEASE LET ME KNOW IF YOU HAVE ANY QUESTIONS

The post The professor said the assignments wasn’t complete and received 17/50 (F). I h appeared first on walloptutors.

]]>
https://walloptutors.blog/the-professor-said-the-assignments-wasnt-complete-and-received-17-50-f-i-h/feed/ 0 1754842
Describe a specific real-world situation in which using the Cloud provided benef https://walloptutors.blog/describe-a-specific-real-world-situation-in-which-using-the-cloud-provided-benef/?utm_source=rss&utm_medium=rss&utm_campaign=describe-a-specific-real-world-situation-in-which-using-the-cloud-provided-benef https://walloptutors.blog/describe-a-specific-real-world-situation-in-which-using-the-cloud-provided-benef/#respond Sat, 01 Jun 2024 15:23:06 +0000 https://walloptutors.blog/?p=1754828 Describe a specific real-world situation in which using the Cloud provided benefits over on premises solutions. Be sure to provide an actual situation and include a description of this situation using your own words....

The post Describe a specific real-world situation in which using the Cloud provided benef appeared first on walloptutors.

]]>
Describe a specific real-world situation in which using the Cloud provided benefits over on premises solutions. Be sure to provide an actual situation and include a description of this situation using your own words. You should also include at least one quote from a reference source using APA formatting.

The post Describe a specific real-world situation in which using the Cloud provided benef appeared first on walloptutors.

]]>
https://walloptutors.blog/describe-a-specific-real-world-situation-in-which-using-the-cloud-provided-benef/feed/ 0 1754828
Competency In this project, you will demonstrate your mastery of the following c https://walloptutors.blog/competencyin-this-project-you-will-demonstrate-your-mastery-of-the-following-c/?utm_source=rss&utm_medium=rss&utm_campaign=competencyin-this-project-you-will-demonstrate-your-mastery-of-the-following-c https://walloptutors.blog/competencyin-this-project-you-will-demonstrate-your-mastery-of-the-following-c/#respond Wed, 29 May 2024 17:53:47 +0000 https://walloptutors.blog/?p=1754310 Competency In this project, you will demonstrate your mastery of the following competencies: Explain the functions between hardware and software in a network Design a simple network Design and implement a secure interconnected network...

The post Competency
In this project, you will demonstrate your mastery of the following c
appeared first on walloptutors.

]]>
Competency
In this project, you will demonstrate your mastery of the following competencies:
Explain the functions between hardware and software in a network
Design a simple network
Design and implement a secure interconnected network in support of an organization
Scenario
Throughout this course, you have been writing various reports as parts of Milestones One and Two for an advertising firm that is opening a new office in Fayetteville, NC.
This mid-size advertising firm already has offices in Albany, NY, and Springfield, MA. The Albany headquarters is home to the executive team and 150 employees. The headquarters also stores the corporate data and is the corporate internet backbone. It hosts the IT department that centrally manages all LAN services, including the wireless LAN. The IT department also manages the wide area network (WAN) that connects the two offices via site-to-site virtual private network (VPN) tunnels. The Springfield office hosts about 50 employees. Approximately 50% of these employees are mobile, defined as traveling more than 80% of the time.
To hire and retain the best talent, the firm allows employees to work from home. This removes the constraint that employees have to live within commuting distance from the firm’s offices. Remote and mobile employees are provided access to the corporate network via a VPN client. The VPN client requires employees to have access to reliable internet services to allow for effective collaboration across teams and for access to media content. The company provides all employees with a laptop with full disk encryption, data loss prevention (DLP), and antivirus software. The IT department manages all corporate laptops and has the ability to log into all systems for support. This means that all laptops are centrally managed by the one IT department.
Due to an increase in opportunities for expansion to new markets, the firm has embarked on an initiative to hire and train new college graduates for the company’s Future Vision program. Future Vision focuses on expansion beyond the regional northeast footprint. The initiative is to hire graduates into the marketing, finance, and IT departments. You were hired as part of the Future Vision program and have been working at this for some time now. You have spent a considerable portion of your time troubleshooting and analyzing the organization’s computer network to keep it running smoothly. Your direct supervisor and lead network administrator have been very impressed with your skills and fast learning abilities.
To determine whether you are ready to take on more responsibility, you have been asked for your input regarding the new Fayetteville, NC, office setup project. Your task is to conduct research on this area and deliver a report to the team with key considerations and recommendations for the setup of the network infrastructure. The Fayetteville office will be home to 50 employees, including the new executive vice president of sales and marketing. All the possible sites have offices located in an office building with access to fiber, cable, and T1 internet service providers. In addition to the standard network, the site must support live video teleconferencing calls with employees based at the other sites. It must also reliably send print jobs to billboard printers located in the company headquarters in Albany.
Directions
The primary goal of the project is to consolidate your findings from Milestones One and Two and compose a succinct and complete solution that you will present to the firm’s executive leadership team about the type of network they should design and implement at the new location.
It is recommended that you incorporate the feedback you received from your instructor on Milestones One and Two. You can use this feedback to succinctly refine your recommendations into a polished report.
Specifically, the following areas must be addressed in the report for the project:
I. Key Considerations
Explain your key considerations for the project.
Explain the OSI stack in relation to a modern communications network and how it influenced your network design.
Describe the important IP range considerations for a company of your size.
Summarize, in your own language, the strategic goals of the company, and detail how the network solution you are presenting aligns with these goals.
Remember that these key considerations were addressed in Milestone One:
Communications media and mode of data transport for the new network
Common network hardware components for this new location
In addition, you can make relevant changes to your report based on your instructor’s feedback from Milestone One.
II. LAN Topology
In Milestone One, you described the LAN topology possibilities and the strengths and weaknesses.
Provide your final revised solution for optimal support that may include any feedback from the instructor from previous milestones.
III. Internet Service Provider
In Milestone Two, you described the possible ISP solutions available to meet the needs of the company in its new location. The section was based on your research into actual providers at the Fayetteville, NC, location.
This section should include an explanation as to how the chosen internet provider meets the business goals and objectives of the firm.
Provide your solution, along with any feedback from the instructor.
IV. Hardware and Software, Printer, and Bandwidth: In this section, you will include these additional parts from Milestone Two in your report. You can use your diagram from Milestone Two as a starting point for these three items.
Explain your proposed hardware and software solutions to meet the needs of the new office location.
Describe your printer configuration solutions to meet the distance printing needs of the new office location.
This could include considerations for tracking devices, automating driver distribution, and controlling access.
Explain your bandwidth and device solutions to meet the teleconferencing needs of the new office location.
V. Potential Errors: In this section, you will discuss common network errors and how your proposed solution will minimize and address these issues.
Based on your previous report, anticipate common network errors that the new location may encounter.
Describe effective troubleshooting approaches to the errors you identified, such as problem isolation, trace routing, and pinging.
Explain how these approaches would ensure the resolution of the errors. Be sure your response is specific to the business location.
VI. Additional Considerations: In this section, you will make recommendations for industry standard documentation for ongoing network support.
Identify options for network monitoring that includes maintenance for network hardware and software (for example, port scanning, interface monitoring, packet flow monitoring, etc.).
Identify patch management options that will help acquire, test, and install multiple patches on existing applications.
Describe how you will control inventory, including how to discover and track assets on your network.
As you develop your work, continue to look back on and consider each of these key elements. Remember, writing is a process that unfolds over time, and it typically requires reconsideration and revision of key elements.
What to Submit
To complete this project, you must submit the following:
Your report must be 3 to 5 pages in length. Use double-spacing, 12-point Times New Roman font, one-inch margins, and APA formatting.

The post Competency
In this project, you will demonstrate your mastery of the following c
appeared first on walloptutors.

]]>
https://walloptutors.blog/competencyin-this-project-you-will-demonstrate-your-mastery-of-the-following-c/feed/ 0 1754310