Python is completely object-oriented, and not “statically typed”. You do not need to declare variables before using them or declare their type. Every variable in Python is an object.

This tutorial will go over a few basic types of variables.

Numbers
Python supports two types of numbers – integers and floating-point numbers. (It also supports complex numbers, which will not be explained in this tutorial).

To define an integer, use the following syntax:


myint = 7
print(myint)

Now please try this code below and see what happen?

To define a floating-point number, you may use one of the following notations:

myfloat = 7.0
print(myfloat)
myfloat = float(7)
print(myfloat)

Strings are defined either with a single quote or double-quotes.

mystring = 'hello'
print(mystring)
mystring = "hello"
print(mystring)

Difference between this two is that using double quotes makes it easy to include apostrophes (whereas these would terminate the string if using single quotes)
mystring = "Don't worry about apostrophes"
print(mystring)

There are additional variations on defining strings that make it easier to include things such as carriage returns, backslashes and Unicode characters. These are beyond the scope of this tutorial, but are covered in the Python documentation.

Simple operators can be executed on numbers and strings:
one = 1
two = 2
three = one + two
print(three)

hello = “hello”
world = “world”
helloworld = hello + ” ” + world
print(helloworld)

 

Assignments can be done on more than one variable “simultaneously” on the same line like this
a, b = 3, 4
print(a,b)

Mixing operators between numbers and strings are not supported:

one = 1
two = 2
hello = "hello"

print(one + two + hello)

The code above will produce an error.

Exercise

The target of this exercise is to create a string, an integer, and a floating point number. The string should be named mystring and should contain the word “hello”. The floating point number should be named myfloat and should contain the number 10.0, and the integer should be named myint and should contain the number 20.

If you need help comment below and ask for the solution.