MapEntity Documentation

Size: px
Start display at page:

Download "MapEntity Documentation"

Transcription

1 MapEntity Documentation Release Makina Corpus Jun 11, 2018

2

3 Contents 1 Installation Quickstart Manual installation With a PostGIS database Getting started Settings Model Admin URLs Initialize the database Start the app Done! Customization Views Filters Forms Templates Exports Development Release Indices and tables 15 i

4 ii

5 MapEntity is a CRUD interface for geospatial entities built with Django. Contents 1

6 2 Contents

7 CHAPTER 1 Installation 1.1 Quickstart Run./install.sh on Ubuntu Trusty LTS, Xenial LTS or Artful. 1.2 Manual installation With a PostGIS database In order to use MapEntity you ll need to create a geospatial database. Feel free to skip this section if you already know how to do this. Here is how you can create a PostGIS database: As user postgres, create a new user and database: $ createuser -PSRD dbuser Enter password for new role: Enter it again: $ createdb --owner=dbuser spatialdb Now enable PostGIS extension for your new database: $ psql -q spatialdb spatialdb=# CREATE EXTENSION postgis; Create a virtualenv, and activate it: virtualenv env/ source env/bin/activate Install GDAL with its development files. For example, on Ubuntu/Debian: $ sudo apt-get install libgdal-dev You might need to set a couple of environement variables to make sure the install process can find GDAL headers: 3

8 $ export CPLUS_INCLUDE_PATH=/usr/include/gdal $ export C_INCLUDE_PATH=/usr/include/gdal Then install the Python packages: $ pip install -r requirements.txt $ python setup.py install Download static assets (JavaScript libraries etc.), currently managed as git submodules: $ git submodule init $ git submodule update Since you will PostgreSQL, also install its python library: $ pip install psycopg2 4 Chapter 1. Installation

9 CHAPTER 2 Getting started In this short tutorial, we ll see how to create an app to manage museum locations. 2.1 Settings Create your django Project and your main app: $ django-admin.py startproject museum $ cd museum/ $ python manage.py startapp main Edit your Django settings to point to your PostGIS database: DATABASES = { 'default': { 'ENGINE': 'django.contrib.gis.db.backends.postgis', 'NAME': 'spatialdb', 'USER': 'dbuser', 'PASSWORD': 's3cr3t', 'HOST': 'localhost', 'PORT': '', } } Add these entries to your INSTALLED_APPS: 'easy_thumbnails', 'djgeojson', 'leaflet', 'paperclip', 'mapentity', 'paperclip', 'compressor', (continues on next page) 5

10 'floppyforms', 'crispy_forms', 'rest_framework', 'main', # the app you just created (continued from previous page) Add django.middleware.locale.localemiddleware to your MIDDLEWARE_CLASSES. Setup your list of supported languages: LANGUAGES = ( ('en', 'English'), ('fr', 'French'), ) Specify a media URL: MEDIA_URL = 'media/' Specify a static root: import os BASE_DIR = os.path.dirname(os.path.abspath( file )) STATIC_ROOT = os.path.join(base_dir, 'static') Add MapEntity and request context processors to the list of default context processors: TEMPLATE_CONTEXT_PROCESSORS = ( "django.contrib.auth.context_processors.auth", "django.core.context_processors.debug", "django.core.context_processors.i18n", "django.core.context_processors.media", "django.core.context_processors.static", "django.core.context_processors.tz", "django.contrib.messages.context_processors.messages", "django.core.context_processors.request", "mapentity.context_processors.settings", ) 2.2 Model Create a GeoDjango model which also inherits from MapEntityMixin. Note that you ll need to specify the GeoDjango manager, as below:..code-block :: python from django.contrib.gis.db import models from mapentity.models import MapEntityMixin class Museum(MapEntityMixin, models.model): geom = models.pointfield() name = models.charfield(max_length=80) objects = models.geomanager() 6 Chapter 2. Getting started

11 2.3 Admin Create a file admin.py in the main directory and register your model against the admin registry:..code-block :: python from django.contrib import admin from leaflet.admin import LeafletGeoAdmin from.models import Museum admin.site.register(museum, LeafletGeoAdmin) 2.4 URLs Register your MapEntity views in main/urls.py:..code-block :: python from main.models import Museum from mapentity import registry urlpatterns = registry.register(museum) Then glue everything together in your project s urls.py:..code-block :: python from django.conf.urls import patterns, include, url from django.contrib import admin admin.autodiscover() urlpatterns = patterns( ), url(r ^$, main.views.home, name= home ), url(r ^login/$, django.contrib.auth.views.login, name= login ), url(r ^logout/$, django.contrib.auth.views.logout, name= logout,), url(r, include( mapentity.urls, namespace= mapentity, app_name= mapentity )), url(r ^paperclip/, include( paperclip.urls )), url(r, include( main.urls, namespace= main, app_name= main )), url(r ^admin/, include(admin.site.urls)), 2.5 Initialize the database Create a database schema based on your models: $ python manage.py syncdb Create all permission objects with this command: $ python manage.py update_permissions 2.3. Admin 7

