Skip to main content

Posts

Showing posts from August 11, 2019

Python Control Flow

Python Control Flow if Statements The if statement is used for conditional execution x = 5 if x < 0 : print ( 'x is Negative' ) elif x == 0 : print ( 'x is Zero' ) elif x > 0 : print ( 'x is Positive' ) else : print ( 'x is not a number' ) The while statement The while statement is used for repeated execution as long as an expression is true x = 0 while x < 6 : print ( x ) x = x + 1 : for Statements In Python’s for statement iterates over the items of any sequence (a list or a string) fruits = ["apple", "orange", "banana", "cherry"] for fruit in fruits : print ( fruit ) The range() Function If you do need to iterate over a sequence of numbers, the built-in function range() comes in handy. It generates arithmetic progressions for i in range ( 5 ): print ( i ) Output 0 1 2 3 4 More example on range range ( 5 , 10 )...

Python Variables

Python Variables Variables are containers for storing data values. Unlike other programming languages, Python has no command for declaring a variable. A variable is created the moment you first assign a value to it. x = 5 y = "John" print (x) print (y) Variables do not need to be declared with any particular type and can even change type after they have been set. x = 5 # x is integer x = "John" # now x is a string Assign Value to Multiple Variables x, y = 5, 'John' print(x) print (y) You can also use the + character to add a variable to another variable x = "Python is" y = "awesome" print (x + y)

Python Comments

Python Comments In this post, We will learn about comments in Python. Comments can be used to explain Python code. Comments can be used to make the code more readable Single line comment # this is the first comment print ("Hello World") print ("Hello World") # this is the first comment Multi-line comment   # this is a comment # written in # more than on line "print ("Hello World") ''' this is a comment written in more than on line ''' "print ("Hello World")

Python Getting Started

Python Getting Started In this post, We will learn how to write first program in Python. Installation  Many system will have already Python installed. To check Python installed on Windows operating system run below command on windows command shell (cmd.exe). python --version To check Python installed on linux operating system run below command on Linux terminal. python --version Python Quick start Create a Python file hello_world.py here .py extension indicate that it is a python file. Let's write first Python program. Open hello_world.py in text editor and write below program in it. print ("Hello World") Run python file on command line. The way to run a python file is like this on the command line python hello_world.py Above program will print Hello World on your terminal.