SlideShare a Scribd company logo
Lightweight web frameworks
Welcome...
to the inaugural meeting of Chippenham Tech Chat...
Meetup Details
Will be hosted once a month at Mango/Scisys - Methuen Park
Presentations on various topics. If you're interested in doing one
then propose it on the forum
Meetup group
http://www.meetup.com/Chippenham-Tech-Chat/
Google Groups Forum
https://groups.google.com/forum/?fromgroups#!
forum/chippenhamtechchat
Lightweight Web Frameworks
Jonathan Holloway
jholloway@mango-solutions.com
twitter: jph98
Overview
● A brief history of web applications
● Past experience
● An overview of lightweight web frameworks
● An introduction to one web framework and
it's features
● I won't go into
Web Frameworks - A Brief History
● CGI and Perl - circa 1993
● PHP, Coldfusion - circa 1995
● ASP - circa 1998
● JSP and Servlet Spec - circa 1999
● Struts - circa 2001
● Rails - circa 2005
How many are there today?
261 !
* at least
Used Java Servlets and JSP around 1999/2000.
First introduction - somewhat painful.
Then discovered Struts in 2001/2002 (pre 1.0
release). Vowed never to go back to JSP hell.
In 2005/2006 we migrated our legacy Struts apps
to Struts 2. Better still.
SpringMVC came in around the same time.
Past Experience - Cathedrals
Broken down into language (approx)
91 33 31 40
14 22 23 7
Past Experience - Post Java
Then looked at PHP for doing more lightweight
work. Used CakePHP 1.x then looked at
CodeIgniter.
Used Dojo (pre 1.0 release) and Velocity to
build a rich client Javascript application.
Past Experience - First One Pager
Then ended up building a rich client interface in
Google Web Toolkit 1.x
Then around 2007 went along to the Vancouver
Ruby/Rails meetup. Talked about Rails/Merb
then someone mentioned Sinatra.
Then picked up Flask, looked at Ratpack in
Geecon this year
Flask - Python
Really?
Here's what we would have have done back in
the day with Apache Struts...
1. Setup web.xml
2. Created an index.jsp to forward on to my app
3. Setup struts-config.xml and added a form
and action mapping detailing my Action class
4. Create an Action & Action Form class
5. Setup my forward on success
6. Put all this in a predefined folder structure
7. Package it all up into a war file
8. Deploy to Tomcat and Start
then....
9. Fix the stupid errors
10. Deploy again and see Hello World in my
browser. Maybe.
easy...
Others?
There's others !!
There's a bunch of other lightweight web
frameworks in various languages:
● Flask - Python
● Nancy - .NET
● Ratpack - Groovy/Java
● Berliner - CoffeeScript
● Dancer - Perl
Classification of these...
Web Framework Taxonomy
Sinatra, Flask, Berliner, Dancer, Ratpack, Nancy
[Micro Frameworks]
Rails, Django
[Lightweight Frameworks]
Play, Struts 2, Spring MVC
[MOR]
Google Web Toolkit, JSF
[Component Based]
Light
Heavy
Sinatra - Ruby
#!/usr/bin/env ruby
require 'rubygems'
require 'sinatra'
get '/' do
'<b>Hello, world!</b>'
end
Nancy - dot NET
public class SampleModule : Nancy.
NancyModule
{
public SampleModule()
{
Get["/"] = _ => "Hello
World!";
}
}
Ratpack - Groovy
get("/helloworld") {
"Hello, World!"
}
Berliner - Coffeescript
app = require 'berliner'
app.get '/', -> 'Hello, world!'
app.run 4567
Properties of such frameworks?
● Minimalistic by default
● Self contained web server
● Modular with extensions available
Some more on Flask...
Python Flask Architecture
Based on Werkzeug so mod_wsgi based
Built in web server
Uses Jinja2 for templating
Hosting available on heroku, webfaction
Celery integration for async task/job queuing
Flask Extension Modules
Example modules (will cover later):
● Flask admin - generates an admin interface
● Flask login - login mechanism
● Flask cache - simple caching
● Flask couchdb - couchdb module
● Flask lesscss - less CSS template
● Flask lettuce - BDD
● Flask celery - distributed task queue
Extensions registry here:
http://flask.pocoo.org/extensions/
What can I use Flask for?
1. Projects with tight deadlines
2. Prototyping
3. In-house internal applications
4. Applications where system resources are
limited, e.g. VM's hosted on Linode.com
App
Flask App - Log Viewer
A lightweight log viewer application, but without
the overhead of indexing. Provides:
● Access to specific application logs for users
instead of them ssh'ing to the server to "less"
them.
● Retrieve the head or tail a log file
● Search in logs (with grep) for an expression
Flask 0.9 utilising:
● YAML (Yet Another Markup Language) for
configuration
● Jinja 2 templates for content separation
● The LESS dynamic stylesheet module
Virtualenv - for creating an isolated Python
environment to manage dependencies
Python 2.6.1 (CPython)
System Components
Python Modules
Used additional Python wrappers for
Grin - http://pypi.python.org/pypi/grin
● Provides search features (wraps GNU grep)
● Supports regex, before/after context
● File/dir exclusion
Tailer - http://pypi.python.org/pypi/tailer/0.2.1
● Display n lines of the head/tail of a file
● Allows "follow" of a file
Main UI
Templating
<!doctype html>
{% include 'header.html' %}
{% include 'search.html' %}
{% macro genlink(func, filename) -%}
<a href="{{func}}/{{ filename }}/{{ session['grepnumlines'] }}">{{func}}</a>
{%- endmacro %}
{% for filename in session['validfiles']|sort %}
<div class="logfile">
{{ session['validfiles'].get(filename)[0] }} -
{{ genlink('head', filename) }} &nbsp;<span style="color:#cecece">&#124;</span>
&nbsp;
{{ genlink('tail', filename) }}
- {{ session['validfiles'].get(filename)[1] }} bytes
</div>
{% endfor %}
{% include 'footer.html' %}
New route() for grep
@app.route("/grep/", methods=['GET', 'POST'])
def grep():
"""Search through a file looking for a matching phrase"""
# Validate the form inputs
if request is None or request.form is None:
return render_template('list.html',error='no search expression specified')
if request.form['expression'] is None or len(request.form['expression']) == 0:
return render_template('list.html',error='no search expression specified')
expression = request.form['expression'].strip()
output = ""
filepaths = []
output += search_expr(output, filepaths, session.get('validfiles'), expression, request.form['grepbefore'], request.form
['grepafter'])
if not output:
return render_template('list.html', error='No results found for search expression')
expression = expression.decode('utf-8')
highlight = '<span class="highlightmatch">' + expression + '</span>'
highlightedoutput = output.decode('utf-8').replace(expression, highlight)
return render_template('results.html', output=highlightedoutput,filepaths=filepaths,expression=expression)
Search Expression - using grin
def search_for_expression(output, filepaths, validfiles, expression, grepbefore, grepafter):
"""Carry out search for expression (using grep context) on validfiles returning matching files as output"""
options = grin.Options()
options['before_context'] = int(grepbefore)
options['after_context'] = int(grepafter)
options['use_color'] = False
options['show_filename'] = False
options['show_match'] = True
options['show_emacs'] = False
options['show_line_numbers'] = True
searchregexp = re.compile(expression)
grindef = grin.GrepText(searchregexp, options)
for file in validfiles:
filepath = validfiles.get(file)[0]
report = grindef.grep_a_file(filepath)
if report:
output += '<a name="filename' + str(anchorcount) + '"></a><h2>' + filepath + '</h2>'
filepaths.append(filepath)
reporttext = report.split("n")
for text in reporttext:
if text:
output += "line " + text + "<br>"
return output
Search UI
Modules
cache = Cache(app)
cache.init_app(app)
cache = Cache(config={'CACHE_TYPE': 'simple'})
#Use a decorator to cache a specific template with
@cache.cached(timeout=50)
def index():
return render_template('index.html')
Flask Cache
man = CouchDBManager()
man.setup(app)
# Create a local proxy to get around the g.couch namespace
couch = LocalProxy(lambda: g.couch)
# Store a document and retrieve
document = dict(title="Hello", content="Hello, world!")
couch[some_id] = document
document = couch.get(some_id)
Flask CouchDB
from flask_mail import Message
@app.route("/")
def index():
msg = Message("Hello",
sender="from@example.com",
recipients=["to@example.com"])
Flask Mail
from flask import Flask, Response
from flask_principal import Principal, Permission, RoleNeed
app = Flask(__name__)
# load the extension
principals = Principal(app)
# Create a permission with a single Need, in this case a RoleNeed.
admin_permission = Permission(RoleNeed('admin'))
# protect a view with a principal for that need
@app.route('/admin')
@admin_permission.require()
def do_admin_index():
return Response('Only if you are an admin')
Flask Principles
Q&A