12 2.6 Start the app $ python manage.py runserver 2.7 Done! Now your should be able to visit and add a museum with a name (if you can t see a map, make sure you re using Django 1.6). Then visit and you should be able to see your museum listed. 8 Chapter 2. Getting started

13 CHAPTER 3 Customization 3.1 Views Create a set of class-based views. You can define only some of them. Then you can override CBV methods as usual: from django.shortcuts import redirect from mapentity.views.generic import ( MapEntityList, MapEntityLayer, MapEntityJsonList, MapEntityDetail, MapEntityFormat, MapEntityCreate, MapEntityUpdate, MapEntityDocument, MapEntityDelete) from.models import Museum def home(request): return redirect('museum_list') class MuseumList(MapEntityList): columns = ['id', 'name'] class MuseumLayer(MapEntityLayer): class MuseumJsonList(MapEntityJsonList, MuseumList): pass class MuseumDetail(MapEntityDetail): (continues on next page) 9

14 class MuseumFormat(MapEntityFormat, MuseumList): pass (continued from previous page) class MuseumCreate(MapEntityCreate): class MuseumUpdate(MapEntityUpdate): class MuseumDocument(MapEntityDocument): class MuseumDelete(MapEntityDelete): 3.2 Filters MapEntity allows you to define a set of filters which will be used to lookup geographical data. Create a file filters. py in your app: from.models import Museum from mapentity.filters import MapEntityFilterSet class MuseumFilter(MapEntityFilterSet): class Meta: fields = ('name', ) Then update views.py to use your custom filter in your curstom views: from.filters import MuseumFilter class MuseumList(MapEntityList): filterform = MuseumFilter columns = ['id', 'name'] 3.3 Forms Create a form for your Museum model: from mapentity.forms import MapEntityForm from.models import Museum class MuseumForm(MapEntityForm): class Meta: (continues on next page) 10 Chapter 3. Customization

