copy_of_lab03_spotify
.py
keyboard_arrow_up
School
University of Michigan *
*We aren’t endorsed by this school
Course
206
Subject
Computer Science
Date
Feb 20, 2024
Type
py
Pages
10
Uploaded by erzas088
# -*- coding: utf-8 -*-
"""Copy of lab03_spotify.ipynb
Automatically generated by Colaboratory.
Original file is located at
https://colab.research.google.com/drive/18ur4iO68n8VS8z0yY53_BiUUb7pjeig6
# Unordered Collections, Tuples and Spotify Songs
## Unordered Collections
We saw *ordered* collections when we introduced strings and lists.
"""
string = "this is a collection of characters"
string[8:20]
## lists can store aribitrary kinds of data
lst = [True, ["a", "nested", "list"], 12345]
len(lst)
"""**Unordered** collections are those where we don't use order to find items, but use some other method of retrieving values.
### Sets
The first unordered collection we introduce is a set.
"""
dord = {"Department", "of", "Redundancy", "Department"}
dord
len(dord)
"""Only once copy of each value can be included in a set. It is useful for creating
collections that include only unique elements.
Create a set that has uses the three pieces of a phone number for these two numbers: (i.e., 734 is a value that should appear in the set)
* 734-123-4568
* 734-613-2640
"""
{734, 123, 4568, 613, 2640}
"""<details>
```
{734, 123, 4568, 734, 613, 2640}
```
</details>
We often want to compare sets and see where they are the same and where they are different
"""
states1 = {"MI", "AZ", "FL", "DE", "OR"}
states2 = {"FL", "MI", "MN", "AZ", "AK"}
states1.intersection(states2)
"""Or where they differ:"""
states1.difference(states2)
states2.difference(states1)
states1.symmetric_difference(states2)
"""What course might Alice recommend to Bob? (Do it with Python!)"""
alice = {"Stats 206", "Stats 306", "Econ 101", "EECS 183"}
bob = {"EECS 183", "Stats 206", "Math 241" ,"Econ 101"}
alice.difference(bob)
"""<details>
```
alice.difference(bob)
```
</details>
We've seen the use of `+` to join ordered collections before. For sets we use `|`. Between Bob and Alice, how many unique classes have they take in total?
"""
classes = bob | alice
len(classes)
"""<details>
```
len(alice | bob)
```
</details>
### Dictionaries
Dictionaries connect *keys* and *values*. For dictionaries, all keys must be distinct, but the values can be duplicated.
We specify them like this:
"""
number_of_legs = {"dog": 4, "human": 2, "centipede": 100, "slug": 0, "cow": 4}
"""or"""
number_of_legs = {
"dog": 4,
"human": 2,
"centipede": 100,
"slug": 0,
"cow": 4
}
"""As with ordered collections, we retrieve using square brackets `[]`."""
number_of_legs["centipede"]
"""Dictonaries are "mutable" or "changeable", meaning we can add values."""
number_of_legs["pirate"] = 1
number_of_legs
"""Add a new entry to the `number_of_legs` dictionary for ants. Use a comparison to
prove that ants have more legs than cows."""
number_of_legs["ants"] = 6
number_of_legs["ants"] > number_of_legs["cow"]
"""<details>
```
number_of_legs["ant"] = 6
number_of_legs["ant"] > number_of_legs["cow"]
```
</details>
Occasionally it is helpful to get the *set* of keys from a dictionary with the `.keys()` method.
Show the set of things for which we have the number of legs.
"""
number_of_legs.keys()
"""<details>
```
number_of_legs.keys()
```
</details>
Likewise, as you probably guessed, we can get the values with `.values()`. Output just the values, without the keys.
Then call the `set()` function on the result to show the *unique* set of leg values.
"""
print(number_of_legs.values())
set(number_of_legs.values())
"""<details>
```
print(number_of_legs.values())
set(number_of_legs.values())
```
</details>
### Tuples
Tuples are fixed length lists in Python. Typically, they are small (2 to 5 items). They use round braces to denote:
"""
(3, 2, 1)
"""It's not uncommon to encounter a function that will return a tuple, where each item in the tuple has a given value."""
def first_last(w):
return (w[0], w[-1])
first_last("hello")
"""This is convenient because we can easily assign items in a tuple to variable names using *multiple assignment*:
"""
a, b = first_last("elephant")
print(a)
print(b)
"""Write a function that finds the minimum and maximum value of a collection as a tuple. Find the difference of these two values for this collection:
"""
nums = [9, -1, 105, 44, -23, 2001, 4]
def min_and_max(lst):
lst.sort()
return (lst[0], lst[-1])
print(min_and_max(nums))
"""<details>
```
def minmax(lst):
return (min(lst), max(lst))
mn, mx = minmax(nums)
mx - mn
```
</details>
### Dictionaries of Lists
For many data analysis problems, we would wish to study a **population**, but
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
Related Questions
you can download the Dataset from this link - https://drive.google.com/file/d/1wlepxNIAc_6EQgv9M6WmYtSRJ7eQoty/view?usp=share_link
Draw a bar chart to view of the distribution of spam and non-spam email samples in the dataset. How many emails are in the dataset? How many of the emails are spam? (Please answer this question based on implemeted code. You can use any programming language)
arrow_forward
Downloads/
assum_sec X
+
English
localhost:8888/notebooks/Downloads/21201491_Nuzhat%20Tabassum_sec-17_CSE110_assignment-06.ipynb
C jupyter 21201491_Nuzhat Tabassum_sec-17_CSE110_assignment-06 Last Checkpoint: 8 hours ago (unsaved changes)
Logout
File
Edit
View
Insert
Cell
Kernel
Widgets
Help
Trusted
Python 3 O
+
> Run
Code
print(rem_duplicate(('Hi',1,2,3,3, 'Hi','a','a',[1,2])))
("Hi', 1, 2, 3, 'а', [1, 2])
Task 12
Write a python function that takes a list as an argument. Your task is to create a new list where each element can be present at max 2 times. Inside the
function, print the number of elements removed from the given list. Finally, return the new list and print the result.
========:
=======
Hint: You may use list_name.count(element) to count the total number of times an element is in a list. list_name is your new list for this problem.
Function Call:
function_name([1, 2, 3, 3, 3, 3, 4, 5, 8, 8])
Output:
Removed: 2
[1, 2, 3, 3, 4, 5, 8, 8]
Function Call:
function_name([10, 10,…
arrow_forward
Downloads/
assum_sec X
+
English
localhost:8888/notebooks/Downloads/21201491_Nuzhat%20Tabassum_sec-17_CSE110_assignment-06.ipynb
C jupyter 21201491_Nuzhat Tabassum_sec-17_CSE110_assignment-06 Last Checkpoint: 8 hours ago (unsaved changes)
Logout
File
Edit
View
Insert
Cell
Kernel
Widgets
Help
Trusted
Python 3 O
+
• Run
с
Markdown
Task 15
You have been hired as an app developer for the company. The company plans to make an app for a grocery store where the user can order groceries and
see the total amount to be paid in the cart section.
To build this feature, you have to write a function that takes 2 arguments. They are:
order_items (must be a list)
• location (default value should be set to "Dhanmondi")
Your first task is to take a list of items from the user. Pass the list into the function parameter along with the optional location (Use default argument technique).
(Also, no need to take location as input, pass this any value you want.)
Your second task is to implement the function.…
arrow_forward
Ubunto please
arrow_forward
This section has a total of 6 questions.
Upload all scanned documents/files/ compressed folder in the linH
the end of Question 26.
Use the expression F = ((AC) +B') (C Đ A O B) to draw the Truth Table.
A -
I
Use the upload link after Question 26 to upload the answer. (image, word, pdf, or any
practical files)
استخدم رابط التحميل بعد السؤال 26 لتحميل الإجابة. )صورة، كلمة، pdf، او الملفات العملية(
H Dacimal pumbers with necessary steps.
arrow_forward
Introduction
Portfolio Assignment
Use this zip file https://drive.google.com/file/d/1P5-FvqTohUa1zw7-dc-2O159rIrrQOON/view?usp=sharing
This paper will be in APA version 7 format.
Why Windows Registry is important in Computer Forensics
Body
Choose 10 Windows Registry Key/Value pairs from Windows 10
For each Key/Value pair provide the following
Why this is important in Computer Forensics.
Provide an example from the registry files provided with this assignment (See Above URL).
References are required
Primary references are preferred
Secondary references are acceptable when Primary references are unavailable
10 registry keys
10 pictures of those keys in a viewer
10 descriptions of how those keys are useful
Introduciton
Conclusion
Title Page
References
Should be around 12-14 pages as counted in MS Word including title and reference pages.
APA will be enforced.
arrow_forward
create this html page
link image
1
https://e.edim.co/205361572/xnxVrIs7fmJ3ONIy.png?response-content-disposition=filename%3D%22email.png%22%3B%20filename%2A%3DUTF-8%27%27email.png&Expires=1641843436&Signature=JJJVyz7d8KxVOL5PKkQWHDAiEwHywB-p-fWML3jIsZFCg1D8fuBV-HcTblHIugF~j387r-dlYQ14TUsTwIfrKGU1B95GjRcGXjBEov9Y1HD3rtJG1YxZedk96PQoilleaKmQqLTDa41Ln96Go4INrRhWRCoc4q5iZkqWRN5kc7dNG~bni9kFR0EG5-Gs68uipZTtzK-VSikLWqMhgkg4pY-M18cLF8uVEiDS-g-k1UVFIwC1d-6DZ9VAqbh949I1C87GGPIrvixosbcZ3q1CTp50ESyUz3wT9Thh4UawBHkLFAk5n~apwZ0QRMCfINMtdsoXyEzHa7ucbWbUelSlFg__&Key-Pair-Id=APKAJMSU6JYPN6FG5PBQ
2…
arrow_forward
https://drive.google.com/drive/folders/1Ghu-oV9atvNe3Dgrrm4C901wcdI8xUPD?usp=sharing file needed
Process: The user (client) requests data from the (server) database. The database sends back the data to the user. At acquisition of the data an XYPlot is drawn.
DataFile: USAStates2020.csv
User Layer:The user selects a country, and passes the country name to the Business Layer. Use TKinter to produce a UI for the user to select a country. Send the selected country to the Business Layer.
Business Layer:Receives the information from the User Layer and constructs a SQL query to send to the Data Layer. The query extracts the yearly data (1970,2020) for the requested country. The data may be queried either country year-by-year or in one query for year range. After receiving the JSON string back from the Data Layer, send the data to the Graphic Layer for plotting.
Data Layer:Construct a SQL Database based on the data from the DataFile. Processes the queries from the Business Layer.…
arrow_forward
Mobile programming
Please solve quckly
arrow_forward
PS5: Webscraping
Suggested Solutions
Import BeautifulSoup, json, requesrts, and pandas.
In [ ]: from bs4 import BeautifulSoup
import pandas as pd
import requests
import re
import json
IMDB top 50 rated films.
The following URL, https://www.imdb.com/search/title/?groups=top_250&sort=user_rating, is a link to the top 50 rated films on IMDB. Create a pandas
DataFrame with three columns: Title, Year, and Rating, pulling the data from the webpage.
We can do this in steps. First, get the HTML code that generated the webpage.
In [ ]:
Using the "Inspect Element" tool in a browser, see that each film is displayed in a DIV with the class lister-item. Use BS to find all such elements
and store them in a list called films.
Then, create a list of the title of each film. Notice, by inspecting the HTML, that the title is contained inside of a tag (a link) that is itself inside of a
DIV with class lister-item-content . That is, for each film in the list films, find the div with the class…
arrow_forward
P Y T H O N: LINKED LISTS
arrow_forward
CREATE:
In order to assess your technical skills, this task was given to a student who is taking up the
subject Advance Web Design. The output must be similar (use the video clip as your reference).
REQUIREMENTS:
The student must be able to produce / display:
1. Calculator with basic functionalities: Addition, Subtraction, Multiplication and Division.
a. In 1 (one) web page only
b. HTML, CSS and JavaScript must be used (and other programming concepts).
c. The design of the calculator must be similar to the sample video clip. (You may
change the color of the Background, fonts, and designs, but must retain the
design of the Calculator's layout).
2. Applying best practice in programming and proper folder and naming conventions.
(Everything must be organized and proper, like usage of external files applying other
best practices for Design and Programming must be used at all).
arrow_forward
response page checks username and
password against arrays of valid usernames
and passwords (normally this is done
against a database - we'll change it later)
If valid - saves username to cookie, and sets
session variable LoggedIn to TRUE. If not,
sets the session variable to FALSE.
Displays link to "content page" (the page
you're protecting).
Created with Mi Notes
arrow_forward
Python please
starter code:
# Web App to Get Stock Market Data from AlphaVantage Serviceimport requests#Function that gets stock info from API# Returns results in list of two strings# DO NOT EDIT THIS FUNCTION EXCEPT TO INSERT YOUR API KEY WHERE INDICATEDdef getStock(symbol):baseURL = "https://www.alphavantage.co/query?function=GLOBAL_QUOTE&datatype=csv"keyPart = "&apikey=" + "REPLACE WITH YOUR API KEY" #Add API keysymbolPart = "&symbol=" + symbolstockResponse = requests.get(baseURL+keyPart+symbolPart)return stockResponse.text #Return only text part of response#Function that computes and displays resultsdef main():# Add code that meets the program specifications (see instructions in Canvas)#Code that starts the appmain()
arrow_forward
Please don't copy
arrow_forward
Please write php code just
Thank you
arrow_forward
Visit the following webpage: https://archive.org/details/National_Geographic_Wallpapers This webpage hosts a collection of 506 images from National Geographic Magazine with most of these images previously being part of an international photography contest. Your task is to randomly choose 5 images and identify the objects within those images using Google’s vision API. Submit your iPython notebook code, and screenshots of output as shown below.
You may need to reactivate your Google vision API account (or billing information for trial cycles) if you haven’t used it recently.
Here is the sample code
import base64
import urllib
import os
import io
import PIL
from IPython.display import display, Image
GOOGLE_API_KEY = '' #Use your Google API key here
pip install google-api-python-client
from googleapiclient.discovery import build
service = build('vision', 'v1', developerKey=GOOGLE_API_KEY)
cat = 'C:\\Users\\Instagram and neural networks\\cat.jpg'
def label_image(path=None, URL=None,…
arrow_forward
Step 2: Create the insertartist.php file
Create the insertartist.php file that takes the data from the artist.html form, connects to the database, and successfully inserts the data into the artist table. A message should be displayed to confirm that the record has been added.
arrow_forward
mysql> select * from song;
+-----+
| ID | Title
+-----+-
100 | Hey Jude
--+
| Artist
| GenreCode |
Beatles
| PRC
200 | You Belong With Me
| Taylor Swift
| NULL
300 Need You Now
400 Old Town Road
| Lady Antebellum | COU
| NULL
Lil Nas X
| Pearl Jam
500 | That's The Way Love Goes | Janet Jackson | RAB
600 | Even Flow
+-----+--
6 rows in set (0.00 sec)
mysql> desc song;
| GRU
+
| Field
ID
| Type
| int
| Null | Key | Default | Extra |
-----+-----+-
Title
| NO
varchar(60) | YES
| PRI | NULL
|
| NULL
Artist
| varchar(60) | YES
|
| NULL
| GenreCode | char(3)
| YES
| MUL | NULL
+-
4 rows in set (0.00 sec)
mysql> select * from genre;
+------+--
| Code | Name
+-----
| CLA
artists
| Description
| Classical | Orchestral music composed and performed by professionally trained
|
| COU❘ Country | Developed mostly in southern USA, with roots in traditional folk music,
spirituals and blues |
| DRO | Drone
clusters
GRU | Grunge
Pop Rock
R&B
| PRC
RAB
| TEC | Techno
+
| Minimalist music that emphasizes…
arrow_forward
Topic: Binary
Fill in the boxes
Will give you high rating thank you!!
arrow_forward
• Improve your script by plotting the graph of the File Edit View Insert Tools Desktop Window Help
polynomíal equation.
> Plot the curve in x-y space.
> Display the equation on the graph.
> Display the location and the value of the roots, if
120
100
there áre any real roots.
Hints:
1x-2x-10-0
> Build your plot data as two vectors for x and y
40
values, respectively.
> Use text (x, y,str) to display text on the graph.
> Use sprintf to generate your strings for text
20
-2.32
4.32
function.
> To display a left arrow, use \leftarrow.
> You can get axis limits using xlim and ylim.
arrow_forward
file:///Users/raulmelchoryulogarbanzos/Library/Group%20Containers/6N38VWS5BX.ru.keepcoder.Telegram/appstore/account-5097119293733531334/postbox/media/telegram-cloud-photo-size-5-6163672227954929351-y.jpg
arrow_forward
Q:
Allow the users to export list of records to an excel file in CSV / XLSX format
Course: Java
arrow_forward
https://dcccd.blackboard.com/bbcswebdav/pid-30362192-dt-content-rid-230796624_1/xid-230796624_1
See attachment for details.
Due on the final day by the end of the day. No late submission will be accepted even if it is due to technical problems. )
What to use in your completed code
Get input from file.Ask user at least a single question and read at least one answer.Use at least a single method from Math class.Use at least one overloaded constructor.Use at least one if-else-if, while, for, and enhanced for loops.Use methods to pass and return identifiers and objects.Pass arrays to/from methods.Use at least a method to sort the array in the project.Use inheritance and polymorphism.Use exception handling.Use input validation.Pass the input and output files as commandline arguments.
/**
*Description: This program will displays a string without any user interaction
*Class: Fall - COSC 1437.81002
*Assignment1: Hello World
*Date: 08/15/2011
*@author Zoltan Szabo
*@version 0.0.0
*/
For each…
arrow_forward
Estem.org/courses/64525/assignments/9460783?module_item_id=18078917
The following information can help you get started:
• Invitation Details: it boils down to when and where
o When: Time and date
• Where: Address
• Invitee List: Name and email
• Name: First Name, or First Name and Last Name
Email: Email address
. Other considerations:
After you complete your invitation, answer the following questions:
1. What type of data are time, date, and place? How are they different from the other data types on the
invite and guest list?
F4
A
Additional information worth including: dress code, directions, gifting, how to contact you.
. How will you know who is showing up? RSVP?
. Is there a theme to your invitation/design?
x
F5
%
F6
F7
DELL
F8
F9
ROMNA
F10
F11
PrtScr
arrow_forward
q4 please
arrow_forward
How do I fix this
arrow_forward
Please help with the 1 Python question
Data File: https://docs.google.com/spreadsheets/d/1-S_xnAQXa1QCoWQt7xyvxo42XRNC1QBd/edit?usp=sharing&ouid=112107649557425878726&rtpof=true&sd=true
%%capture############################################################## EXECUTE THIS CELL BEFORE YOU TO TEST YOUR SOLUTIONS ##############################################################import imp, os, syssol = imp.load_compiled("solutions", "./solutions.py")sol.get_solutions("imdb.xlsx")from nose.tools import assert_equalfrom pandas.util.testing import assert_frame_equal, assert_series_equal
# Loading the dataimport pandas as pdimport numpy as np
xls = pd.ExcelFile('imdb.xlsx')df = xls.parse('imdb')df_directors = xls.parse('directors')df_countries = xls.parse('countries')
df = pd.merge(left=df, right=df_countries, how='inner', left_on='country_id', right_on='id')
df = pd.merge(left=df, right=df_directors, how='inner', left_on='director_id',…
arrow_forward
Instructions:
• Assignment to be completed on an individual basis.
• Open a new word document
Save as 60#######-Assignment 1
•
Save as a word document any other format will not
be marked.
• Answers are to be in complete sentences.
Turnitin® will be applied to all uploads to the
"Dropbox" of D2L.
• Each short answer question should have a minimum
of 250 words.
• All citations must be in APA Formato If your paper
does not contain any citations, your assignment will
receive a grade of '0'
• Assignment is to include a Cover Page, Table of
Contents, Body and Reference Page.
• Minimum of one external (NOT class PowerPoints)
reference per answer. You can also use class
PowerPoints to support your answers but you must
reference them.
T
P
Part B - Word Processing
Br
F
Research and discuss two advanced word processing features NOT covered in class that can
be used to increase productivity. Explain how they would help someone be able to do more
work.
CHEE AN
Question 2
arrow_forward
AndroidStudio - Which is not a view size setting type?
Multiple choice
a) fixed
b) floating
c) match constraint
d) wrap content
arrow_forward
how to do this exercise?
Halloween 11 Create a product page
In this exercise, you’ll create a product page that uses a variety of features for working with images. When you’re through, the page should look similar to this:
Specifications:
• To create the product page, you can copy the index.html file you worked on in exercise 7 to the products folder and rename it cat.html. Then, you can delete the content from the section, modify the URLs on the page as necessary, and add the content shown above.
• Create a new style sheet named product.css for the product page, and copy the styles you need from the main.css file to this style sheet. Then, modify the link element for the style sheet in the cat.html file so it points to the correct style sheet.
• Modify the horizontal navigation menu so it indicates that no page is current.
• In the section, float the image to the left of the text. In addition, set the left margin for the text so if the product description is longer, the text won’t…
arrow_forward
Create Kotlin Project (Mobile Application)
Create a Birthday Card app that accepts a person's name and date of birth. Clicking the Submit button will load a new activity which will display the person's name, age, birthstone, and Chinese Zodiac sign.
Submit layout files (.xml), code behind file(s) (.kt), and manifest file.
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
COMPREHENSIVE MICROSOFT OFFICE 365 EXCE
Computer Science
ISBN:9780357392676
Author:FREUND, Steven
Publisher:CENGAGE L
Related Questions
- you can download the Dataset from this link - https://drive.google.com/file/d/1wlepxNIAc_6EQgv9M6WmYtSRJ7eQoty/view?usp=share_link Draw a bar chart to view of the distribution of spam and non-spam email samples in the dataset. How many emails are in the dataset? How many of the emails are spam? (Please answer this question based on implemeted code. You can use any programming language)arrow_forwardDownloads/ assum_sec X + English localhost:8888/notebooks/Downloads/21201491_Nuzhat%20Tabassum_sec-17_CSE110_assignment-06.ipynb C jupyter 21201491_Nuzhat Tabassum_sec-17_CSE110_assignment-06 Last Checkpoint: 8 hours ago (unsaved changes) Logout File Edit View Insert Cell Kernel Widgets Help Trusted Python 3 O + > Run Code print(rem_duplicate(('Hi',1,2,3,3, 'Hi','a','a',[1,2]))) ("Hi', 1, 2, 3, 'а', [1, 2]) Task 12 Write a python function that takes a list as an argument. Your task is to create a new list where each element can be present at max 2 times. Inside the function, print the number of elements removed from the given list. Finally, return the new list and print the result. ========: ======= Hint: You may use list_name.count(element) to count the total number of times an element is in a list. list_name is your new list for this problem. Function Call: function_name([1, 2, 3, 3, 3, 3, 4, 5, 8, 8]) Output: Removed: 2 [1, 2, 3, 3, 4, 5, 8, 8] Function Call: function_name([10, 10,…arrow_forwardDownloads/ assum_sec X + English localhost:8888/notebooks/Downloads/21201491_Nuzhat%20Tabassum_sec-17_CSE110_assignment-06.ipynb C jupyter 21201491_Nuzhat Tabassum_sec-17_CSE110_assignment-06 Last Checkpoint: 8 hours ago (unsaved changes) Logout File Edit View Insert Cell Kernel Widgets Help Trusted Python 3 O + • Run с Markdown Task 15 You have been hired as an app developer for the company. The company plans to make an app for a grocery store where the user can order groceries and see the total amount to be paid in the cart section. To build this feature, you have to write a function that takes 2 arguments. They are: order_items (must be a list) • location (default value should be set to "Dhanmondi") Your first task is to take a list of items from the user. Pass the list into the function parameter along with the optional location (Use default argument technique). (Also, no need to take location as input, pass this any value you want.) Your second task is to implement the function.…arrow_forward
- Ubunto pleasearrow_forwardThis section has a total of 6 questions. Upload all scanned documents/files/ compressed folder in the linH the end of Question 26. Use the expression F = ((AC) +B') (C Đ A O B) to draw the Truth Table. A - I Use the upload link after Question 26 to upload the answer. (image, word, pdf, or any practical files) استخدم رابط التحميل بعد السؤال 26 لتحميل الإجابة. )صورة، كلمة، pdf، او الملفات العملية( H Dacimal pumbers with necessary steps.arrow_forwardIntroduction Portfolio Assignment Use this zip file https://drive.google.com/file/d/1P5-FvqTohUa1zw7-dc-2O159rIrrQOON/view?usp=sharing This paper will be in APA version 7 format. Why Windows Registry is important in Computer Forensics Body Choose 10 Windows Registry Key/Value pairs from Windows 10 For each Key/Value pair provide the following Why this is important in Computer Forensics. Provide an example from the registry files provided with this assignment (See Above URL). References are required Primary references are preferred Secondary references are acceptable when Primary references are unavailable 10 registry keys 10 pictures of those keys in a viewer 10 descriptions of how those keys are useful Introduciton Conclusion Title Page References Should be around 12-14 pages as counted in MS Word including title and reference pages. APA will be enforced.arrow_forward
- create this html page link image 1 https://e.edim.co/205361572/xnxVrIs7fmJ3ONIy.png?response-content-disposition=filename%3D%22email.png%22%3B%20filename%2A%3DUTF-8%27%27email.png&Expires=1641843436&Signature=JJJVyz7d8KxVOL5PKkQWHDAiEwHywB-p-fWML3jIsZFCg1D8fuBV-HcTblHIugF~j387r-dlYQ14TUsTwIfrKGU1B95GjRcGXjBEov9Y1HD3rtJG1YxZedk96PQoilleaKmQqLTDa41Ln96Go4INrRhWRCoc4q5iZkqWRN5kc7dNG~bni9kFR0EG5-Gs68uipZTtzK-VSikLWqMhgkg4pY-M18cLF8uVEiDS-g-k1UVFIwC1d-6DZ9VAqbh949I1C87GGPIrvixosbcZ3q1CTp50ESyUz3wT9Thh4UawBHkLFAk5n~apwZ0QRMCfINMtdsoXyEzHa7ucbWbUelSlFg__&Key-Pair-Id=APKAJMSU6JYPN6FG5PBQ 2…arrow_forwardhttps://drive.google.com/drive/folders/1Ghu-oV9atvNe3Dgrrm4C901wcdI8xUPD?usp=sharing file needed Process: The user (client) requests data from the (server) database. The database sends back the data to the user. At acquisition of the data an XYPlot is drawn. DataFile: USAStates2020.csv User Layer:The user selects a country, and passes the country name to the Business Layer. Use TKinter to produce a UI for the user to select a country. Send the selected country to the Business Layer. Business Layer:Receives the information from the User Layer and constructs a SQL query to send to the Data Layer. The query extracts the yearly data (1970,2020) for the requested country. The data may be queried either country year-by-year or in one query for year range. After receiving the JSON string back from the Data Layer, send the data to the Graphic Layer for plotting. Data Layer:Construct a SQL Database based on the data from the DataFile. Processes the queries from the Business Layer.…arrow_forwardMobile programming Please solve qucklyarrow_forward
- PS5: Webscraping Suggested Solutions Import BeautifulSoup, json, requesrts, and pandas. In [ ]: from bs4 import BeautifulSoup import pandas as pd import requests import re import json IMDB top 50 rated films. The following URL, https://www.imdb.com/search/title/?groups=top_250&sort=user_rating, is a link to the top 50 rated films on IMDB. Create a pandas DataFrame with three columns: Title, Year, and Rating, pulling the data from the webpage. We can do this in steps. First, get the HTML code that generated the webpage. In [ ]: Using the "Inspect Element" tool in a browser, see that each film is displayed in a DIV with the class lister-item. Use BS to find all such elements and store them in a list called films. Then, create a list of the title of each film. Notice, by inspecting the HTML, that the title is contained inside of a tag (a link) that is itself inside of a DIV with class lister-item-content . That is, for each film in the list films, find the div with the class…arrow_forwardP Y T H O N: LINKED LISTSarrow_forwardCREATE: In order to assess your technical skills, this task was given to a student who is taking up the subject Advance Web Design. The output must be similar (use the video clip as your reference). REQUIREMENTS: The student must be able to produce / display: 1. Calculator with basic functionalities: Addition, Subtraction, Multiplication and Division. a. In 1 (one) web page only b. HTML, CSS and JavaScript must be used (and other programming concepts). c. The design of the calculator must be similar to the sample video clip. (You may change the color of the Background, fonts, and designs, but must retain the design of the Calculator's layout). 2. Applying best practice in programming and proper folder and naming conventions. (Everything must be organized and proper, like usage of external files applying other best practices for Design and Programming must be used at all).arrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- COMPREHENSIVE MICROSOFT OFFICE 365 EXCEComputer ScienceISBN:9780357392676Author:FREUND, StevenPublisher:CENGAGE L
COMPREHENSIVE MICROSOFT OFFICE 365 EXCE
Computer Science
ISBN:9780357392676
Author:FREUND, Steven
Publisher:CENGAGE L