More Related Content

PDF
Docker4Drupal 2.1 for Development
Websolutions Agency
 
PDF
Django Documentation
Ying wei (Joe) Chou
 
ODP
Getting started with Django 1.8
rajkumar2011
 
PDF
Pragmatic plone projects
Andreas Jung
 
PPT
20100622 e z_find_slides_gig_v2.1
Gilles Guirand
 
PDF
Drupal 8 - Corso frontend development
sparkfabrik
 
ODP
Workshop eZ Publish Caching Mechanisms
Kaliop-slide
 
PDF
Installing AtoM with Ansible
Artefactual Systems - AtoM
 
Docker4Drupal 2.1 for Development
Websolutions Agency
 
Django Documentation
Ying wei (Joe) Chou
 
Getting started with Django 1.8
rajkumar2011
 
Pragmatic plone projects
Andreas Jung
 
20100622 e z_find_slides_gig_v2.1
Gilles Guirand
 
Drupal 8 - Corso frontend development
sparkfabrik
 
Workshop eZ Publish Caching Mechanisms
Kaliop-slide
 
Installing AtoM with Ansible
Artefactual Systems - AtoM
 

What's hot (20)

PPTX
Get Django, Get Hired - An opinionated guide to getting the best job, for the...
Marcel Chastain
 
