https://www.tiobe.com/tiobe-index/
https://developers.slashdot.org/story/18/09/08/1722213/python-displaces-c-in-tiobe-index-top-3
Esc-M turns cell into Markdown cell for formatting (https://guides.github.com/pdfs/markdown-cheatsheet-online.pdf)
Esc-Y turns cell into code cell(default)
Ctrl-Enter runs code of cell in place
Alt-Enter runs code for current cell and creates a new cell below
Esc-A creates a new cell above current cell
Esc-B creates a new cell below current cell
Esc-dd deletes current cell
Egg algorithm
Computers are stupid, they only do what they are told to do
If it is stupid but it works, then it is not stupid
Make it work, make it right, make it fast(last two steps often not required in real life)
GIGO principle
Error messages are nothing to be afraid of, usually the message will explain what needs fixing!
print("Hello World!")
# Our first comment
# Real Program Comments should generally describe why
# Here comments will describe extra information not covered or needed for starting out
# REPL(Read,Eval,Print, Loop)
# Python - Interpreted Language(commands executed as they come)
myname="Valdis"
# Creating our first variable will persist through this workbook once it is run
print(myname)
#print is a function that takes at least one argument
# 2.7 and older Python was print without parenthesis
--------------------------------------------------------------------------- NameError Traceback (most recent call last) <ipython-input-5-f8604fe2a0f6> in <module>() ----> 1 print(myname) 2 #print is a function that takes at least one argument 3 # 2.7 and older Python was print without parenthesis NameError: name 'myname' is not defined
favfood="potatoes"
In some other languages also known as string interpolation
print(f"My name is {myname} and my favorite food is {favfood} ")
# f strings in Python 3.6+ older formatting methods not covered in this course
# https://realpython.com/python-f-strings/
Every piece of knowledge must have a single, unambiguous, authoritative representation within a system. http://wiki.c2.com/?DontRepeatYourself
Contrast WET - We Enjoy Typing, Write Everything Twice, Waste Everyone's Time
def printName(name):
print(f"Maybe my name is: {name}")
printName("Voldemars")
#Functions can also return values
def combinedName(name,last):
return name+" "+last
fullname=combinedName("Valdis","Saulespurens")
sometext="It's a string which allows single quotes"
anothertext='This string allows "double quotes" without escaping'
longstring='''This is a multiline string
Seriously long string with many lines
lots of text covered'''
print(longstring)
## Some strings might need escaping such as \\, \", \', \t
## Everything in Python is an Object
## can use id(myobject) to find its identity - place in memory
## each object has a value with a type and can be mutable/immutable
# Variables
a = 5 # Integer
b = 5.6 # Float
c = "sometext" # String
print(type(a),type(b),type(c))
a = "42" # now a is a String
type(a) # notice how without print the output is a bit different
# Naming conventions
# start with lowercase
# _ between words or camelCase
# style guide: https://www.python.org/dev/peps/pep-0008/
5+4*3-(6/2)
5//2
4%3
type(1)
type(14.0)
5**33
11**120 # no maximum anymore
mylist = list(range(11,21,1))
# mylist = [11, 12, 13, 14, 15, 16, 17, 18, 19, 20] would work too but not practical for longer ranges...
print(mylist)
mylist[0]
mylist[3:]
mylist[:-2]
mylist[::2]
"Valdis"[2:5]
myname[-1]
myname[::-1]
mydict = {"country":"Latvia"} #Key-Value store, also knows as Hashmaps, Keys must be unique
mydict["food"]="potatoes"
mydict["food"]
mydict["country"]
mydict.keys()
mydict.values()
"potatoes" in mydict.values()
s={3,3,6,1,3,6,7}
print(s)
mytuple = 6, 4, 9
print(mytuple)
if 5 >= 5:
print("hello")
if 5 <= 5:
print("hello")
if 5 == 6:
print("hello thats magic")
if 5 != 6:
print("hello thats not magic")
def printnum(num):
if num > 10:
print(f"This number {num} is too unwieldy for me to print")
else:
print(f"This {num} is a nice number")
def isEven(num):
if num%2 == 0:
print(f"{num} is even")
else:
print(f"{num} is odd")
isEven(3)
isEven(4)
for x in range(10):
print(x)
Full list of differences: http://treyhunner.com/2018/02/python-3-s-range-better-than-python-2-s-xrange/
for c in "Valdis":
print(c)
for k,v in mydict.items():
print(k,v)
printnum(3)
## Splitting a line of text into words
mytext = "A quick brown fox jumped over a sleeping dog"
words = mytext.split()
print(words)
## Print first letter of each word
for w in words:
print(w[0], w[0].isupper(), w.istitle()) ## istitle() checks every word in a string so not good for unsplit strings
myline="Mr. Sherlock Holmes, who was usually very late in the mornings"
words=myline.split()
words
words[1][0].isupper()
def processLine(line):
words = line.split()
linegood=False
for word in words:
if word[0].isupper():
print(word, end='\t')
linegood=True
if linegood == True:
print('')
class MyClass:
"""A simple example class"""
i = 12345
def f(self): #this is important! similar to this in other languages object itself
return f'Hello'
dir(MyClass)
myc=MyClass()
#?myc
print(myc.i)
print(myc.f())
class Complex:
def __init__(self, realpart, imagpart, name):
self.r = realpart
self.i = imagpart
self.name = name
def calcDistance(self, mult):
return (self.r**2+self.i**2)**0.5*mult
x = Complex(3.0, -4.5, "Complekss")
print(x.r, x.i)
print(x.calcDistance(5))
print(x.name)
# dir(x)
dir(Complex)
# TODO List Comprehensions, Dictionary Comperehensions
# Generators
# File IO
# Filter,Map,Apply
# Imports, modules
# Decorators !
https://automatetheboringstuff.com/ - Anything by Al Sweigart is great
http://newcoder.io/tutorials/ - 5 sets of practical tutorials
Think Like a Computer Scientist full tutorial
Non-Programmers Tutorial for Python 3 quite good for wikibooks
Real Python Python Tutorials for all levels
Learn Python 3 the Hard Way controversial author but very exhaustive, some like this approach
Python Cookbook Recipes for specific situations
Effective Python best practices
Fluent Python highly recommended, shows Python's advantages
feel free to pull request