SlideShare a Scribd company logo
Python Certification Training https://www.edureka.co/python
Agenda
Python Certification Training https://www.edureka.co/python
Agenda
Python Certification Training https://www.edureka.co/python
Agenda
Introduction 01
Introduction
to Flask
Getting Started 02
Concepts 03
Practical Approach 04
Installing and working
with Flask
Looking at code to
understand theory
Overview of all the
concepts in Flask
Python Certification Training https://www.edureka.co/python
Introduction to Flask
Python Certification Training https://www.edureka.co/python
Introduction to Flask
Open Source
Flask is a web application framework written in Python.What is Flask?
Large community for
Learners and Collaborators
Let’s get started then!
Python Certification Training https://www.edureka.co/python
Introduction to Flask
What is a Web Framework?
Life without Flask! Using Flask!
ModulesLibraries
Web Developer
Python Certification Training https://www.edureka.co/python
Introduction to Flask
Flask!!
Enthusiasts named Pocco!
Werkzeug WSGI Toolkit Jinga2 Template Engine
I’m learning Flask!
Python Certification Training https://www.edureka.co/python
Installing Flask
Python Certification Training https://www.edureka.co/python
Installation - Prerequisite
Prerequisite
I’m learning Flask!
virtualenv Virtual Python Environment builder
pip install virtualenv
Sudo apt-get install virtualenv
Python Certification Training https://www.edureka.co/python
Installation - Flask
Installation
I’m learning Flask!
Once installed, new virtual environment is created in a folder
mkdir newproj
cd newproj
virtualenv venv
To activate corresponding environment, use the following:
venvscriptsactivate
pip install Flask
Python Certification Training https://www.edureka.co/python
Flask - Application
Python Certification Training https://www.edureka.co/python
Flask - Application
Test Installation
I’m learning Flask!
Use this simple code, save it as Hello.py
from flask import Flask
app = Flask(__name__)
@app.route('/')
def hello_world():
return 'Hello World’
if __name__ == '__main__':
app.run()
Python Certification Training https://www.edureka.co/python
Flask - Application
Importing flask module in the project is mandatory!
I’m learning Flask!
Flask constructor takes name of current module (__name__) as argument
App.route(rule, options)
route() function
URL binding with the function
List of parameters to be forwarded to the underlying Rule object
Python Certification Training https://www.edureka.co/python
Flask - Application
App.run(host, port, options
Sl.no Parameter Description
1 host
Hostname to listen on. Defaults to 127.0.0.1 (localhost). Set to
‘0.0.0.0’ to have server available externally
2 port Defaults to 5000
3 debug Defaults to false. If set to true, provides a debug information
3 options To be forwarded to underlying Werkzeug server.
* Running on http://127.0.0.1:5000/ (Press CTRL+C to quit)
All these parameters are optional
Python hello.py
Python Certification Training https://www.edureka.co/python
Flask – Application
Python Certification Training https://www.edureka.co/python
Flask - Application
Debug mode
Flask application is
started by calling
run() method
How to enable Debug mode?
app.debug = True
app.run()
app.run(debug = True)
Python Certification Training https://www.edureka.co/python
Flask – Routing
Python Certification Training https://www.edureka.co/python
Flask - Routing
Route() decorator in Flask is used to bind URL to a function
@app.route(‘/hello’)
def hello_world():
return ‘hello world’
add_url_rule() function is also used to bind URL with function
Check out the following representation
def hello_world():
return ‘hello world’
app.add_url_rule(‘/’, ‘hello’, hello_world)
Python Certification Training https://www.edureka.co/python
Flask –Variable Rules
Python Certification Training https://www.edureka.co/python
Flask – Variable Rules
It is possible to build a URL dynamically!
How? By adding variable parts to the rule parameter
Consider the example
from flask import Flask
app = Flask(__name__)
@app.route('/hello/<name>')
def hello_name(name):
return 'Hello %s!' % name
if __name__ == '__main__':
app.run(debug = True)
http://localhost:5000/hello/Edureka
Python Certification Training https://www.edureka.co/python
Flask – Variable Rules
More rules can be constructed using these converters
Sl.no Parameter Description
1 int Accepts Integer
2 Float For Floating point value
3 Path
Accepts slashes used as
directory separator character
from flask import Flask
app = Flask(__name__)
@app.route('/blog/<int:postID>')
def show_blog(postID):
return 'Blog Number %d' % postID
@app.route('/rev/<float:revNo>')
def revision(revNo):
return 'Revision Number %f' % revNo
if __name__ == '__main__':
app.run()
Run the code
Visit the URL: http://localhost:5000/blog/11
Blog number 11Browser Output
http://localhost:5000/rev/1.1 Revision Number 1.100000
Python Certification Training https://www.edureka.co/python
Flask – Variable Rules
Consider the following code:
from flask import Flask
app = Flask(__name__)
@app.route('/flask')
def hello_flask():
return 'Hello Flask'
@app.route('/python/')
def hello_python():
return 'Hello Python'
if __name__ == '__main__':
app.run()
Run the code
/flask /flask/
/python /python/
Python Certification Training https://www.edureka.co/python
Flask – URL Binding
Python Certification Training https://www.edureka.co/python
Flask – URL Building
url_for() function is used for dynamically building a URL for a specific function
from flask import Flask, redirect, url_for
app = Flask(__name__)
@app.route('/admin')
def hello_admin():
return 'Hello Admin'
@app.route('/guest/<guest>')
def hello_guest(guest):
return 'Hello %s as Guest' % guest
@app.route('/user/<name>')
def hello_user(name):
if name =='admin':
return redirect(url_for('hello_admin'))
else:
return
redirect(url_for('hello_guest',guest = name))
if __name__ == '__main__':
app.run(debug = True)
http://localhost:5000/user/admin
Python Certification Training https://www.edureka.co/python
Flask – HTTP Methods
Python Certification Training https://www.edureka.co/python
Flask – HTTP Methods
HTTP Protocols are the foundation for data communication in WWW
Sl.no Method Description
1 GET Sends data in unencrypted form to server
2 HEAD Same as GET, but without response body
3 POST Used to send HTML form data to server.
4 PUT
Replaces all current representations of target resource with
uploaded content
5 DELETE
Removes all current representations of target resource given by
URL
Let’s look at an example
Python Certification Training https://www.edureka.co/python
Flask – HTTP Methods
First we look at the HTML file
<html>
<body>
<form action = "http://localhost:5000/login" method = "post">
<p>Enter Name:</p>
<p><input type = "text" name = "nm" /></p>
<p><input type = "submit" value = "submit" /></p>
</form>
</body>
</html>
Save this as login.html
Python Certification Training https://www.edureka.co/python
Flask – HTTP Methods
Next is Python Script
from flask import Flask, redirect, url_for, request
app = Flask(__name__)
@app.route('/success/<name>')
def success(name):
return 'welcome %s' % name
@app.route('/login',methods = ['POST', 'GET'])
def login():
if request.method == 'POST':
user = request.form['nm']
return redirect(url_for('success',name = user))
else:
user = request.args.get('nm')
return redirect(url_for('success',name = user))
if __name__ == '__main__':
app.run(debug = True)
Let’s check out the output!
Python Certification Training https://www.edureka.co/python
Flask – Templates
Python Certification Training https://www.edureka.co/python
Flask – Templates
Can we return the output of a function bound to a UR: in form of HTML?
from flask import Flask
app = Flask(__name__)
@app.route('/')
def index():
return '<html><body><h1>'Hello
World'</h1></body></html>'
if __name__ == '__main__':
app.run(debug = True)
But this is cumbersome
from flask import Flask
app = Flask(__name__)
@app.route('/')
def index():
return '<html><body><h1>'Hello
World'</h1></body></html>'
if __name__ == '__main__':
app.run(debug = True)
Flask will try to find the HTML
file in the templates folder, in
the same folder in which this
script is present.
Python Certification Training https://www.edureka.co/python
Flask – Templates
Flask uses jinga2 template engine
<!doctype html>
<html>
<body>
<h1>Hello {{ name }}!</h1>
</body>
</html>
Flask will try to find the HTML
file in the templates folder, in
the same folder in which this
script is present.
from flask import Flask, render_template
app = Flask(__name__)
@app.route('/hello/<user>')
def hello_name(user):
return render_template('hello.html', name = user)
if __name__ == '__main__':
app.run(debug = True)
The Jinga2 template engine uses the following delimiters for escaping from HTML
• {% ... %} for Statements
• {{ ... }} for Expressions to print to the template output
• {# ... #} for Comments not included in the template output
• # ... ## for Line Statements
Python Certification Training https://www.edureka.co/python
Flask – Templates
Conditional statements in templates
from flask import Flask, render_template
app = Flask(__name__)
@app.route('/hello/<int:score>')
def hello_name(score):
return render_template('hello.html', marks = score)
if __name__ == '__main__':
app.run(debug = True)
<!doctype html>
<html>
<body>
{% if marks>50 %}
<h1> Your result is pass!</h1>
{% else %}
<h1>Your result is fail</h1>
{% endif %}
</body>
</html>
HTML Template script
Python Certification Training https://www.edureka.co/python
Flask – Templates
Another example
from flask import Flask, render_template
app = Flask(__name__)
@app.route('/result')
def result():
dict = {'phy':50,'che':60,'maths':70}
return render_template('result.html', result = dict)
if __name__ == '__main__':
app.run(debug = True)
<!doctype html>
<html>
<body>
<table border = 1>
{% for key, value in result.iteritems() %}
<tr>
<th> {{ key }} </th>
<td> {{ value }} </td>
</tr>
{% endfor %}
</table>
</body>
</html>
Python Certification Training https://www.edureka.co/python
Flask – Static Files
Python Certification Training https://www.edureka.co/python
Flask – Static Files
Web application will require a static file such as JS or CSS file
from flask import Flask, render_template
app = Flask(__name__)
@app.route('/result')
def result():
dict = {'phy':50,'che':60,'maths':70}
return render_template('result.html', result = dict)
if __name__ == '__main__':
app.run(debug = True)
<!doctype html>
<html>
<body>
<table border = 1>
{% for key, value in result.iteritems() %}
<tr>
<th> {{ key }} </th>
<td> {{ value }} </td>
</tr>
{% endfor %}
</table>
</body>
</html>
Python
function sayHello() {
alert("Hello World")
}
JS File
HTML
Python Certification Training https://www.edureka.co/python
Flask – Request Object
Python Certification Training https://www.edureka.co/python
Flask – Request Object
Data from client’s webpage is sent to server as a global request object
Form Dictionary object containing key-value pairs of form parameters and values
args Parsed contents of query string which is part of URL after question mark (?)
Cookies Dictionary object holding Cookie names and values
files Data pertaining to uploaded file
Method Current request method
Python Certification Training https://www.edureka.co/python
Flask – Cookies
Python Certification Training https://www.edureka.co/python
Flask – Cookies
Cookie is stored on client’s machine. And helps with data tracking
@app.route('/')
def index():
return render_template('index.html')
<html>
<body>
<form action = "/setcookie" method = "POST">
<p><h3>Enter userID</h3></p>
<p><input type = 'text' name = 'nm'/></p>
<p><input type = 'submit' value = 'Login'/></p>
</form>
</body>
</html>
@app.route('/setcookie', methods = ['POST', 'GET'])
def setcookie():
if request.method == 'POST':
user = request.form['nm']
resp = make_response(render_template('readcookie.html'))
resp.set_cookie('userID', user)
return resp
@app.route('/getcookie')
def getcookie():
name = request.cookies.get('userID')
return '<h1>welcome '+name+'</h1>'
Python Certification Training https://www.edureka.co/python
Flask – Redirect & Errors
Python Certification Training https://www.edureka.co/python
Flask – Redirect & Errors
Flask Class has a redirect() function which returns a response object
Prototype Flask.redirect(location, statuscode, response)
URL where response should be redirected
Statuscode sent to browser’s header
Response parameter used to instantiate response
Python Certification Training https://www.edureka.co/python
Flask – Redirect & Errors
Standardized status codes
Sl.no Status Code
1 HTTP_300_MULTIPLE_CHOICES
2 HTTP_301_MOVED_PERMANENTLY
3 HTTP_302_FOUND
4 HTTP_303_SEE_OTHER
5 HTTP_304_NOT_MODIFIED
6 HTTP_305_USE_PROXY
7 HTTP_306_RESERVED
Sl.no Code Description
1 400 Bad Request
2 401 Unauthenticated
3 403 Forbidden
4 404 Not Found
5 406 Not Acceptable
6 415 Unsupported Media Type
7 429 Too Many Requests
Prototype Flask.abort(code)
Python Certification Training https://www.edureka.co/python
Flask – Extensions
Python Certification Training https://www.edureka.co/python
Flask – Extensions
Flask is a micro framework
Large number of extensions
Flask Mail Flask WTF Flask SQLAlchemy Flask Sijax
Provides SMTP
interface to
Flask
application
Adds rendering
& validation of
WTForms
Adds
SQLAlchemy
support to Flask
Application
Interface for
Sijax –
Python/jQuery
library that
makes AJAX
easy to use
Extensive Documentation
Python Certification Training https://www.edureka.co/python
Conclusion
Python Certification Training https://www.edureka.co/python
Conclusion
Python Flask Tutorial For Beginners | Flask Web Development Tutorial | Python Training | Edureka

More Related Content

What's hot (20)

Flask Introduction - Python Meetup
Flask Introduction - Python MeetupFlask Introduction - Python Meetup
Flask Introduction - Python Meetup
Areski Belaid
 
Web develop in flask
Web develop in flaskWeb develop in flask
Web develop in flask
Jim Yeh
 
jQuery
jQueryjQuery
jQuery
Dileep Mishra
 
Web Development with Python and Django
Web Development with Python and DjangoWeb Development with Python and Django
Web Development with Python and Django
Michael Pirnat
 
Introduction to Spring Framework
Introduction to Spring FrameworkIntroduction to Spring Framework
Introduction to Spring Framework
Serhat Can
 
Django Tutorial | Django Web Development With Python | Django Training and Ce...
Django Tutorial | Django Web Development With Python | Django Training and Ce...Django Tutorial | Django Web Development With Python | Django Training and Ce...
Django Tutorial | Django Web Development With Python | Django Training and Ce...
Edureka!
 
Laravel Tutorial PPT
Laravel Tutorial PPTLaravel Tutorial PPT
Laravel Tutorial PPT
Piyush Aggarwal
 
PHP
PHPPHP
PHP
Steve Fort
 
Introduction To Django
Introduction To DjangoIntroduction To Django
Introduction To Django
Jay Graves
 
JPA and Hibernate
JPA and HibernateJPA and Hibernate
JPA and Hibernate
elliando dias
 
PHP - Introduction to Object Oriented Programming with PHP
PHP -  Introduction to  Object Oriented Programming with PHPPHP -  Introduction to  Object Oriented Programming with PHP
PHP - Introduction to Object Oriented Programming with PHP
Vibrant Technologies & Computers
 
Introduction to spring boot
Introduction to spring bootIntroduction to spring boot
Introduction to spring boot
Santosh Kumar Kar
 
Flask Basics
Flask BasicsFlask Basics
Flask Basics
Eueung Mulyana
 
Java I/O
Java I/OJava I/O
Java I/O
Jussi Pohjolainen
 
React js programming concept
React js programming conceptReact js programming concept
React js programming concept
Tariqul islam
 
jQuery for beginners
jQuery for beginnersjQuery for beginners
jQuery for beginners
Arulmurugan Rajaraman
 
Angular Dependency Injection
Angular Dependency InjectionAngular Dependency Injection
Angular Dependency Injection
Nir Kaufman
 
Introduction to AngularJS
Introduction to AngularJSIntroduction to AngularJS
Introduction to AngularJS
David Parsons
 
Presentation of bootstrap
Presentation of bootstrapPresentation of bootstrap
Presentation of bootstrap
1amitgupta
 
Spring I/O 2012: Natural Templating in Spring MVC with Thymeleaf
Spring I/O 2012: Natural Templating in Spring MVC with ThymeleafSpring I/O 2012: Natural Templating in Spring MVC with Thymeleaf
Spring I/O 2012: Natural Templating in Spring MVC with Thymeleaf
Thymeleaf
 
Flask Introduction - Python Meetup
Flask Introduction - Python MeetupFlask Introduction - Python Meetup
Flask Introduction - Python Meetup
Areski Belaid
 
Web develop in flask
Web develop in flaskWeb develop in flask
Web develop in flask
Jim Yeh
 
Web Development with Python and Django
Web Development with Python and DjangoWeb Development with Python and Django
Web Development with Python and Django
Michael Pirnat
 
Introduction to Spring Framework
Introduction to Spring FrameworkIntroduction to Spring Framework
Introduction to Spring Framework
Serhat Can
 
Django Tutorial | Django Web Development With Python | Django Training and Ce...
Django Tutorial | Django Web Development With Python | Django Training and Ce...Django Tutorial | Django Web Development With Python | Django Training and Ce...
Django Tutorial | Django Web Development With Python | Django Training and Ce...
Edureka!
 
Introduction To Django
Introduction To DjangoIntroduction To Django
Introduction To Django
Jay Graves
 
PHP - Introduction to Object Oriented Programming with PHP
PHP -  Introduction to  Object Oriented Programming with PHPPHP -  Introduction to  Object Oriented Programming with PHP
PHP - Introduction to Object Oriented Programming with PHP
Vibrant Technologies & Computers
 
React js programming concept
React js programming conceptReact js programming concept
React js programming concept
Tariqul islam
 
Angular Dependency Injection
Angular Dependency InjectionAngular Dependency Injection
Angular Dependency Injection
Nir Kaufman
 
Introduction to AngularJS
Introduction to AngularJSIntroduction to AngularJS
Introduction to AngularJS
David Parsons
 
Presentation of bootstrap
Presentation of bootstrapPresentation of bootstrap
Presentation of bootstrap
1amitgupta
 
Spring I/O 2012: Natural Templating in Spring MVC with Thymeleaf
Spring I/O 2012: Natural Templating in Spring MVC with ThymeleafSpring I/O 2012: Natural Templating in Spring MVC with Thymeleaf
Spring I/O 2012: Natural Templating in Spring MVC with Thymeleaf
Thymeleaf
 

Similar to Python Flask Tutorial For Beginners | Flask Web Development Tutorial | Python Training | Edureka (20)

Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...
Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...
Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...
keyroreagan
 
Flask-Python
Flask-PythonFlask-Python
Flask-Python
Triloki Gupta
 
Web Server and how we can design app in C#
Web Server and how we can design app  in C#Web Server and how we can design app  in C#
Web Server and how we can design app in C#
caohansnnuedu
 
Python and Flask introduction for my classmates Презентация и введение в flask
Python and Flask introduction for my classmates Презентация и введение в flaskPython and Flask introduction for my classmates Презентация и введение в flask
Python and Flask introduction for my classmates Презентация и введение в flask
Nikita Lozhnikov
 
Learn flask in 90mins
Learn flask in 90minsLearn flask in 90mins
Learn flask in 90mins
Larry Cai
 
Intro to flask2
Intro to flask2Intro to flask2
Intro to flask2
Mohamed Essam
 
Intro to flask
Intro to flaskIntro to flask
Intro to flask
Mohamed Essam
 
Python master class part 1
Python master class part 1Python master class part 1
Python master class part 1
Chathuranga Bandara
 
Flask for cs students
Flask for cs studentsFlask for cs students
Flask for cs students
Jennifer Rubinovitz
 
Introduction to rest using flask
Introduction to rest using flaskIntroduction to rest using flask
Introduction to rest using flask
Wekanta
 
Introduction to HTTP - Hypertext Transfer Protocol
Introduction to HTTP - Hypertext Transfer ProtocolIntroduction to HTTP - Hypertext Transfer Protocol
Introduction to HTTP - Hypertext Transfer Protocol
Santiago Basulto
 
Learning python with flask (PyLadies Malaysia 2017 Workshop #1)
Learning python with flask (PyLadies Malaysia 2017 Workshop #1)Learning python with flask (PyLadies Malaysia 2017 Workshop #1)
Learning python with flask (PyLadies Malaysia 2017 Workshop #1)
Sian Lerk Lau
 
Flask & Flask-restx
Flask & Flask-restxFlask & Flask-restx
Flask & Flask-restx
ammaraslam18
 
This is the js ppt where I have design about class 2 of the js
This is the js ppt where I have design about class 2 of the jsThis is the js ppt where I have design about class 2 of the js
This is the js ppt where I have design about class 2 of the js
AltafSMT
 
Flask Interview Questions.pdf
Flask Interview Questions.pdfFlask Interview Questions.pdf
Flask Interview Questions.pdf
SudhanshiBakre1
 
Flask restfulservices
Flask restfulservicesFlask restfulservices
Flask restfulservices
Marcos Lin
 
BUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREY
BUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREYBUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREY
BUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREY
CodeCore
 
Flask Application ppt to understand the flask
Flask Application ppt to understand the flaskFlask Application ppt to understand the flask
Flask Application ppt to understand the flask
vijoho5545
 
Introduction to Flask Micro Framework
Introduction to Flask Micro FrameworkIntroduction to Flask Micro Framework
Introduction to Flask Micro Framework
Mohammad Reza Kamalifard
 
Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...
Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...
Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...
Akira Tsuruda
 
Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...
Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...
Python Web Applications With Flask Handon Your Flask Skills2024 Jeffrey Leon ...
keyroreagan
 
Web Server and how we can design app in C#
Web Server and how we can design app  in C#Web Server and how we can design app  in C#
Web Server and how we can design app in C#
caohansnnuedu
 
Python and Flask introduction for my classmates Презентация и введение в flask
Python and Flask introduction for my classmates Презентация и введение в flaskPython and Flask introduction for my classmates Презентация и введение в flask
Python and Flask introduction for my classmates Презентация и введение в flask
Nikita Lozhnikov
 
Learn flask in 90mins
Learn flask in 90minsLearn flask in 90mins
Learn flask in 90mins
Larry Cai
 
Introduction to rest using flask
Introduction to rest using flaskIntroduction to rest using flask
Introduction to rest using flask
Wekanta
 
Introduction to HTTP - Hypertext Transfer Protocol
Introduction to HTTP - Hypertext Transfer ProtocolIntroduction to HTTP - Hypertext Transfer Protocol
Introduction to HTTP - Hypertext Transfer Protocol
Santiago Basulto
 
Learning python with flask (PyLadies Malaysia 2017 Workshop #1)
Learning python with flask (PyLadies Malaysia 2017 Workshop #1)Learning python with flask (PyLadies Malaysia 2017 Workshop #1)
Learning python with flask (PyLadies Malaysia 2017 Workshop #1)
Sian Lerk Lau
 
Flask & Flask-restx
Flask & Flask-restxFlask & Flask-restx
Flask & Flask-restx
ammaraslam18
 
This is the js ppt where I have design about class 2 of the js
This is the js ppt where I have design about class 2 of the jsThis is the js ppt where I have design about class 2 of the js
This is the js ppt where I have design about class 2 of the js
AltafSMT
 
Flask Interview Questions.pdf
Flask Interview Questions.pdfFlask Interview Questions.pdf
Flask Interview Questions.pdf
SudhanshiBakre1
 
Flask restfulservices
Flask restfulservicesFlask restfulservices
Flask restfulservices
Marcos Lin
 
BUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREY
BUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREYBUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREY
BUILDING MODERN PYTHON WEB FRAMEWORKS USING FLASK WITH NEIL GREY
CodeCore
 
Flask Application ppt to understand the flask
Flask Application ppt to understand the flaskFlask Application ppt to understand the flask
Flask Application ppt to understand the flask
vijoho5545
 
Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...
Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...
Flask-RESTPlusで便利なREST API開発 | Productive RESTful API development with Flask-...
Akira Tsuruda
 
Ad

More from Edureka! (20)

What to learn during the 21 days Lockdown | Edureka
What to learn during the 21 days Lockdown | EdurekaWhat to learn during the 21 days Lockdown | Edureka
What to learn during the 21 days Lockdown | Edureka
Edureka!
 
Top 10 Dying Programming Languages in 2020 | Edureka
Top 10 Dying Programming Languages in 2020 | EdurekaTop 10 Dying Programming Languages in 2020 | Edureka
Top 10 Dying Programming Languages in 2020 | Edureka
Edureka!
 
Top 5 Trending Business Intelligence Tools | Edureka
Top 5 Trending Business Intelligence Tools | EdurekaTop 5 Trending Business Intelligence Tools | Edureka
Top 5 Trending Business Intelligence Tools | Edureka
Edureka!
 
Tableau Tutorial for Data Science | Edureka
Tableau Tutorial for Data Science | EdurekaTableau Tutorial for Data Science | Edureka
Tableau Tutorial for Data Science | Edureka
Edureka!
 
Python Programming Tutorial | Edureka
Python Programming Tutorial | EdurekaPython Programming Tutorial | Edureka
Python Programming Tutorial | Edureka
Edureka!
 
Top 5 PMP Certifications | Edureka
Top 5 PMP Certifications | EdurekaTop 5 PMP Certifications | Edureka
Top 5 PMP Certifications | Edureka
Edureka!
 
Top Maven Interview Questions in 2020 | Edureka
Top Maven Interview Questions in 2020 | EdurekaTop Maven Interview Questions in 2020 | Edureka
Top Maven Interview Questions in 2020 | Edureka
Edureka!
 
Linux Mint Tutorial | Edureka
Linux Mint Tutorial | EdurekaLinux Mint Tutorial | Edureka
Linux Mint Tutorial | Edureka
Edureka!
 
How to Deploy Java Web App in AWS| Edureka
How to Deploy Java Web App in AWS| EdurekaHow to Deploy Java Web App in AWS| Edureka
How to Deploy Java Web App in AWS| Edureka
Edureka!
 
Importance of Digital Marketing | Edureka
Importance of Digital Marketing | EdurekaImportance of Digital Marketing | Edureka
Importance of Digital Marketing | Edureka
Edureka!
 
RPA in 2020 | Edureka
RPA in 2020 | EdurekaRPA in 2020 | Edureka
RPA in 2020 | Edureka
Edureka!
 
Email Notifications in Jenkins | Edureka
Email Notifications in Jenkins | EdurekaEmail Notifications in Jenkins | Edureka
Email Notifications in Jenkins | Edureka
Edureka!
 
EA Algorithm in Machine Learning | Edureka
EA Algorithm in Machine Learning | EdurekaEA Algorithm in Machine Learning | Edureka
EA Algorithm in Machine Learning | Edureka
Edureka!
 
Cognitive AI Tutorial | Edureka
Cognitive AI Tutorial | EdurekaCognitive AI Tutorial | Edureka
Cognitive AI Tutorial | Edureka
Edureka!
 
AWS Cloud Practitioner Tutorial | Edureka
AWS Cloud Practitioner Tutorial | EdurekaAWS Cloud Practitioner Tutorial | Edureka
AWS Cloud Practitioner Tutorial | Edureka
Edureka!
 
Blue Prism Top Interview Questions | Edureka
Blue Prism Top Interview Questions | EdurekaBlue Prism Top Interview Questions | Edureka
Blue Prism Top Interview Questions | Edureka
Edureka!
 
Big Data on AWS Tutorial | Edureka
Big Data on AWS Tutorial | Edureka Big Data on AWS Tutorial | Edureka
Big Data on AWS Tutorial | Edureka
Edureka!
 
A star algorithm | A* Algorithm in Artificial Intelligence | Edureka
A star algorithm | A* Algorithm in Artificial Intelligence | EdurekaA star algorithm | A* Algorithm in Artificial Intelligence | Edureka
A star algorithm | A* Algorithm in Artificial Intelligence | Edureka
Edureka!
 
Kubernetes Installation on Ubuntu | Edureka
Kubernetes Installation on Ubuntu | EdurekaKubernetes Installation on Ubuntu | Edureka
Kubernetes Installation on Ubuntu | Edureka
Edureka!
 
Introduction to DevOps | Edureka
Introduction to DevOps | EdurekaIntroduction to DevOps | Edureka
Introduction to DevOps | Edureka
Edureka!
 
What to learn during the 21 days Lockdown | Edureka
What to learn during the 21 days Lockdown | EdurekaWhat to learn during the 21 days Lockdown | Edureka
What to learn during the 21 days Lockdown | Edureka
Edureka!
 
Top 10 Dying Programming Languages in 2020 | Edureka
Top 10 Dying Programming Languages in 2020 | EdurekaTop 10 Dying Programming Languages in 2020 | Edureka
Top 10 Dying Programming Languages in 2020 | Edureka
Edureka!
 
Top 5 Trending Business Intelligence Tools | Edureka
Top 5 Trending Business Intelligence Tools | EdurekaTop 5 Trending Business Intelligence Tools | Edureka
Top 5 Trending Business Intelligence Tools | Edureka
Edureka!
 
Tableau Tutorial for Data Science | Edureka
Tableau Tutorial for Data Science | EdurekaTableau Tutorial for Data Science | Edureka
Tableau Tutorial for Data Science | Edureka
Edureka!
 
Python Programming Tutorial | Edureka
Python Programming Tutorial | EdurekaPython Programming Tutorial | Edureka
Python Programming Tutorial | Edureka
Edureka!
 
Top 5 PMP Certifications | Edureka
Top 5 PMP Certifications | EdurekaTop 5 PMP Certifications | Edureka
Top 5 PMP Certifications | Edureka
Edureka!
 
Top Maven Interview Questions in 2020 | Edureka
Top Maven Interview Questions in 2020 | EdurekaTop Maven Interview Questions in 2020 | Edureka
Top Maven Interview Questions in 2020 | Edureka
Edureka!
 
Linux Mint Tutorial | Edureka
Linux Mint Tutorial | EdurekaLinux Mint Tutorial | Edureka
Linux Mint Tutorial | Edureka
Edureka!
 
How to Deploy Java Web App in AWS| Edureka
How to Deploy Java Web App in AWS| EdurekaHow to Deploy Java Web App in AWS| Edureka
How to Deploy Java Web App in AWS| Edureka
Edureka!
 
Importance of Digital Marketing | Edureka
Importance of Digital Marketing | EdurekaImportance of Digital Marketing | Edureka
Importance of Digital Marketing | Edureka
Edureka!
 
RPA in 2020 | Edureka
RPA in 2020 | EdurekaRPA in 2020 | Edureka
RPA in 2020 | Edureka
Edureka!
 
Email Notifications in Jenkins | Edureka
Email Notifications in Jenkins | EdurekaEmail Notifications in Jenkins | Edureka
Email Notifications in Jenkins | Edureka
Edureka!
 
EA Algorithm in Machine Learning | Edureka
EA Algorithm in Machine Learning | EdurekaEA Algorithm in Machine Learning | Edureka
EA Algorithm in Machine Learning | Edureka
Edureka!
 
Cognitive AI Tutorial | Edureka
Cognitive AI Tutorial | EdurekaCognitive AI Tutorial | Edureka
Cognitive AI Tutorial | Edureka
Edureka!
 
AWS Cloud Practitioner Tutorial | Edureka
AWS Cloud Practitioner Tutorial | EdurekaAWS Cloud Practitioner Tutorial | Edureka
AWS Cloud Practitioner Tutorial | Edureka
Edureka!
 
Blue Prism Top Interview Questions | Edureka
Blue Prism Top Interview Questions | EdurekaBlue Prism Top Interview Questions | Edureka
Blue Prism Top Interview Questions | Edureka
Edureka!
 
Big Data on AWS Tutorial | Edureka
Big Data on AWS Tutorial | Edureka Big Data on AWS Tutorial | Edureka
Big Data on AWS Tutorial | Edureka
Edureka!
 
A star algorithm | A* Algorithm in Artificial Intelligence | Edureka
A star algorithm | A* Algorithm in Artificial Intelligence | EdurekaA star algorithm | A* Algorithm in Artificial Intelligence | Edureka
A star algorithm | A* Algorithm in Artificial Intelligence | Edureka
Edureka!
 
Kubernetes Installation on Ubuntu | Edureka
Kubernetes Installation on Ubuntu | EdurekaKubernetes Installation on Ubuntu | Edureka
Kubernetes Installation on Ubuntu | Edureka
Edureka!
 
Introduction to DevOps | Edureka
Introduction to DevOps | EdurekaIntroduction to DevOps | Edureka
Introduction to DevOps | Edureka
Edureka!
 
Ad

Recently uploaded (20)

DevOps in the Modern Era - Thoughtfully Critical Podcast
DevOps in the Modern Era - Thoughtfully Critical PodcastDevOps in the Modern Era - Thoughtfully Critical Podcast
DevOps in the Modern Era - Thoughtfully Critical Podcast
Chris Wahl
 
7 Salesforce Data Cloud Best Practices.pdf
7 Salesforce Data Cloud Best Practices.pdf7 Salesforce Data Cloud Best Practices.pdf
7 Salesforce Data Cloud Best Practices.pdf
Minuscule Technologies
 
Compliance-as-a-Service document pdf text
Compliance-as-a-Service document pdf textCompliance-as-a-Service document pdf text
Compliance-as-a-Service document pdf text
Earthling security
 
“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...
“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...
“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...
Edge AI and Vision Alliance
 
MCP vs A2A vs ACP: Choosing the Right Protocol | Bluebash
MCP vs A2A vs ACP: Choosing the Right Protocol | BluebashMCP vs A2A vs ACP: Choosing the Right Protocol | Bluebash
MCP vs A2A vs ACP: Choosing the Right Protocol | Bluebash
Bluebash
 
Top 25 AI Coding Agents for Vibe Coders to Use in 2025.pdf
Top 25 AI Coding Agents for Vibe Coders to Use in 2025.pdfTop 25 AI Coding Agents for Vibe Coders to Use in 2025.pdf
Top 25 AI Coding Agents for Vibe Coders to Use in 2025.pdf
SOFTTECHHUB
 
Domino IQ – What to Expect, First Steps and Use Cases
Domino IQ – What to Expect, First Steps and Use CasesDomino IQ – What to Expect, First Steps and Use Cases
Domino IQ – What to Expect, First Steps and Use Cases
panagenda
 
Domino IQ – Was Sie erwartet, erste Schritte und Anwendungsfälle
Domino IQ – Was Sie erwartet, erste Schritte und AnwendungsfälleDomino IQ – Was Sie erwartet, erste Schritte und Anwendungsfälle
Domino IQ – Was Sie erwartet, erste Schritte und Anwendungsfälle
panagenda
 
Cybersecurity Fundamentals: Apprentice - Palo Alto Certificate
Cybersecurity Fundamentals: Apprentice - Palo Alto CertificateCybersecurity Fundamentals: Apprentice - Palo Alto Certificate
Cybersecurity Fundamentals: Apprentice - Palo Alto Certificate
VICTOR MAESTRE RAMIREZ
 
Jira Administration Training – Day 1 : Introduction
Jira Administration Training – Day 1 : IntroductionJira Administration Training – Day 1 : Introduction
Jira Administration Training – Day 1 : Introduction
Ravi Teja
 
6th Power Grid Model Meetup - 21 May 2025
6th Power Grid Model Meetup - 21 May 20256th Power Grid Model Meetup - 21 May 2025
6th Power Grid Model Meetup - 21 May 2025
DanBrown980551
 
Extend-Microsoft365-with-Copilot-agents.pptx
Extend-Microsoft365-with-Copilot-agents.pptxExtend-Microsoft365-with-Copilot-agents.pptx
Extend-Microsoft365-with-Copilot-agents.pptx
hoang971
 
Agentic AI: Beyond the Buzz- LangGraph Studio V2
Agentic AI: Beyond the Buzz- LangGraph Studio V2Agentic AI: Beyond the Buzz- LangGraph Studio V2
Agentic AI: Beyond the Buzz- LangGraph Studio V2
Shashikant Jagtap
 
How to Detect Outliers in IBM SPSS Statistics.pptx
How to Detect Outliers in IBM SPSS Statistics.pptxHow to Detect Outliers in IBM SPSS Statistics.pptx
How to Detect Outliers in IBM SPSS Statistics.pptx
Version 1 Analytics
 
Azure vs AWS Which Cloud Platform Is Best for Your Business in 2025
Azure vs AWS  Which Cloud Platform Is Best for Your Business in 2025Azure vs AWS  Which Cloud Platform Is Best for Your Business in 2025
Azure vs AWS Which Cloud Platform Is Best for Your Business in 2025
Infrassist Technologies Pvt. Ltd.
 
LSNIF: Locally-Subdivided Neural Intersection Function
LSNIF: Locally-Subdivided Neural Intersection FunctionLSNIF: Locally-Subdivided Neural Intersection Function
LSNIF: Locally-Subdivided Neural Intersection Function
Takahiro Harada
 
soulmaite review - Find Real AI soulmate review
soulmaite review - Find Real AI soulmate reviewsoulmaite review - Find Real AI soulmate review
soulmaite review - Find Real AI soulmate review
Soulmaite
 
ISOIEC 42005 Revolutionalises AI Impact Assessment.pptx
ISOIEC 42005 Revolutionalises AI Impact Assessment.pptxISOIEC 42005 Revolutionalises AI Impact Assessment.pptx
ISOIEC 42005 Revolutionalises AI Impact Assessment.pptx
AyilurRamnath1
 
Developing Schemas with FME and Excel - Peak of Data & AI 2025
Developing Schemas with FME and Excel - Peak of Data & AI 2025Developing Schemas with FME and Excel - Peak of Data & AI 2025
Developing Schemas with FME and Excel - Peak of Data & AI 2025
Safe Software
 
Trends Artificial Intelligence - Mary Meeker
Trends Artificial Intelligence - Mary MeekerTrends Artificial Intelligence - Mary Meeker
Trends Artificial Intelligence - Mary Meeker
Clive Dickens
 
DevOps in the Modern Era - Thoughtfully Critical Podcast
DevOps in the Modern Era - Thoughtfully Critical PodcastDevOps in the Modern Era - Thoughtfully Critical Podcast
DevOps in the Modern Era - Thoughtfully Critical Podcast
Chris Wahl
 
7 Salesforce Data Cloud Best Practices.pdf
7 Salesforce Data Cloud Best Practices.pdf7 Salesforce Data Cloud Best Practices.pdf
7 Salesforce Data Cloud Best Practices.pdf
Minuscule Technologies
 
Compliance-as-a-Service document pdf text
Compliance-as-a-Service document pdf textCompliance-as-a-Service document pdf text
Compliance-as-a-Service document pdf text
Earthling security
 
“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...
“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...
“State-space Models vs. Transformers for Ultra-low-power Edge AI,” a Presenta...
Edge AI and Vision Alliance
 
MCP vs A2A vs ACP: Choosing the Right Protocol | Bluebash
MCP vs A2A vs ACP: Choosing the Right Protocol | BluebashMCP vs A2A vs ACP: Choosing the Right Protocol | Bluebash
MCP vs A2A vs ACP: Choosing the Right Protocol | Bluebash
Bluebash
 
Top 25 AI Coding Agents for Vibe Coders to Use in 2025.pdf
Top 25 AI Coding Agents for Vibe Coders to Use in 2025.pdfTop 25 AI Coding Agents for Vibe Coders to Use in 2025.pdf
Top 25 AI Coding Agents for Vibe Coders to Use in 2025.pdf
SOFTTECHHUB
 
Domino IQ – What to Expect, First Steps and Use Cases
Domino IQ – What to Expect, First Steps and Use CasesDomino IQ – What to Expect, First Steps and Use Cases
Domino IQ – What to Expect, First Steps and Use Cases
panagenda
 
Domino IQ – Was Sie erwartet, erste Schritte und Anwendungsfälle
Domino IQ – Was Sie erwartet, erste Schritte und AnwendungsfälleDomino IQ – Was Sie erwartet, erste Schritte und Anwendungsfälle
Domino IQ – Was Sie erwartet, erste Schritte und Anwendungsfälle
panagenda
 
Cybersecurity Fundamentals: Apprentice - Palo Alto Certificate
Cybersecurity Fundamentals: Apprentice - Palo Alto CertificateCybersecurity Fundamentals: Apprentice - Palo Alto Certificate
Cybersecurity Fundamentals: Apprentice - Palo Alto Certificate
VICTOR MAESTRE RAMIREZ
 
Jira Administration Training – Day 1 : Introduction
Jira Administration Training – Day 1 : IntroductionJira Administration Training – Day 1 : Introduction
Jira Administration Training – Day 1 : Introduction
Ravi Teja
 
6th Power Grid Model Meetup - 21 May 2025
6th Power Grid Model Meetup - 21 May 20256th Power Grid Model Meetup - 21 May 2025
6th Power Grid Model Meetup - 21 May 2025
DanBrown980551
 
Extend-Microsoft365-with-Copilot-agents.pptx
Extend-Microsoft365-with-Copilot-agents.pptxExtend-Microsoft365-with-Copilot-agents.pptx
Extend-Microsoft365-with-Copilot-agents.pptx
hoang971
 
Agentic AI: Beyond the Buzz- LangGraph Studio V2
Agentic AI: Beyond the Buzz- LangGraph Studio V2Agentic AI: Beyond the Buzz- LangGraph Studio V2
Agentic AI: Beyond the Buzz- LangGraph Studio V2
Shashikant Jagtap
 
How to Detect Outliers in IBM SPSS Statistics.pptx
How to Detect Outliers in IBM SPSS Statistics.pptxHow to Detect Outliers in IBM SPSS Statistics.pptx
How to Detect Outliers in IBM SPSS Statistics.pptx
Version 1 Analytics
 
Azure vs AWS Which Cloud Platform Is Best for Your Business in 2025
Azure vs AWS  Which Cloud Platform Is Best for Your Business in 2025Azure vs AWS  Which Cloud Platform Is Best for Your Business in 2025
Azure vs AWS Which Cloud Platform Is Best for Your Business in 2025
Infrassist Technologies Pvt. Ltd.
 
LSNIF: Locally-Subdivided Neural Intersection Function
LSNIF: Locally-Subdivided Neural Intersection FunctionLSNIF: Locally-Subdivided Neural Intersection Function
LSNIF: Locally-Subdivided Neural Intersection Function
Takahiro Harada
 
soulmaite review - Find Real AI soulmate review
soulmaite review - Find Real AI soulmate reviewsoulmaite review - Find Real AI soulmate review
soulmaite review - Find Real AI soulmate review
Soulmaite
 
ISOIEC 42005 Revolutionalises AI Impact Assessment.pptx
ISOIEC 42005 Revolutionalises AI Impact Assessment.pptxISOIEC 42005 Revolutionalises AI Impact Assessment.pptx
ISOIEC 42005 Revolutionalises AI Impact Assessment.pptx
AyilurRamnath1
 
Developing Schemas with FME and Excel - Peak of Data & AI 2025
Developing Schemas with FME and Excel - Peak of Data & AI 2025Developing Schemas with FME and Excel - Peak of Data & AI 2025
Developing Schemas with FME and Excel - Peak of Data & AI 2025
Safe Software
 
Trends Artificial Intelligence - Mary Meeker
Trends Artificial Intelligence - Mary MeekerTrends Artificial Intelligence - Mary Meeker
Trends Artificial Intelligence - Mary Meeker
Clive Dickens
 

Python Flask Tutorial For Beginners | Flask Web Development Tutorial | Python Training | Edureka

  • 1. Python Certification Training https://www.edureka.co/python Agenda
  • 2. Python Certification Training https://www.edureka.co/python Agenda
  • 3. Python Certification Training https://www.edureka.co/python Agenda Introduction 01 Introduction to Flask Getting Started 02 Concepts 03 Practical Approach 04 Installing and working with Flask Looking at code to understand theory Overview of all the concepts in Flask
  • 4. Python Certification Training https://www.edureka.co/python Introduction to Flask
  • 5. Python Certification Training https://www.edureka.co/python Introduction to Flask Open Source Flask is a web application framework written in Python.What is Flask? Large community for Learners and Collaborators Let’s get started then!
  • 6. Python Certification Training https://www.edureka.co/python Introduction to Flask What is a Web Framework? Life without Flask! Using Flask! ModulesLibraries Web Developer
  • 7. Python Certification Training https://www.edureka.co/python Introduction to Flask Flask!! Enthusiasts named Pocco! Werkzeug WSGI Toolkit Jinga2 Template Engine I’m learning Flask!
  • 8. Python Certification Training https://www.edureka.co/python Installing Flask
  • 9. Python Certification Training https://www.edureka.co/python Installation - Prerequisite Prerequisite I’m learning Flask! virtualenv Virtual Python Environment builder pip install virtualenv Sudo apt-get install virtualenv
  • 10. Python Certification Training https://www.edureka.co/python Installation - Flask Installation I’m learning Flask! Once installed, new virtual environment is created in a folder mkdir newproj cd newproj virtualenv venv To activate corresponding environment, use the following: venvscriptsactivate pip install Flask
  • 11. Python Certification Training https://www.edureka.co/python Flask - Application
  • 12. Python Certification Training https://www.edureka.co/python Flask - Application Test Installation I’m learning Flask! Use this simple code, save it as Hello.py from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'Hello World’ if __name__ == '__main__': app.run()
  • 13. Python Certification Training https://www.edureka.co/python Flask - Application Importing flask module in the project is mandatory! I’m learning Flask! Flask constructor takes name of current module (__name__) as argument App.route(rule, options) route() function URL binding with the function List of parameters to be forwarded to the underlying Rule object
  • 14. Python Certification Training https://www.edureka.co/python Flask - Application App.run(host, port, options Sl.no Parameter Description 1 host Hostname to listen on. Defaults to 127.0.0.1 (localhost). Set to ‘0.0.0.0’ to have server available externally 2 port Defaults to 5000 3 debug Defaults to false. If set to true, provides a debug information 3 options To be forwarded to underlying Werkzeug server. * Running on http://127.0.0.1:5000/ (Press CTRL+C to quit) All these parameters are optional Python hello.py
  • 15. Python Certification Training https://www.edureka.co/python Flask – Application
  • 16. Python Certification Training https://www.edureka.co/python Flask - Application Debug mode Flask application is started by calling run() method How to enable Debug mode? app.debug = True app.run() app.run(debug = True)
  • 17. Python Certification Training https://www.edureka.co/python Flask – Routing
  • 18. Python Certification Training https://www.edureka.co/python Flask - Routing Route() decorator in Flask is used to bind URL to a function @app.route(‘/hello’) def hello_world(): return ‘hello world’ add_url_rule() function is also used to bind URL with function Check out the following representation def hello_world(): return ‘hello world’ app.add_url_rule(‘/’, ‘hello’, hello_world)
  • 19. Python Certification Training https://www.edureka.co/python Flask –Variable Rules
  • 20. Python Certification Training https://www.edureka.co/python Flask – Variable Rules It is possible to build a URL dynamically! How? By adding variable parts to the rule parameter Consider the example from flask import Flask app = Flask(__name__) @app.route('/hello/<name>') def hello_name(name): return 'Hello %s!' % name if __name__ == '__main__': app.run(debug = True) http://localhost:5000/hello/Edureka
  • 21. Python Certification Training https://www.edureka.co/python Flask – Variable Rules More rules can be constructed using these converters Sl.no Parameter Description 1 int Accepts Integer 2 Float For Floating point value 3 Path Accepts slashes used as directory separator character from flask import Flask app = Flask(__name__) @app.route('/blog/<int:postID>') def show_blog(postID): return 'Blog Number %d' % postID @app.route('/rev/<float:revNo>') def revision(revNo): return 'Revision Number %f' % revNo if __name__ == '__main__': app.run() Run the code Visit the URL: http://localhost:5000/blog/11 Blog number 11Browser Output http://localhost:5000/rev/1.1 Revision Number 1.100000
  • 22. Python Certification Training https://www.edureka.co/python Flask – Variable Rules Consider the following code: from flask import Flask app = Flask(__name__) @app.route('/flask') def hello_flask(): return 'Hello Flask' @app.route('/python/') def hello_python(): return 'Hello Python' if __name__ == '__main__': app.run() Run the code /flask /flask/ /python /python/
  • 23. Python Certification Training https://www.edureka.co/python Flask – URL Binding
  • 24. Python Certification Training https://www.edureka.co/python Flask – URL Building url_for() function is used for dynamically building a URL for a specific function from flask import Flask, redirect, url_for app = Flask(__name__) @app.route('/admin') def hello_admin(): return 'Hello Admin' @app.route('/guest/<guest>') def hello_guest(guest): return 'Hello %s as Guest' % guest @app.route('/user/<name>') def hello_user(name): if name =='admin': return redirect(url_for('hello_admin')) else: return redirect(url_for('hello_guest',guest = name)) if __name__ == '__main__': app.run(debug = True) http://localhost:5000/user/admin
  • 25. Python Certification Training https://www.edureka.co/python Flask – HTTP Methods
  • 26. Python Certification Training https://www.edureka.co/python Flask – HTTP Methods HTTP Protocols are the foundation for data communication in WWW Sl.no Method Description 1 GET Sends data in unencrypted form to server 2 HEAD Same as GET, but without response body 3 POST Used to send HTML form data to server. 4 PUT Replaces all current representations of target resource with uploaded content 5 DELETE Removes all current representations of target resource given by URL Let’s look at an example
  • 27. Python Certification Training https://www.edureka.co/python Flask – HTTP Methods First we look at the HTML file <html> <body> <form action = "http://localhost:5000/login" method = "post"> <p>Enter Name:</p> <p><input type = "text" name = "nm" /></p> <p><input type = "submit" value = "submit" /></p> </form> </body> </html> Save this as login.html
  • 28. Python Certification Training https://www.edureka.co/python Flask – HTTP Methods Next is Python Script from flask import Flask, redirect, url_for, request app = Flask(__name__) @app.route('/success/<name>') def success(name): return 'welcome %s' % name @app.route('/login',methods = ['POST', 'GET']) def login(): if request.method == 'POST': user = request.form['nm'] return redirect(url_for('success',name = user)) else: user = request.args.get('nm') return redirect(url_for('success',name = user)) if __name__ == '__main__': app.run(debug = True) Let’s check out the output!
  • 29. Python Certification Training https://www.edureka.co/python Flask – Templates
  • 30. Python Certification Training https://www.edureka.co/python Flask – Templates Can we return the output of a function bound to a UR: in form of HTML? from flask import Flask app = Flask(__name__) @app.route('/') def index(): return '<html><body><h1>'Hello World'</h1></body></html>' if __name__ == '__main__': app.run(debug = True) But this is cumbersome from flask import Flask app = Flask(__name__) @app.route('/') def index(): return '<html><body><h1>'Hello World'</h1></body></html>' if __name__ == '__main__': app.run(debug = True) Flask will try to find the HTML file in the templates folder, in the same folder in which this script is present.
  • 31. Python Certification Training https://www.edureka.co/python Flask – Templates Flask uses jinga2 template engine <!doctype html> <html> <body> <h1>Hello {{ name }}!</h1> </body> </html> Flask will try to find the HTML file in the templates folder, in the same folder in which this script is present. from flask import Flask, render_template app = Flask(__name__) @app.route('/hello/<user>') def hello_name(user): return render_template('hello.html', name = user) if __name__ == '__main__': app.run(debug = True) The Jinga2 template engine uses the following delimiters for escaping from HTML • {% ... %} for Statements • {{ ... }} for Expressions to print to the template output • {# ... #} for Comments not included in the template output • # ... ## for Line Statements
  • 32. Python Certification Training https://www.edureka.co/python Flask – Templates Conditional statements in templates from flask import Flask, render_template app = Flask(__name__) @app.route('/hello/<int:score>') def hello_name(score): return render_template('hello.html', marks = score) if __name__ == '__main__': app.run(debug = True) <!doctype html> <html> <body> {% if marks>50 %} <h1> Your result is pass!</h1> {% else %} <h1>Your result is fail</h1> {% endif %} </body> </html> HTML Template script
  • 33. Python Certification Training https://www.edureka.co/python Flask – Templates Another example from flask import Flask, render_template app = Flask(__name__) @app.route('/result') def result(): dict = {'phy':50,'che':60,'maths':70} return render_template('result.html', result = dict) if __name__ == '__main__': app.run(debug = True) <!doctype html> <html> <body> <table border = 1> {% for key, value in result.iteritems() %} <tr> <th> {{ key }} </th> <td> {{ value }} </td> </tr> {% endfor %} </table> </body> </html>
  • 34. Python Certification Training https://www.edureka.co/python Flask – Static Files
  • 35. Python Certification Training https://www.edureka.co/python Flask – Static Files Web application will require a static file such as JS or CSS file from flask import Flask, render_template app = Flask(__name__) @app.route('/result') def result(): dict = {'phy':50,'che':60,'maths':70} return render_template('result.html', result = dict) if __name__ == '__main__': app.run(debug = True) <!doctype html> <html> <body> <table border = 1> {% for key, value in result.iteritems() %} <tr> <th> {{ key }} </th> <td> {{ value }} </td> </tr> {% endfor %} </table> </body> </html> Python function sayHello() { alert("Hello World") } JS File HTML
  • 36. Python Certification Training https://www.edureka.co/python Flask – Request Object
  • 37. Python Certification Training https://www.edureka.co/python Flask – Request Object Data from client’s webpage is sent to server as a global request object Form Dictionary object containing key-value pairs of form parameters and values args Parsed contents of query string which is part of URL after question mark (?) Cookies Dictionary object holding Cookie names and values files Data pertaining to uploaded file Method Current request method
  • 38. Python Certification Training https://www.edureka.co/python Flask – Cookies
  • 39. Python Certification Training https://www.edureka.co/python Flask – Cookies Cookie is stored on client’s machine. And helps with data tracking @app.route('/') def index(): return render_template('index.html') <html> <body> <form action = "/setcookie" method = "POST"> <p><h3>Enter userID</h3></p> <p><input type = 'text' name = 'nm'/></p> <p><input type = 'submit' value = 'Login'/></p> </form> </body> </html> @app.route('/setcookie', methods = ['POST', 'GET']) def setcookie(): if request.method == 'POST': user = request.form['nm'] resp = make_response(render_template('readcookie.html')) resp.set_cookie('userID', user) return resp @app.route('/getcookie') def getcookie(): name = request.cookies.get('userID') return '<h1>welcome '+name+'</h1>'
  • 40. Python Certification Training https://www.edureka.co/python Flask – Redirect & Errors
  • 41. Python Certification Training https://www.edureka.co/python Flask – Redirect & Errors Flask Class has a redirect() function which returns a response object Prototype Flask.redirect(location, statuscode, response) URL where response should be redirected Statuscode sent to browser’s header Response parameter used to instantiate response
  • 42. Python Certification Training https://www.edureka.co/python Flask – Redirect & Errors Standardized status codes Sl.no Status Code 1 HTTP_300_MULTIPLE_CHOICES 2 HTTP_301_MOVED_PERMANENTLY 3 HTTP_302_FOUND 4 HTTP_303_SEE_OTHER 5 HTTP_304_NOT_MODIFIED 6 HTTP_305_USE_PROXY 7 HTTP_306_RESERVED Sl.no Code Description 1 400 Bad Request 2 401 Unauthenticated 3 403 Forbidden 4 404 Not Found 5 406 Not Acceptable 6 415 Unsupported Media Type 7 429 Too Many Requests Prototype Flask.abort(code)
  • 43. Python Certification Training https://www.edureka.co/python Flask – Extensions
  • 44. Python Certification Training https://www.edureka.co/python Flask – Extensions Flask is a micro framework Large number of extensions Flask Mail Flask WTF Flask SQLAlchemy Flask Sijax Provides SMTP interface to Flask application Adds rendering & validation of WTForms Adds SQLAlchemy support to Flask Application Interface for Sijax – Python/jQuery library that makes AJAX easy to use Extensive Documentation
  • 45. Python Certification Training https://www.edureka.co/python Conclusion
  • 46. Python Certification Training https://www.edureka.co/python Conclusion