Lesson 00-05: Basic Python¶
This lesson is just a quick lesson on a few python basics.
print()
statements¶
The most basic way of seeing output is by using the print()
statement. Basic syntax is as follows:
1
print("Print stuff!")
2
print("Parentheses and Quotes are required, for now")
3
print("Stuff you print goes in between the quotes")
4
print('Single quotes work too.')
5
Print stuff!
Parentheses and Quotes are required, for now
Stuff you print goes in between the quotes
Single quotes work too.
(ex_0005_1)
Whitespace¶
Whitespace refers to spaces or tabs. At this stage of knowledge, having whitespace before python commands will cause errors. Try running the example below:
4
1
print("hello")
2
print("world")
3
print("howdy")
4
(ex_0005_2)
Whitespace has a very specific meaning in python, and we will cover this later - just know that for now, your code statements should not have any whitespace in front of it.
Comments¶
See the code below:
15
1
print("Only this line gets run")
2
# because this is a comment and comments are not run
3
# You will know it's a comment because of the # sign
4
print("hi") # these comments can be on the same line as statements
5
6
""" You can have
7
multi-line comments
8
using triple quotes"""
9
10
'''Single quotes
11
also
12
work
13
'''
14
print("this line also gets run, but no comments will show")
15
Only this line gets run
hi
this line also gets run, but no comments will show
(ex_0005_3)