15 fields = ('name', ) (continued from previous page) Then update views.py to use your custom form in your curstom views: from.forms import MuseumForm class MuseumCreate(MapEntityCreate): form_class = MuseumForm class MuseumUpdate(MapEntityUpdate): form_class = MuseumForm 3.4 Templates To display information accordingly to your Museum model, you can create a template in main/templates/main. museum_detail_attributes.html can contain: {% extends "mapentity/mapentity_detail_attributes.html" %} {% load i18n mapentity_tags %} {% block attributes %} <table class="table-striped table-bordered table"> <tr> <th>{{ object verbose:"name" }}</th> <td>{{ object.name }}</td> </tr> </table> {{ block.super }} {% endblock attributes %} You can override the detail view template for your Museum model by creating a museum_detail.html in the same directory as before. 3.5 Exports There is another export system in MapEntity which use Weasyprint ( Instead of using ODT templates, Weasyprint use HTML/CSS and export to PDF. Do not use this system if you need an ODT or DOC export. Although Weasyprint export only to PDF, there are multiple advantages to it, such as : Use the power of HTML/CSS to generate your pages (far simpler than the ODT template) Use the Django template system to generate PDF content No longer need an instance of convertit to convert ODT to PDF and svg to png To use MapEntity with Weasyprint, you just need to activate it in the settings.py of MapEntity. Replace: 3.4. Templates 11

16 'MAPENTITY_WEASYPRINT': False, by: 'MAPENTITY_WEASYPRINT': True, If you want to include images that are not SVG or PNG, you will need to install GDK-PixBuf sudo apt-get install libgdk-pixbuf2.0-dev Now, you can customize the templates used to export your model in two different ways. First one is to create a template for a model only. In your museum project, you can override the CSS used to style the export by creating a file named museum_detail_pdf.css in main/templates/main. Refer to the CSS documentation and mapentity_detail_pdf.css. Note that, in the mapentity_detail_pdf.html, the CSS file is included instead of linked to take advantage of the Django template generation. Same as the CSS, you can override mapentity_detail_pdf.html by creating a file named musuem_detail_pdf.html. Again, refer to mapentity_detail_pdf.html. If you create another model and need to override his template, the template should be of the form templates/appname/modelname_detail_pdf.html with appname the name of your Django app and modelname the name of your model. The second way overrides these templates for all your models. you need to create a sub-directory named mapentity in main/templates. Then you can create a file named override_detail_pdf.html``(or ``.css) and it will be used for all your models if a specific template is not provided. 12 Chapter 3. Customization

17 CHAPTER 4 Development Follow installation procedure, and then install development packages: $ pip install -r dev-requirements.txt 4.1 Release We use zest.releaser, but since we have git submodules, we can t use the fullrelease command. Follow those step to release: Update version and changelog release date: prerelease git tag -a X.Y.Z python setup.py sdist register upload postrelease 13

18 14 Chapter 4. Development

19 CHAPTER 5 Indices and tables genindex modindex search 15

Djam Documentation. Release Participatory Culture Foundation

Djam Documentation. Release Participatory Culture Foundation Djam Documentation Release 0.1.0 Participatory Culture Foundation December 24, 2013 Contents 1 Links 3 2 Getting Started 5 2.1 Quick Start................................................ 5 2.2 Extending

More information

Tangent MicroServices Documentation

Tangent MicroServices Documentation Tangent MicroServices Documentation Release 1 Tangent Solutions March 10, 2015 Contents 1 Getting Started 3 1.1 Micro Services Projects......................................... 3 2 Service Registry 5

More information

MIT AITI Python Software Development Lab DJ1:

MIT AITI Python Software Development Lab DJ1: MIT AITI Python Software Development Lab DJ1: This lab will help you get Django installed and write your first application. 1 Each person in your group must complete this lab and have it checked off. Make

More information

Django Phantom Theme Documentation

Django Phantom Theme Documentation Django Phantom Theme Documentation Release 1.1 Przemyslaw bespider Pajak for EggForSale Sep 28, 2017 Contents 1 Features 3 2 Authors and Contributors 5 3 Licence 7 4 Support or Contact 9 5 Instalation

More information

Koalix ERP. Release 0.2

Koalix ERP. Release 0.2 Koalix ERP Release 0.2 March 01, 2016 Contents 1 Features 3 1.1 Screenshots................................................ 3 1.2 Installation................................................ 6 2 Indices

More information

Gunnery Documentation

Gunnery Documentation Gunnery Documentation Release 0.1 Paweł Olejniczak August 18, 2014 Contents 1 Contents 3 1.1 Overview................................................. 3 1.2 Installation................................................

More information

Graphene Documentation

Graphene Documentation Graphene Documentation Release 1.0.dev Syrus Akbary Nov 09, 2017 Contents 1 Introduction tutorial - Graphene and Django 3 1.1 Set up the Django project........................................ 3 1.2 Hello

More information

open-helpdesk Documentation

open-helpdesk Documentation open-helpdesk Documentation Release 0.9.9 Simone Dalla Nov 16, 2017 Contents 1 Overview 3 1.1 Dependencies............................................... 3 1.2 Documentation..............................................

More information

django-templation Documentation

django-templation Documentation django-templation Documentation Release 0.1.0 QDQ media S.A.U. April 25, 2014 Contents 1 django-templation 3 1.1 Documentation.............................................. 3 1.2 Installation................................................

More information

Trunk Player Documentation

Trunk Player Documentation Trunk Player Documentation Release 0.0.1 Dylan Reinhold Nov 25, 2017 Contents 1 Installation 3 1.1 System Prerequisites........................................... 3 1.2 Assumptions...............................................

More information

Django Admin Sortable Documentation

Django Admin Sortable Documentation Django Admin Sortable Documentation Release 1.7.0 Brandon Taylor September 28, 2016 Contents 1 Supported Django Versions 3 1.1 Django 1.4.x............................................... 3 1.2 Django

More information

django-dajaxice Documentation

django-dajaxice Documentation django-dajaxice Documentation Release 0.7 Jorge Bastida Nov 17, 2017 Contents 1 Documentation 3 1.1 Installation................................................ 3 1.2 Quickstart................................................

More information

django-scaffold Documentation

django-scaffold Documentation django-scaffold Documentation Release 1.1.1 James Stevenson May 27, 2015 Contents 1 Installation 3 2 Creating an app to extend scaffold 5 2.1 1. Create a new application........................................

More information

Easy-select2 Documentation

Easy-select2 Documentation Easy-select2 Documentation Release 1.2.2 Lobanov Stanislav aka asyncee September 15, 2014 Contents 1 Installation 3 2 Quickstart 5 3 Configuration 7 4 Usage 9 5 Reference 11 5.1 Widgets..................................................

More information

django-facetools Documentation

django-facetools Documentation django-facetools Documentation Release 0.2.0 Eric Palakovich Carr April 04, 2013 CONTENTS 1 Introduction 1 2 Table of Contents 3 2.1 Installing Django Facetools.......................................

More information

django cms Documentation

django cms Documentation django cms Documentation Release 3.4.5 Divio AG and contributors Jan 07, 2018 Contents 1 Overview 3 1.1 Tutorials - start here........................................... 3 1.2 How-to guides..............................................

More information

django-baton Documentation

django-baton Documentation django-baton Documentation Release 1.0.7 abidibo Nov 13, 2017 Contents 1 Features 3 2 Getting started 5 2.1 Installation................................................ 5 2.2 Configuration...............................................

More information

DJOAuth2 Documentation

DJOAuth2 Documentation DJOAuth2 Documentation Release 0.6.0 Peter Downs Sep 27, 2017 Contents 1 Important Links 1 2 What is DJOAuth2? 3 3 Why use DJOAuth2? 5 4 What is implemented? 7 5 Quickstart Guide 9 5.1 Requirements...............................................

More information

Bambu API Documentation

Bambu API Documentation Bambu API Documentation Release 2.0.1 Steadman Sep 27, 2017 Contents 1 About Bambu API 3 2 About Bambu Tools 2.0 5 3 Installation 7 4 Basic usage 9 5 Questions or suggestions? 11 6 Contents 13 6.1 Defining

More information

molly Documentation Release University of Oxford

molly Documentation Release University of Oxford molly Documentation Release 1.4.10 University of Oxford June 21, 2013 CONTENTS 1 Getting Started 3 1.1 Installing Molly............................................. 3 1.2 Configuring Molly............................................

More information

django-baton Documentation

django-baton Documentation django-baton Documentation Release 1.3.1 abidibo Nov 05, 2018 Contents 1 Features 3 2 Getting started 5 2.1 Installation................................................ 5 2.2 Configuration...............................................

More information

django-oscar-paypal Documentation

django-oscar-paypal Documentation django-oscar-paypal Documentation Release 1.0.0 David Winterbottom May 30, 2018 Contents 1 Installation 3 2 Table of contents 5 2.1 Express checkout............................................. 5 2.2

More information

django-allauth-2fa Documentation

django-allauth-2fa Documentation django-allauth-2fa Documentation Release 0.4.3 Víðir Valberg Guðmundsson, Percipient Networks Apr 25, 2018 Contents: 1 Features 3 2 Compatibility 5 3 Contributing 7 3.1 Running tests...............................................

More information

Django IPRestrict Documentation

Django IPRestrict Documentation Django IPRestrict Documentation Release 1.4.1 Tamas Szabo Nov 06, 2017 Contents 1 Table of Contents 3 1.1 Requirements and Installation...................................... 3 1.2 Configuration...............................................

More information

alphafilter Documentation

alphafilter Documentation alphafilter Documentation Release 0.6 coordt September 09, 2013 CONTENTS i ii alphafilter Documentation, Release 0.6 Contents: CONTENTS 1 alphafilter Documentation, Release 0.6 2 CONTENTS CHAPTER ONE

More information

SagePay payment gateway package for django-oscar Documentation

SagePay payment gateway package for django-oscar Documentation SagePay payment gateway package for django-oscar Documentation Release 0.1.1 Glyn Jackson May 18, 2017 Contents 1 Installation and Configuration Guide 3 1.1 Installing Package............................................

More information

Django-frontend-notification Documentation

Django-frontend-notification Documentation Django-frontend-notification Documentation Release 0.2.0 Arezqui Belaid February 25, 2016 Contents 1 Introduction 3 1.1 Overview................................................. 3 1.2 Documentation..............................................

More information

Framework approach to building content management systems. Wednesday, February 20, 13

Framework approach to building content management systems. Wednesday, February 20, 13 Framework approach to building content management systems Andrew Kurinnyi @zen4ever https://github.com/zen4ever Monolithic CMSs Quick initial install Lots of features Plugins/extensions 3rd party themes

More information

Django starting guide

Django starting guide Django starting guide (and much more ) Alessandro Bucciarelli Outline Lesson 1 Intro to versioning systems (Git) Intro to Python and basic data structures Django Lesson 2 Interaction between Django and

More information

django-embed-video Documentation

django-embed-video Documentation django-embed-video Documentation Release 0.7.stable Juda Kaleta December 21, 2013 Contents i ii Django app for easy embeding YouTube and Vimeo videos and music from SoundCloud. Repository is located on

More information

django-messages Documentation

django-messages Documentation django-messages Documentation Release 0.5.0 Arne Brodowski Nov 18, 2017 Contents 1 Contents 3 1.1 Installing django-messages........................................ 3 1.2 Using django-messages.........................................

More information

Building a Django Twilio Programmable Chat Application

Building a Django Twilio Programmable Chat Application Building a Django Twilio Programmable Chat Application twilio.com/blog/08/0/python-django-twilio-programmable-chat-application.html March 7, 08 As a developer, I ve always wanted to include chat capabilities

More information

Django PAM Documentation

Django PAM Documentation Django PAM Documentation Release 1.4.1 Carl J. Nobile Aug 01, 2018 Contents 1 Contents 3 1.1 Installation................................................ 3 1.2 Configuration...............................................

More information

Django Localized Recurrence Documentation

Django Localized Recurrence Documentation Django Localized Recurrence Documentation Release 3.2.0 Erik Swanson Jan 03, 2019 Contents 1 Table of Contents 3 1.1 Installation................................................ 3 1.2 Quickstart and Basic

More information

Django MFA Documentation

Django MFA Documentation Django MFA Documentation Release 1.0 Micro Pyramid Sep 20, 2018 Contents 1 Getting started 3 1.1 Requirements............................................... 3 1.2 Installation................................................

More information

django-embed-video Documentation

django-embed-video Documentation django-embed-video Documentation Release 0.6.stable Juda Kaleta October 04, 2013 CONTENTS i ii Django app for easy embeding YouTube and Vimeo videos and music from SoundCloud. Repository is located on

More information

django-intranet Documentation

django-intranet Documentation django-intranet Documentation Release 0.2 Ionyse Nov 14, 2017 Contents 1 Abstract 1 2 Table of contents 3 2.1 Setup a new project............................................ 3 2.2 Create a new module...........................................

More information

django-photologue Documentation

django-photologue Documentation django-photologue Documentation Release 3.1 Justin Driscoll/Richard Barran November 03, 2014 Contents 1 Installation & configuration 3 1.1 Installation................................................

More information

cmsplugin-blog Release post 0 Øyvind Saltvik

cmsplugin-blog Release post 0 Øyvind Saltvik cmsplugin-blog Release 1.1.2 post 0 Øyvind Saltvik March 22, 2016 Contents 1 Requirements 3 1.1 Installation.............................................. 3 2 Configuration and setup 5 2.1 Settings................................................

More information

django-embed-video Documentation

django-embed-video Documentation django-embed-video Documentation Release 1.1.2-stable Juda Kaleta Nov 10, 2017 Contents 1 Installation & Setup 3 1.1 Installation................................................ 3 1.2 Setup...................................................

More information

django-audiofield Documentation

django-audiofield Documentation django-audiofield Documentation Release 0.8.2 Arezqui Belaid Sep 27, 2017 Contents 1 Introduction 3 1.1 Overview................................................. 3 1.2 Usage...................................................

More information

youckan Documentation

youckan Documentation youckan Documentation Release 0.1.0.dev Axel Haustant May 26, 2014 Contents 1 Compatibility 3 2 Installation 5 3 Documentation 7 3.1 Configuration............................................... 7 3.2

More information

fragapy Documentation

fragapy Documentation fragapy Documentation Release 1.0 2011, Fragaria, s.r.o November 09, 2011 CONTENTS 1 Adminhelp 3 2 Amazon 5 2.1 AWS branded scripts........................................... 5 2.2 SES SMTP relay.............................................

More information

django simple pagination Documentation

django simple pagination Documentation django simple pagination Documentation Release 1.1.5 Micro Pyramid Nov 08, 2017 Contents 1 Getting started 3 1.1 Requirements............................................... 3 1.2 Installation................................................

More information

django-dynamic-db-router Documentation

django-dynamic-db-router Documentation django-dynamic-db-router Documentation Release 0.1.1 Erik Swanson August 24, 2016 Contents 1 Table of Contents 3 1.1 Installation................................................ 3 1.2 Quickstart................................................

More information

Django Map Widgets Documentation

Django Map Widgets Documentation Django Map Widgets Documentation Release 0.1.9 Erdem Ozkol Oct 26, 2017 Contents 1 Achievements 3 1.1 Index................................................... 3 2 Indices and tables 13 i ii Configurable,

More information

CID Documentation. Release Francis Reyes

CID Documentation. Release Francis Reyes CID Documentation Release 0.2.0 Francis Reyes Sep 30, 2017 Contents 1 Django Correlation IDs 1 1.1 Features.................................................. 1 Python Module Index 9 i ii CHAPTER 1 Django

More information

django-users2 Documentation

django-users2 Documentation django-users2 Documentation Release 0.2.1 Mishbah Razzaque Mar 16, 2017 Contents 1 django-users2 3 1.1 Features.................................................. 3 1.2 Documentation..............................................

More information

Django File Picker Documentation

Django File Picker Documentation Django File Picker Documentation Release 0.5 Caktus Consulting Group LLC Oct 31, 2017 Contents 1 Dependencies 3 1.1 Required................................................. 3 1.2 Optional.................................................

More information

Aldryn Installer Documentation

Aldryn Installer Documentation Aldryn Installer Documentation Release 0.2.0 Iacopo Spalletti February 06, 2014 Contents 1 django CMS Installer 3 1.1 Features.................................................. 3 1.2 Installation................................................

More information

Django File Picker Documentation

Django File Picker Documentation Django File Picker Documentation Release 0.5 Caktus Consulting Group LLC Nov 06, 2017 Contents 1 Dependencies 3 1.1 Required................................................. 3 1.2 Optional.................................................

More information

django-responsive2 Documentation

django-responsive2 Documentation django-responsive2 Documentation Release 0.1.3 Mishbah Razzaque Sep 27, 2017 Contents 1 django-responsive2 3 1.1 Why would you use django-responsive2?................................ 3 1.2 Using django-responsive2

More information

django-rest-framework-datatables Documentation

django-rest-framework-datatables Documentation django-rest-framework-datatables Documentation Release 0.1.0 David Jean Louis Aug 16, 2018 Contents: 1 Introduction 3 2 Quickstart 5 2.1 Installation................................................ 5

More information

Django urls Django Girls Tutorial

Django urls Django Girls Tutorial Django urls Django Girls Tutorial about:reader?url=https://tutorial.djangogirls.org/en/django_urls/ 1 di 6 13/11/2017, 20:01 tutorial.djangogirls.org Django urls Django Girls Tutorial DjangoGirls 6-8 minuti

More information

neo4django Documentation

neo4django Documentation neo4django Documentation Release 0.1.8-dev Matt Luongo Sep 09, 2017 Contents 1 Details 3 1.1 Getting Started.............................................. 3 1.2 Writing Models..............................................

More information

Linguistic Architecture

Linguistic Architecture Linguistic Architecture Modeling Software Knowledge SoftLang Team, University of Koblenz-Landau Prof. Dr. Ralf Lämmel Msc. Johannes Härtel Msc. Marcel Heinz Outline Motivating Software Documentation Classic

More information

django-cas Documentation

django-cas Documentation django-cas Documentation Release 2.3.6 Parth Kolekar January 17, 2016 Contents 1 django-cas 3 1.1 Documentation.............................................. 3 1.2 Quickstart................................................

More information

django-jenkins Documentation

django-jenkins Documentation django-jenkins Documentation Release 0.19.0 Mikhail Podgurskiy, Gabriel Le Breton Jun 04, 2017 Contents 1 Indices and tables 3 2 Getting started 5 2.1 Configuring django project........................................

More information

dh-virtualenv Documentation

dh-virtualenv Documentation dh-virtualenv Documentation Release 0.7 Spotify AB July 21, 2015 Contents 1 What is dh-virtualenv 3 2 Changelog 5 2.1 0.7 (unreleased)............................................. 5 2.2 0.6....................................................

More information

Django design patterns Documentation

Django design patterns Documentation Django design patterns Documentation Release 0.2 Agiliq and Contributors April 13, 2018 Contents 1 Chapters 3 1.1 Django Design Patterns......................................... 3 1.2 Urls....................................................

More information

django-ratelimit-backend Documentation

django-ratelimit-backend Documentation django-ratelimit-backend Documentation Release 1.2 Bruno Renié Sep 13, 2017 Contents 1 Usage 3 1.1 Installation................................................ 3 1.2 Quickstart................................................

More information

Django Groups Manager Documentation

Django Groups Manager Documentation Django Groups Manager Documentation Release 0.3.0 Vittorio Zamboni January 03, 2017 Contents 1 Documentation 3 1.1 Installation................................................ 3 1.2 Basic usage................................................

More information

Django-CSP Documentation

Django-CSP Documentation Django-CSP Documentation Release 3.0 James Socol, Mozilla September 06, 2016 Contents 1 Installing django-csp 3 2 Configuring django-csp 5 2.1 Policy Settings..............................................

More information

django-photologue Documentation

django-photologue Documentation django-photologue Documentation Release 3.9.dev0 Justin Driscoll/Richard Barran Sep 01, 2018 Contents 1 Django-photologue 1 1.1 Take a closer look............................................ 1 1.2 Support..................................................

More information

coxtactoe Documentation

coxtactoe Documentation coxtactoe Documentation Release 0.1.0 Brett Anderson July 13, 2014 Contents 1 Contents 1 1.1 Pre-requisites............................................... 1 1.2 Installation & Configuration.......................................

More information

ClickToCall SkypeTest Documentation

ClickToCall SkypeTest Documentation ClickToCall SkypeTest Documentation Release 0.0.1 Andrea Mucci August 04, 2015 Contents 1 Requirements 3 2 Installation 5 3 Database Installation 7 4 Usage 9 5 Contents 11 5.1 REST API................................................

More information

Biostar Central Documentation. Release latest

Biostar Central Documentation. Release latest Biostar Central Documentation Release latest Oct 05, 2017 Contents 1 Features 3 2 Support 5 3 Quick Start 7 3.1 Install................................................... 7 3.2 The biostar.sh manager..........................................

More information

django-model-report Documentation

django-model-report Documentation django-model-report Documentation Release 0.2.1 juanpex Nov 06, 2017 Contents 1 Demo 3 1.1 User Guide................................................ 3 1.2 Modules.................................................

More information

Cookiecutter Django CMS Documentation

Cookiecutter Django CMS Documentation Cookiecutter Django CMS Documentation Release 0.2.2 Emanuele Palazzetti December 24, 2013 Contents 1 Basics 3 1.1 Overview................................................. 3 1.2 Usage...................................................

More information

Django-danceschool Documentation

Django-danceschool Documentation Django-danceschool Documentation Release 0.1.0 Lee Tucker Dec 05, 2018 Contents: 1 Production Deployment 1 1.1 Docker.................................................. 1 1.2 Heroku..................................................

More information

Django_template3d Documentation

Django_template3d Documentation Django_template3d Documentation Release 0.0.1 Robert Steckroth August 27, 2016 Contents 1 Getting Started 3 1.1 Quick Install............................................... 3 2 Learning Template3d 5 2.1

More information

django-mama-cas Documentation

django-mama-cas Documentation django-mama-cas Documentation Release 2.4.0 Jason Bittel Oct 06, 2018 Contents 1 Contents 3 1.1 Installation................................................ 3 1.2 Settings..................................................

More information

Django Part II SPARCS 11 undead. Greatly Inspired by SPARCS 10 hodduc

Django Part II SPARCS 11 undead. Greatly Inspired by SPARCS 10 hodduc Django Part II 2015-05-27 SPARCS 11 undead Greatly Inspired by SPARCS 10 hodduc Previously on Django Seminar Structure of Web Environment HTTP Requests and HTTP Responses Structure of a Django Project

More information

django-image-cropping Documentation

django-image-cropping Documentation django-image-cropping Documentation Release 1.1.0 Jonas und der Wolf Nov 06, 2017 Contents 1 Installation 3 2 Configuration 5 3 Admin Integration 7 4 Backends 9 5 Frontend 11 5.1 easy_thumbnails.............................................

More information

Deployability. of Python. web applications

Deployability. of Python. web applications Deployability of Python web applications Bruno Renié EuroPython 2013 Deployability, n The extent to which something is deployable Disclaimer Most of this isn't python-specific or even web-specific Oriented

More information

django-private-chat Documentation

django-private-chat Documentation django-private-chat Documentation Release 0.2.2 delneg Dec 12, 2018 Contents 1 :sunglasses: django-private-chat :sunglasses: 3 1.1 Important Notes............................................. 3 1.2 Documentation..............................................

More information

django-audit-log Documentation

django-audit-log Documentation django-audit-log Documentation Release 0.8.0 Vasil Vangelovski (Atomidata) Jul 21, 2017 Contents 1 Installation 3 2 Tracking Users that Created/Modified a Model 5 2.1 Tracking Who Created a Model.....................................

More information

django-sticky-uploads Documentation

django-sticky-uploads Documentation django-sticky-uploads Documentation Release 0.2.0 Caktus Consulting Group October 26, 2014 Contents 1 Requirements/Installing 3 2 Browser Support 5 3 Documentation 7 4 Running the Tests 9 5 License 11

More information

NereidProject Documentation

NereidProject Documentation NereidProject Documentation Release 3.4.0.1 Openlabs Technologies & Consulting (P) Limited May 21, 2017 Contents 1 Welcome To Nereid Project 3 1.1 Overview.................................................

More information

Tango with Django. Chapter 1: Overview. 1. Overview. 2. The N tier architecture of web applications

Tango with Django. Chapter 1: Overview. 1. Overview. 2. The N tier architecture of web applications 1 Tango with Django Chapter 1: Overview 1. Overview Aim of this tutorial: provides a pratical guide to web development using Django. What you will learn: Setup a development environment Setup the Django

More information

Zoook e-sale Documentation

Zoook e-sale Documentation Zoook e-sale Documentation Release 6.1.1.0 Enterprise Objects Consulting Jul 31, 2017 Contents 1 Indices and tables 3 1.1 Introduction............................................. 3 1.2 Installation..............................................

More information

Django QR Code Documentation

Django QR Code Documentation Django QR Code Documentation Release 0.3.3 Philippe Docourt Nov 12, 2017 Contents: 1 Django QR Code 1 1.1 Installation................................................ 1 1.2 Usage...................................................

More information

puput Documentation Release 1.0 Marc Tudurí

puput Documentation Release 1.0 Marc Tudurí puput Documentation Release 1.0 Marc Tudurí Oct 01, 2018 Contents 1 Features 3 2 Contents: 5 2.1 Setup................................................... 5 2.2 Editor s dashboard............................................

More information

The Django Web Framework Part VI

The Django Web Framework Part VI The Django Web Framework Part VI Web Programming Course Fall 2013 Outline Session Framework User Authentication & Authorization in Django 2 Session Framework Session Framework lets you store and retrieve

More information

django-teamwork Documentation

django-teamwork Documentation django-teamwork Documentation Release 0.0.1 Les Orchard Jun 11, 2017 Contents 1 Overview 3 1.1 What is django-teamwork?........................................ 3 2 Getting Started 5 2.1 Installation................................................

More information

How to Install Open HRMS on Ubuntu 16.04?

How to Install Open HRMS on Ubuntu 16.04? How to Install Open HRMS on Ubuntu 16.04? Step 1: Update The Server Make your system Updated using these two commands sudo apt-get update sudo apt-get upgrade Step 2: Secure Server It is common for all

More information

Tomasz Szumlak WFiIS AGH 23/10/2017, Kraków

Tomasz Szumlak WFiIS AGH 23/10/2017, Kraków Python in the Enterprise Django Intro Tomasz Szumlak WFiIS AGH 23/10/2017, Kraków Going beyond Django is a Web framework very popular! It is not the only one, and cannot do wonders There are many others:

More information

django-ad-code Documentation

django-ad-code Documentation django-ad-code Documentation Release 1.0.0 Mark Lavin Apr 21, 2018 Contents 1 Installation 3 2 Documentation 5 3 License 7 4 Contributing 9 5 Contents 11 5.1 Getting Started..............................................

More information

kiss.py Documentation

kiss.py Documentation kiss.py Documentation Release 0.3.3 Stanislav Feldman January 15, 2015 Contents 1 Contents 3 1.1 Overview................................................. 3 1.2 Installation................................................

More information

Quoting Wikipedia, software

Quoting Wikipedia, software Developers How To Django When Python Bites the Web WWW.WWW.WWW. Here s how to start using Django for Web application development. Quoting Wikipedia, software frameworks aim to facilitate software development

More information

Python Schema Generator Documentation

Python Schema Generator Documentation Python Schema Generator Documentation Release 1.0.0 Peter Demin June 26, 2016 Contents 1 Mutant - Python code generator 3 1.1 Project Status............................................... 3 1.2 Design..................................................

More information

Confire Documentation

Confire Documentation Confire Documentation Release 0.2.0 Benjamin Bengfort December 10, 2016 Contents 1 Features 3 2 Setup 5 3 Example Usage 7 4 Next Topics 9 5 About 17 Python Module Index 19 i ii Confire is a simple but

More information

django-kaio Documentation

django-kaio Documentation django-kaio Documentation Release 0.7.1 APSL May 31, 2018 Contents 1 Installation 3 1.1 Configuration with django-configurations................................ 3 2 How it works 5 2.1 settings.py................................................

More information

Webdev: Building Django Apps. Ryan Fox Andrew Glassman MKE Python

Webdev: Building Django Apps. Ryan Fox Andrew Glassman MKE Python Webdev: Building Django Apps Ryan Fox Andrew Glassman MKE Python What Django is Django is a high-level Python Web framework that encourages rapid development and clean, pragmatic design. Built by experienced

More information

Django Leaflet Documentation

Django Leaflet Documentation Django Leaflet Documentation Release 0.20 Makina Corpus Oct 04, 2017 Contents 1 Installation 3 1.1 Configuration............................................... 3 1.2 Example.................................................

More information

staff Documentation Release 1.2

staff Documentation Release 1.2 staff Documentation Release 1.2 me February 06, 2016 Contents 1 Goals 3 2 Contents 5 2.1 Getting Started.............................................. 5 2.2 Customizing StaffMember........................................

More information

django-konfera Documentation

django-konfera Documentation django-konfera Documentation Release 0.1 SPy o.z. Mar 21, 2017 Contents 1 Installation 3 1.1 Using Pip................................................. 3 1.2 Using the Source.............................................

More information

Django by errors. Release 0.2. Sigurd Gartmann

Django by errors. Release 0.2. Sigurd Gartmann Django by errors Release 0.2 Sigurd Gartmann Sep 27, 2017 Contents 1 Introduction 1 1.1 About Django.............................................. 1 2 Simple steps 3 2.1 Starting a project.............................................

More information

docs-python2readthedocs Documentation

docs-python2readthedocs Documentation docs-python2readthedocs Documentation Release 0.1.0 Matthew John Hayes Dec 01, 2017 Contents 1 Introduction 3 2 Install Sphinx 5 2.1 Pre-Work................................................. 5 2.2 Sphinx

More information

BriCS. University of Bristol Cloud Service Simulation Runner. User & Developer Guide. 1 October John Cartlidge & M.

BriCS. University of Bristol Cloud Service Simulation Runner. User & Developer Guide. 1 October John Cartlidge & M. BriCS University of Bristol Cloud Service Simulation Runner User & Developer Guide 1 October 2013 John Cartlidge & M. Amir Chohan BriCS: User & Developer Guide - 1 - BriCS Architecture Fig. 1: Architecture

More information