PDF
Key features PHP 5.3 - 5.6
Federico Damián Lozada Mosto
 
PDF
How PHP works
Atlogys Technical Consulting
 
PDF
Unleashing Creative Freedom with MODX (2015-07-21 @ PHP FRL)
Mark Hamstra
 
PPT
Build Automation of PHP Applications
Pavan Kumar N
 
PPTX
PHP Function
Reber Novanta
 
ODP
Xmla4js
Roland Bouman
 
PPTX
PHP Profiling/performance
Nicolas Degardin
 
PPT
ZendCon 08 php 5.3
webhostingguy
 
PDF
Ts drupal6 module development v0.2
Confiz
 
PDF
Lean Php Presentation
Alan Pinstein
 
KEY
Ant vs Phing
Manuel Baldassarri
 
DOCX
Php advance
Rattanjeet Singh
 
PDF
A History of PHP
Xinchen Hui
 
PPTX
Writing php extensions in golang
do_aki
 
ODP
REST API Laravel
John Dave Decano
 
PDF
CertiFUNcation 2017 Best Practices Extension Development for TYPO3 8 LTS
cpsitgmbh
 
PDF
Shiny, Let’s Be Bad Guys: Exploiting and Mitigating the Top 10 Web App Vulner...
Michael Pirnat
 
PPTX
10 Most Important Features of New PHP 5.6
Webline Infosoft P Ltd
 
PDF
Phing: Building with PHP
hozn
 
Get Django, Get Hired - An opinionated guide to getting the best job, for the...
Marcel Chastain
 
Key features PHP 5.3 - 5.6
Federico Damián Lozada Mosto
 
Unleashing Creative Freedom with MODX (2015-07-21 @ PHP FRL)
Mark Hamstra
 
Build Automation of PHP Applications
Pavan Kumar N
 
PHP Function
Reber Novanta
 
Xmla4js
Roland Bouman
 
PHP Profiling/performance
Nicolas Degardin
 
ZendCon 08 php 5.3
webhostingguy
 
Ts drupal6 module development v0.2
Confiz
 
Lean Php Presentation
Alan Pinstein
 
Ant vs Phing
Manuel Baldassarri
 
Php advance
Rattanjeet Singh
 
A History of PHP
Xinchen Hui
 
Writing php extensions in golang
do_aki
 
REST API Laravel
John Dave Decano
 
CertiFUNcation 2017 Best Practices Extension Development for TYPO3 8 LTS
cpsitgmbh
 
Shiny, Let’s Be Bad Guys: Exploiting and Mitigating the Top 10 Web App Vulner...
Michael Pirnat
 
10 Most Important Features of New PHP 5.6
Webline Infosoft P Ltd
 
Phing: Building with PHP
hozn
 
Ad

