C4: Python for Data Science, AI & Development Flashcards
str()
String data type object.
int()
Integer data type object.
float()
Floating Point data type object.
list()
Returns a list of the elements in an object.
E.g.,
Var = “Panks”
list(Var) : (“P”,”a”,”n”,”k”,”s”)
int(3.55):?
3
Here you are casting a floating point through a integer data type, which may have strange results.
float(15):?
15.0
Here you are casting a integer into a floating point data type.
str(4.558):?
“4.558”
Here you are casting a floating point number into a string data type
What are the two Boolean expressions in Python?
True & False*.
They must be camel case.
int(True):?
1
int(False):?
0
bool(1):?
True.
bool(0):?
False.
What is an Operand?
The thing to be operated on.
What is an Operator?
What the Operand opperates on.
type()?
Returns the data type of variable.
Good for debugging.
What’s Typecasting?
Converting one data type into another.
Define Tuple.
1) An Ordered set of numbers.
2) Where the order cannot change.
- The sequence cannot be changed.
- Set is finite.
- Set may contain duplicates.
n-tuple
(X1, … , Xn)
What does RegEx mean?
Regular Expression.
- A Python module.
- A tool for matching and handling strings.
> > > import re
Imports the Regular Expression module built into Python 3.
Concatenation
Combines strings.
Major Data Type Objects in Python.
Integers
Floating Points
Strings
Booleans
Coupoud Data Type Objects? - Python
- Lists
- Tuples
Tuples syntax? - Python
var = (X1,X2,…,…,Xn)
For var = (X1,X2,…,…,Xn),
var[0] returns?
X1
Slicing syntax? - Python
[ n1:n2:n3]
Where:
* n1 = The first index position to return.
* n2 = The last index position to pull, +1.
* n3 = The stride, if any.
Immutable? - Python
Cannot be changed.
E.g.,
* Strings.
* Tuples.
List syntax? - Python
var = [X1,X2,…,…,Xn]
Difference between Lists and Tuples?
Lists are mutable. Tupples are not.
var = [33,55,2,10]
var.extend([9,19])
?
print(var) :
[33,55,2,10,9,19]
var = [33,55,2,10]
var.append([9,19])
?
print(var) :
[33,55,2,10,[9,19]]
var = [33,55,2,10]
del(var[1])
?
var = [33,2,10]
What method would you use to convert a string to a list?
.split()
E.g.,
str(“The rain in spain”)
str2 = str.split()
str2 = [“The”,”rain”,”in”,”spain”]
() is blank, the delimiter is space. Otherwise, pass in a delimiter, such as a colon.
Define Aliasing.
Multiple names refering to the same object.
A = [X1,X2,…,…,Xn]
B = A
list(B) = ?
[X1,X2,…,…,Xn]
A = [X1,X2,…,…,Xn]
B = A[:]
A[2] = 100
list(A) = ?
list(B) = ?
A = [X1,X2,100,…,…,Xn]
B = [X1,X2,…,…,Xn]
A[:] clones the list in variable A.
copy() - Python
A Method used to create a shallow copy of a list.
count() - Python
A Method used to count the number of occurrences of a specific element in a list.
Define these list methods:
Below, let “var”, be any variable that holds a list:
var.pop()
var.reverse()
var.sort
var.remove()
var.insert()
var.count()
var.copy()
-
pop()
method is another way to remove an element from a list in Python. It removes and returns the element at the specified index. If you don’t provide an index to thepop()
method, it will remove and return the last element of the list by default - The
reverse()
method is used to reverse the order of elements in a list - The
sort()
method is used to sort the elements of a list in ascending order. If you want to sort the list in descending order, you can pass thereverse=True
argument to thesort()
method. - To remove an element from a list. The
remove()
method removes the first occurrence of the specified value. - The
count()
method is used to count the number of occurrences of a specific element in a list in Python. - The
copy()
method is used to create a shallow copy of a list.
Dictionaries object syntax?
{'
A':'
a','
B':'
b',...,...,'
N':'
n'}
Dictionary attributes.
- Keys must be unique.
- Keys are immutable.
- –
- Values are mutable
- Values don’t have to be unique.
Assume:{'Key1':'Value1','Key2','Value2',...,...,'KeyN','ValueN'}
.
–
If:Dict['Key2']
:
Value2
Assume:{'Key1':'Value1','Key2','Value2'}
.
–
If:Dict['New1'] = 100
:
{'Key1':'Value1','Key2','Value2','New1':100}
.
Assume:{'Key1':'Value1','Key2':'Value2','New1':100}
.
–
If:del(Dict['Key1'])
:
{‘Key2’:’Value2’,’New1’:100}
Assume:{'
A':'
a','
B':'
b',...,...,'
N':'
n'}
–
Query this Dictionary for B.
'B' in Dict
returns True
Dict.keys()
: ?
This method lists all the keys in the Dictionary.
Dict.values()
: ?
This method lists all the values in the Dictionary.
Set
properties?
- Unordered.
- Containes no duplicate values.
Set
object syntax?
{
3,
1,
2,...,...,
N}
Typecast a List
into a Set
.
set(
list[x,y,z])
Assume:var = [3,58,5,5,10,10,8,6]
–set(var)
: ?
{3,58,5,10,8,6}
Note: A set cannnot contain duplicates. They are removed from the list.
Assume:var = {'lake','fire','water'}
–var.add('smores')
var
: ?
{'lake','fire','water','smores'}
Assume:var = {'lake','fire','water','smores'}
–var.add('fire')
var
: ?
var = {'lake','fire','water','smores'}
*Note: A set cannnot contain duplicates. “fire’ cannot be added.
Assume:var = {'lake','fire','water','smores'}
–var.remove('fire')
var
: ?
var = {'lake','water','smores'}
Assume:var = {'lake','fire','water','smores'}
–
‘lake’ in
var: ?
True
Set Theory - Intersection
Assume:Set1 = {1,2,3,4}
Set2= {3,4,5,6}
Instruct Python to find the intersection of both sets.
Set3 = Set1 &
Set2
~~~
Set3 : {3,4}
Set Theory - Union
Assume:Set1 = {1,2,3,4}
Set2= {3,4,5,6}
Instruct Python to find the union of both sets.
Set3 = Set1.union(
Set2)
~~~
{1,2,3,4,5,6}
What method clears all the entries from a Dictionary?
var.clear()
List the six common Comparison Operators.
A == B - Is A equal to B?
A != B - Is A not equal to B?
A > B - Is A greater than B?
A < B - Is A less than B?
A >= B - Is A greater or equal to B?
A <= B - Is A less or equal to B?
Comparison Operators return what?
True
or False
.
These are boolean.
‘Baxter’ ==
‘Baker’: ?
False
~~~
Note: String data types can be compared.
if
syntax?
if(
condition) :
Execute if true.
______Indented code.
______Indented code.
~~~
Note: Indents are required.
if / else
syntax?
if(
condition) :
Execute if true.
______Indented code.
______Indented code.
else:
Execute if above is false.
______Indented code.
______Indented code.
~~~
Note: Indents are required.
if / elif / else
syntax?
if(
condition) :
Execute if true.
______Indented code.
______Indented code.
elif(
condition) :
Execute if above is false & this is true.
______Indented code.
______Indented code.
else:
Execute if both above are false.
______Indented code.
______Indented code.
~~~
Note: Indents are required.
Logic Operators ?
not()
or()
and()
Python supports these three logic operators.
if(True) and
(False): ?
False
if(True) or
(False): ?
True
range(N)
or
range(0,N)
[0,1,2,…,…,N-1]
Note:
* The last value of arange function is always one less than the number input into the function.
* A range sequence always starts at 0.
* N must be a an whole number.
range(10,15) : ?
[10,11,12,13,14]
i
in for
loops?
Index
or increment
.
Incement i
by 1.
Decrement i
by 5.
i +=
1
i -=
5
for
syntax?
for
counter in
iterable object :
______Indented code.
______Indented code.
~~~
Note:
* for
will increment the “counter” at the end of each loop.
* “counter” can be any variable that can hold an integer data type. It is usualy i
.
* It is a temporary variable that is constrained in scope to the loop.
while
syntax?
while
some conditional True :
______Indented code.
______Indented code.
Note:
* It is not uncommon to itterate some counter variable within the while
loop.
list(enumerate(range(11)))
: ?
[(0, 0),
(1, 1),
(2, 2),
(3, 3),
(4, 4),
(5, 5),
(6, 6),
(7, 7),
(8, 8),
(9, 9)
(10,10)]]
Function
syntax ?
def
function_name(
Argument(s)):
______”””
______Notes
______”””
______Indented code.
______return
b
~~~
Note:
* Functions cannot have an empty body. Use none
in the body satsify this requirement that the function not be blank.
* You do not have to define a return
in a function.
Do Local Variables confilict with Global Variables?
No.
Variables inside a functon do not change variables outside a function, even if they have the same name.
What will Python do if if finds an undefined variable in a function?
Check for the variable in the global scope.
What does pass
do in a function?
- Acts as a temporary placeholder for future code.
- It ensures that the code remains syntactically correct, even if it doesn’t do anything yet.
- Doesn’t perform any meaningful action. When the interpreter encounters “pass”, it simply moves on to the next statement without executing any code.
Define Global Scope variables.
Variables defined outside functions; accessible everywhere.
Define Local Scope variables.
Variables inside functions; only usable within that function.
What does global
do in a function?
Changes the scope of a variable in the function from local to global.
Meaning that it can be referenced even after the function has completed.
How would you modify the following function to allow you to pass in a variable number of arguments?
~~~def
a_function(
argument):
______”””
______Notes
______”””
______Indented code.
______return
b
Place an asterisk before the argument.
~~~
E.g., def
a_function(
*argument):
Try
syntax?
try:
______code or passexcept
Exception:
______code or passexcept
Exception:
______code or passelse:
______code or passfinally:
______code or pass
Complete the sentence:
Methods are “…” with Objects.
…how you change or interact…
Class > Object > ? > Method
Attribute.
? > Object > Attribute > Method
Class
Class > ? > Attribute > Method
Object
Class > Object > Attribute > ?
Method
A class is a template for?
Objects.
Class syntax?
class
className():
______class_attribute = value
______def
_
_
init
_
_
(self,
attribute1, attribute2, …):
____________self.attribute1 = attribute1
____________self.attribute2 = attribute2
____________...
______def method1(self, parameter1, parameter2, ...
):
\_\_\_\_\_\_\_\_\_\_\_\_
Method logic
\_\_\_\_\_\_\_\_\_\_\_\_
…`
~~~
* Class attributes (shared by all instances).
* Constructor method (initialize instance attributes).
* Instance methods (functions). Do not have to have a value passed.
An objects attributes define it’s?
State.
A.k.a., The data that describes the object.
An objects methods define it’s?
Behavior.
A.k.a., Actions assigned to the object that can change it’s state.
An Object is an … of a Class?
Instance.
Name the two loop controls.
Break.
Continue.
What does dir(
object)
do?
Returns all properties and methods of the specified object, without the values.
Open a file syntax?
open(
*…/path/filename.txt,
‘x’)
~~~
Where:
* *The value of x may be:
* r for reading mode.
* w for writing mode.
* a for appending mode.
fileObject.name() returns?
The name of the file in the file object.
Open the following file in append mode inside a file object named darth
:
~~~
…/path/tothe.darkside
with
open('
…/path/tothe.darkside','a') as darth
fileObject.read() ?
Reads the entire content of the file.
e.g., darth = vader.read()
fileObject.read(x
) ?
Reads x
characters starting from the current position of the file pointer.
e.g., darth = vader.read(10
)
fileObject.readline() ?
Reads the contents of a file line by line.
Note, it remembers where it last read. Then itterates and reads the next line if called again. Also, if given an integer as an argument, it will read tham many posisitons of that line. But only from that line.
fileObject.seek(x) ?
Moves the files pointer to a specific position in the file. Then reads that character.
The position is specified in bytes, so you’ll need to know the byte offset of the characters you want to read.
fileObject.close() ?
Closes a file.
This is essential.
However, you should not have to use this if you are using the with
method.
Create a new file in the local directory named obiwan.master
mapped to a file object named jedi
.
with open('
…/path/tothelight/obiwan.master','w') as jedi:
~~~
Note:
If the file requested by open does not exist in the directory, the action will create it.
Dependencies is another name for ?
Libraries.
.tell() does what?
Returns where the system caret ^
is in the file object.
Diferentiate the following;.readline()
.readlines()
.readline()
:
This method returns one full line from the file object as a string.
.readlines()
:
This method returns all the line in a file object as a list.
How do you querying a variable for it’s attributes and methods?
dir(
var)
Load pandas?
import
pandas as
pd
With pandas imported:df.head()
does what?
Prints the first five rows of the data frame.
- With pandas imported:
-
Assume
var
is a dictionary.
~~~
How would you cast the dictionary into a dataframe?
varInFrame = pd.DataFrame(
var)
With pandas imported:
When you cast a dictionary into a data frame, the values become?
Columns.
~~~
The keys become the column headers.
With pandas imported:
How would you pull an entire column(s) from a data frame and make it a new object?
var = df [[
‘key1’ , ‘key2’ , ‘key5’ ]]
Double brackets extracts a column by key (header)name.
- With pandas imported +
-
An active data frame,
df
:
How would you reference cell a1?
df.iloc[0,0]
With pandas imported:
Read a decks.csv into the data frame object, df
.
df
= pd.read_csv('
decks.csv')
- With pandas imported:
-
Assume:
data = [10, 20, 30, 40, 50]
Create a series in series objects
from this list.
s = pd.Series(data)
Diferentiate,
print(df.iloc
[n])
from
print(df.loc
[n])
iloc
accesses the row by position.
iloc[row_index, column_index]
i.e., index location.
Counts from 0.
~~~loc
acesses the row by label
loc[row_label, column_label]
Use method set_index() to set a columns contents as the index from the default.
Counts from 1.
Pandas generally provides two data structures for manipulating data, They are?
Data Frames.
Series.
df.iloc[1:3]
vs.
df.iloc[1,3]
The first slices out and returns rows 2 & 3.
The second selects the data a row 2 / column 3.
What is df.iloc[0:2, 0:3]
doing?
Slicing out the first two rows, three columns deep.
NumPy stands for?
Numerical Python.
NumPy is meant for working with?
- Arrays
- Linear algebra
- Fourier transforms
- Matrices
The ‘Pandas library’ is built on?
The NumPy library.
Syntax for making a 2D array in Python withNumPy
?
my_2d_array = np.array [
_________________________[0,0,0,0,0,0],
_________________________[0,0,0,0,0,0],
_________________________[0,0,0,0,0,0],
_________________________[0,0,0,0,0,0],
_________________________[0,0,0,0,0,0],
_________________________],
if var
is an numpy array what do these methods do?
var.dtype
var.size
var.ndim
var.shape
var.dot()
var.mean()
var.max()
var.min()
var.std()
.dtype
returns the type of the data stored in the array..size
returns the number of elements in the array..ndim
returns the number of dimensions of the array..shape
returns the length of each dimension of the array..dot(a,b)
returns the dot product of the np arrays a and b..mean()
returns the mean value of the array..max()
returns the max value of the array..std()
returns the standard deviation of the array.
np.pi ?
Return the value of pi.
np.linspace(a,b,c)
np.linspace(a,b,c) returns a line (a list) starting at ‘a’ and ending at ‘b’ with ‘c’ evenly spaced intevals as a array. (Which include the intervals ‘a’ and ‘b’.
What does URI stand for?
Uniform resource identifier.
This is distinct from a URL.
What are the four HTTP methods?
GET: Retrieves data from the Server or API.
POST: Submits data to the Server or API.
PUT: Updates data on the Server or API.
DELETE: Deletes data on the the Server or in the API.
What does the Requests
library do?
Allows you to make HTTP 1.1 requests from within Python.
A URL has three parts.
They are?
Scheme.
Address.
Path.
e.g.,
https://
www.google.com
/a/admin/login
Which contanins which?
URL
URI
Uniform Resource Identifier > Uniform Resource Locator
or
URI {URL}
What are the 5 HTTP response status code classes and their general meaning?
100: Info.
200: Success.
300: Make a choice.
400: Failure.
500: Big failure.
HTML tags hierarchy?
Parent > Child > Decendent
Siblings = Siblings
What is Beautiful Soup
?
A module that facilitates webscraping.
What does DOM stand for?
Document Object Model