Similar to Lightweight web frameworks (20)

ODP
Introduce Django
Chui-Wen Chiu
 
PPT
20100707 e z_rmll_gig_v1
Gilles Guirand
 
PDF
.NET @ apache.org
Ted Husted
 
ODP
Drupal Theme Development - DrupalCon Chicago 2011
Ryan Price
 
PDF
Magento Performance Optimization 101
Angus Li
 
PDF
NodeJS
LinkMe Srl
 
PDF
Using Search API, Search API Solr and Facets in Drupal 8
Websolutions Agency
 
PPS
Simplify your professional web development with symfony
Francois Zaninotto
 
ODP
Knolx session
Knoldus Inc.
 
PDF
WebNet Conference 2012 - Designing complex applications using html5 and knock...
Fabio Franzini
 
PDF
Flask Introduction - Python Meetup
Areski Belaid
 
PDF
Drupal 8 - Core and API Changes
Shabir Ahmad
 
PPTX
Ran Mizrahi - Symfony2 meets Drupal8
Ran Mizrahi
 
PDF
Selenium & PHPUnit made easy with Steward (Berlin, April 2017)
Ondřej Machulda
 
PDF
01 overview-and-setup
snopteck
 
PDF
node.js 실무 - node js in practice by Jesang Yoon
Jesang Yoon
 
PDF
Plugin-based software design with Ruby and RubyGems
Sadayuki Furuhashi
 
ODP
dJango
Bob Chao
 
PPTX
Symfony2 Introduction Presentation
Nerd Tzanetopoulos
 
PDF
[HKDUG] #20161210 - BarCamp Hong Kong 2016 - What's News in PHP?
Wong Hoi Sing Edison
 
Introduce Django
Chui-Wen Chiu
 
20100707 e z_rmll_gig_v1
Gilles Guirand
 
.NET @ apache.org
Ted Husted
 
Drupal Theme Development - DrupalCon Chicago 2011
Ryan Price
 
Magento Performance Optimization 101
Angus Li
 
NodeJS
LinkMe Srl
 
Using Search API, Search API Solr and Facets in Drupal 8
Websolutions Agency
 
Simplify your professional web development with symfony
Francois Zaninotto
 
Knolx session
Knoldus Inc.
 
WebNet Conference 2012 - Designing complex applications using html5 and knock...
Fabio Franzini
 
Flask Introduction - Python Meetup
Areski Belaid
 
Drupal 8 - Core and API Changes
Shabir Ahmad
 
Ran Mizrahi - Symfony2 meets Drupal8
Ran Mizrahi
 
Selenium & PHPUnit made easy with Steward (Berlin, April 2017)
Ondřej Machulda
 
01 overview-and-setup
snopteck
 
node.js 실무 - node js in practice by Jesang Yoon
Jesang Yoon
 
Plugin-based software design with Ruby and RubyGems
Sadayuki Furuhashi
 
dJango
Bob Chao
 
Symfony2 Introduction Presentation
Nerd Tzanetopoulos
 
[HKDUG] #20161210 - BarCamp Hong Kong 2016 - What's News in PHP?
Wong Hoi Sing Edison
 
Ad

More from Jonathan Holloway (11)

PPTX
The Role of the Architect
Jonathan Holloway
 
PPTX
Spring boot - an introduction
Jonathan Holloway
 
PPTX
Jenkins CI presentation
Jonathan Holloway
 
PPTX
Mockito intro
Jonathan Holloway
 
PPTX
Debugging
Jonathan Holloway
 
PPTX
SOLID principles
Jonathan Holloway
 
PPTX
Application design for the cloud using AWS
Jonathan Holloway
 
PPTX
Building data pipelines
Jonathan Holloway
 
PPTX
Introduction to JVM languages and Fantom (very brief)
Jonathan Holloway
 
PDF
Database migration with flyway
Jonathan Holloway
 
PDF
Introduction to using MongoDB with Ruby
Jonathan Holloway
 
The Role of the Architect
Jonathan Holloway
 
Spring boot - an introduction
Jonathan Holloway
 
Jenkins CI presentation
Jonathan Holloway
 
Mockito intro
Jonathan Holloway
 
SOLID principles
Jonathan Holloway
 
Application design for the cloud using AWS
Jonathan Holloway
 
Building data pipelines
Jonathan Holloway
 
Introduction to JVM languages and Fantom (very brief)
Jonathan Holloway
 
Database migration with flyway
Jonathan Holloway
 
Introduction to using MongoDB with Ruby
Jonathan Holloway
 

Recently uploaded (20)

PDF
Responsible AI and AI Ethics - By Sylvester Ebhonu
Sylvester Ebhonu
 
PDF
MASTERDECK GRAPHSUMMIT SYDNEY (Public).pdf
Neo4j
 
PDF
CIFDAQ's Market Wrap : Bears Back in Control?
CIFDAQ
 
PDF
Automating ArcGIS Content Discovery with FME: A Real World Use Case
Safe Software
 
PDF
Economic Impact of Data Centres to the Malaysian Economy
flintglobalapac
 
PPTX
Agile Chennai 18-19 July 2025 Ideathon | AI Powered Microfinance Literacy Gui...
AgileNetwork
 
PDF
Oracle AI Vector Search- Getting Started and what's new in 2025- AIOUG Yatra ...
Sandesh Rao
 
PDF
Research-Fundamentals-and-Topic-Development.pdf
ayesha butalia
 
PDF
SparkLabs Primer on Artificial Intelligence 2025
SparkLabs Group
 
PDF
How Open Source Changed My Career by abdelrahman ismail
a0m0rajab1
 
PDF
A Strategic Analysis of the MVNO Wave in Emerging Markets.pdf
IPLOOK Networks
 
PDF
Brief History of Internet - Early Days of Internet
sutharharshit158
 
PPTX
Dev Dives: Automate, test, and deploy in one place—with Unified Developer Exp...
AndreeaTom
 
PPTX
Simple and concise overview about Quantum computing..pptx
mughal641
 
PDF
The Future of Artificial Intelligence (AI)
Mukul
 
PPTX
Agile Chennai 18-19 July 2025 | Emerging patterns in Agentic AI by Bharani Su...
AgileNetwork
 
PDF
Make GenAI investments go further with the Dell AI Factory
Principled Technologies
 
PDF
The Future of Mobile Is Context-Aware—Are You Ready?
iProgrammer Solutions Private Limited
 
PPTX
Applied-Statistics-Mastering-Data-Driven-Decisions.pptx
parmaryashparmaryash
 
PPTX
What-is-the-World-Wide-Web -- Introduction
tonifi9488
 
Responsible AI and AI Ethics - By Sylvester Ebhonu
Sylvester Ebhonu
 
MASTERDECK GRAPHSUMMIT SYDNEY (Public).pdf
Neo4j
 
CIFDAQ's Market Wrap : Bears Back in Control?
CIFDAQ
 
Automating ArcGIS Content Discovery with FME: A Real World Use Case
Safe Software
 
Economic Impact of Data Centres to the Malaysian Economy
flintglobalapac
 
Agile Chennai 18-19 July 2025 Ideathon | AI Powered Microfinance Literacy Gui...
AgileNetwork
 
Oracle AI Vector Search- Getting Started and what's new in 2025- AIOUG Yatra ...
Sandesh Rao
 
Research-Fundamentals-and-Topic-Development.pdf
ayesha butalia
 
SparkLabs Primer on Artificial Intelligence 2025
SparkLabs Group
 
How Open Source Changed My Career by abdelrahman ismail
a0m0rajab1
 
A Strategic Analysis of the MVNO Wave in Emerging Markets.pdf
IPLOOK Networks
 
Brief History of Internet - Early Days of Internet
sutharharshit158
 
Dev Dives: Automate, test, and deploy in one place—with Unified Developer Exp...
AndreeaTom
 
Simple and concise overview about Quantum computing..pptx
mughal641
 
The Future of Artificial Intelligence (AI)
Mukul
 
Agile Chennai 18-19 July 2025 | Emerging patterns in Agentic AI by Bharani Su...
AgileNetwork
 
Make GenAI investments go further with the Dell AI Factory
Principled Technologies
 
The Future of Mobile Is Context-Aware—Are You Ready?
iProgrammer Solutions Private Limited
 
Applied-Statistics-Mastering-Data-Driven-Decisions.pptx
parmaryashparmaryash
 
What-is-the-World-Wide-Web -- Introduction
tonifi9488
 

Lightweight web frameworks

  • 2. Welcome... to the inaugural meeting of Chippenham Tech Chat...
  • 3. Meetup Details Will be hosted once a month at Mango/Scisys - Methuen Park Presentations on various topics. If you're interested in doing one then propose it on the forum Meetup group http://www.meetup.com/Chippenham-Tech-Chat/ Google Groups Forum https://groups.google.com/forum/?fromgroups#! forum/chippenhamtechchat
  • 5. Overview ● A brief history of web applications ● Past experience ● An overview of lightweight web frameworks ● An introduction to one web framework and it's features ● I won't go into
  • 6. Web Frameworks - A Brief History ● CGI and Perl - circa 1993 ● PHP, Coldfusion - circa 1995 ● ASP - circa 1998 ● JSP and Servlet Spec - circa 1999 ● Struts - circa 2001 ● Rails - circa 2005 How many are there today?
  • 7. 261 ! * at least
  • 8. Used Java Servlets and JSP around 1999/2000. First introduction - somewhat painful. Then discovered Struts in 2001/2002 (pre 1.0 release). Vowed never to go back to JSP hell. In 2005/2006 we migrated our legacy Struts apps to Struts 2. Better still. SpringMVC came in around the same time. Past Experience - Cathedrals
  • 9. Broken down into language (approx) 91 33 31 40 14 22 23 7
  • 10. Past Experience - Post Java Then looked at PHP for doing more lightweight work. Used CakePHP 1.x then looked at CodeIgniter. Used Dojo (pre 1.0 release) and Velocity to build a rich client Javascript application.
  • 11. Past Experience - First One Pager Then ended up building a rich client interface in Google Web Toolkit 1.x Then around 2007 went along to the Vancouver Ruby/Rails meetup. Talked about Rails/Merb then someone mentioned Sinatra. Then picked up Flask, looked at Ratpack in Geecon this year
  • 14. Here's what we would have have done back in the day with Apache Struts...
  • 15. 1. Setup web.xml 2. Created an index.jsp to forward on to my app 3. Setup struts-config.xml and added a form and action mapping detailing my Action class 4. Create an Action & Action Form class
  • 16. 5. Setup my forward on success 6. Put all this in a predefined folder structure 7. Package it all up into a war file 8. Deploy to Tomcat and Start
  • 17. then.... 9. Fix the stupid errors 10. Deploy again and see Hello World in my browser. Maybe.
  • 20. There's others !! There's a bunch of other lightweight web frameworks in various languages: ● Flask - Python ● Nancy - .NET ● Ratpack - Groovy/Java ● Berliner - CoffeeScript ● Dancer - Perl Classification of these...
  • 21. Web Framework Taxonomy Sinatra, Flask, Berliner, Dancer, Ratpack, Nancy [Micro Frameworks] Rails, Django [Lightweight Frameworks] Play, Struts 2, Spring MVC [MOR] Google Web Toolkit, JSF [Component Based] Light Heavy
  • 22. Sinatra - Ruby #!/usr/bin/env ruby require 'rubygems' require 'sinatra' get '/' do '<b>Hello, world!</b>' end
  • 23. Nancy - dot NET public class SampleModule : Nancy. NancyModule { public SampleModule() { Get["/"] = _ => "Hello World!"; } }
  • 24. Ratpack - Groovy get("/helloworld") { "Hello, World!" }
  • 25. Berliner - Coffeescript app = require 'berliner' app.get '/', -> 'Hello, world!' app.run 4567
  • 26. Properties of such frameworks? ● Minimalistic by default ● Self contained web server ● Modular with extensions available
  • 27. Some more on Flask...
  • 28. Python Flask Architecture Based on Werkzeug so mod_wsgi based Built in web server Uses Jinja2 for templating Hosting available on heroku, webfaction Celery integration for async task/job queuing
  • 29. Flask Extension Modules Example modules (will cover later): ● Flask admin - generates an admin interface ● Flask login - login mechanism ● Flask cache - simple caching ● Flask couchdb - couchdb module ● Flask lesscss - less CSS template ● Flask lettuce - BDD ● Flask celery - distributed task queue Extensions registry here: http://flask.pocoo.org/extensions/
  • 30. What can I use Flask for? 1. Projects with tight deadlines 2. Prototyping 3. In-house internal applications 4. Applications where system resources are limited, e.g. VM's hosted on Linode.com
  • 31. App
  • 32. Flask App - Log Viewer A lightweight log viewer application, but without the overhead of indexing. Provides: ● Access to specific application logs for users instead of them ssh'ing to the server to "less" them. ● Retrieve the head or tail a log file ● Search in logs (with grep) for an expression
  • 33. Flask 0.9 utilising: ● YAML (Yet Another Markup Language) for configuration ● Jinja 2 templates for content separation ● The LESS dynamic stylesheet module Virtualenv - for creating an isolated Python environment to manage dependencies Python 2.6.1 (CPython) System Components
  • 34. Python Modules Used additional Python wrappers for Grin - http://pypi.python.org/pypi/grin ● Provides search features (wraps GNU grep) ● Supports regex, before/after context ● File/dir exclusion Tailer - http://pypi.python.org/pypi/tailer/0.2.1 ● Display n lines of the head/tail of a file ● Allows "follow" of a file
  • 36. Templating <!doctype html> {% include 'header.html' %} {% include 'search.html' %} {% macro genlink(func, filename) -%} <a href="{{func}}/{{ filename }}/{{ session['grepnumlines'] }}">{{func}}</a> {%- endmacro %} {% for filename in session['validfiles']|sort %} <div class="logfile"> {{ session['validfiles'].get(filename)[0] }} - {{ genlink('head', filename) }} &nbsp;<span style="color:#cecece">&#124;</span> &nbsp; {{ genlink('tail', filename) }} - {{ session['validfiles'].get(filename)[1] }} bytes </div> {% endfor %} {% include 'footer.html' %}
  • 37. New route() for grep @app.route("/grep/", methods=['GET', 'POST']) def grep(): """Search through a file looking for a matching phrase""" # Validate the form inputs if request is None or request.form is None: return render_template('list.html',error='no search expression specified') if request.form['expression'] is None or len(request.form['expression']) == 0: return render_template('list.html',error='no search expression specified') expression = request.form['expression'].strip() output = "" filepaths = [] output += search_expr(output, filepaths, session.get('validfiles'), expression, request.form['grepbefore'], request.form ['grepafter']) if not output: return render_template('list.html', error='No results found for search expression') expression = expression.decode('utf-8') highlight = '<span class="highlightmatch">' + expression + '</span>' highlightedoutput = output.decode('utf-8').replace(expression, highlight) return render_template('results.html', output=highlightedoutput,filepaths=filepaths,expression=expression)
  • 38. Search Expression - using grin def search_for_expression(output, filepaths, validfiles, expression, grepbefore, grepafter): """Carry out search for expression (using grep context) on validfiles returning matching files as output""" options = grin.Options() options['before_context'] = int(grepbefore) options['after_context'] = int(grepafter) options['use_color'] = False options['show_filename'] = False options['show_match'] = True options['show_emacs'] = False options['show_line_numbers'] = True searchregexp = re.compile(expression) grindef = grin.GrepText(searchregexp, options) for file in validfiles: filepath = validfiles.get(file)[0] report = grindef.grep_a_file(filepath) if report: output += '<a name="filename' + str(anchorcount) + '"></a><h2>' + filepath + '</h2>' filepaths.append(filepath) reporttext = report.split("n") for text in reporttext: if text: output += "line " + text + "<br>" return output
  • 41. cache = Cache(app) cache.init_app(app) cache = Cache(config={'CACHE_TYPE': 'simple'}) #Use a decorator to cache a specific template with @cache.cached(timeout=50) def index(): return render_template('index.html') Flask Cache
  • 42. man = CouchDBManager() man.setup(app) # Create a local proxy to get around the g.couch namespace couch = LocalProxy(lambda: g.couch) # Store a document and retrieve document = dict(title="Hello", content="Hello, world!") couch[some_id] = document document = couch.get(some_id) Flask CouchDB
  • 43. from flask_mail import Message @app.route("/") def index(): msg = Message("Hello", sender="[email protected]", recipients=["[email protected]"]) Flask Mail
  • 44. from flask import Flask, Response from flask_principal import Principal, Permission, RoleNeed app = Flask(__name__) # load the extension principals = Principal(app) # Create a permission with a single Need, in this case a RoleNeed. admin_permission = Permission(RoleNeed('admin')) # protect a view with a principal for that need @app.route('/admin') @admin_permission.require() def do_admin_index(): return Response('Only if you are an admin') Flask Principles
  • 45. Q&A