+ - 0:00:00
Notes for current slide
Notes for next slide

Django REST Framework Crash Course

Kyle Rich

Follow along at https://git.io/drfcc
1 / 37

Overview

- Quick Introductions

  • Django
  • REST and RESTful web APIs
  • Example project
2 / 37

Overview

- Quick Introductions

- Django REST Framework

  • Serializing / deserializing data
  • Representing data relationships
  • Grouping functionality in viewsets
  • Automatic endpoints with routers
3 / 37

Django

4 / 37

Django

- Overview

"The web framework for perfectionists with deadlines."

"Django was invented to meet fast-moving newsroom deadlines, while satisfying the tough requirements of experienced Web developers."

5 / 37

Django

- Overview

- Common Tools

  • Authentication
  • Caching
  • Logging
  • Sending emails
  • Syndication feeds (RSS / Atom)
  • Pagination
  • Messages framework
  • Serialization
  • Sessions
  • Sitemaps
  • Static files management
  • Data validation
  • Templating (DTL, Jinja2, etc.)
  • Flatpages
  • Redirects
6 / 37

REST and RESTful web APIs

7 / 37

REST

- What is REST?

REpresentational State Transfer (REST) is an architectural style that describes six constraints.

To the extent that systems conform to the constraints of REST they can be called RESTful.

8 / 37

REST

- What is REST?

- Constraints

  • Uniform Interface
  • Stateless (HATEOAS)
  • Cacheable
  • Client-Server
  • Layered System
  • Code on Demand (optional)
9 / 37

REST

- What is REST?

- Constraints

- What it buys us

  • Performance
  • Scalability
  • Simplicity
  • Modifiability
  • Visibility
  • Portability
  • Reliability
10 / 37

REST

- What is REST?

- Constraints

- What it buys us

- Web APIs

  • Resource (noun) based, collections and instances
  • Use standard HTTP verbs to specify actions
  • Use HTTP response codes to indicate status
  • Offer responses in multiple formats (JSON, XML, etc.)
11 / 37

Example Project:

 

12 / 37

I love reading, and I use GoodReads to make it a somewhat social experience. But GoodReads isn't perfect. It could be better. Better than good. So I decided to start work on...

Example Project:

 BetterReads

12 / 37

I love reading, and I use GoodReads to make it a somewhat social experience. But GoodReads isn't perfect. It could be better. Better than good. So I decided to start work on...

...BetterReads! Which will be better than GoodReads!

13 / 37

Serialization

- Publisher

class Publisher(models.Model):
name = models.CharField(max_length=50, unique=True)
address = models.TextField()
14 / 37

Serialization

- Publisher

class Publisher(models.Model):
name = models.CharField(max_length=50, unique=True)
address = models.TextField()
class PublisherSerializer(serializers.ModelSerializer):
class Meta:
model = models.Publisher
14 / 37

Note that the serializer knows the model class, and it knows all of the attributes on that class. The ModelSerializer default behavior automatically creates an appropriate serializer field for each attribute on the model

Serialization

- Publisher

class Publisher(models.Model):
name = models.CharField(max_length=50, unique=True)
address = models.TextField()
class PublisherSerializer(serializers.ModelSerializer):
class Meta:
model = models.Publisher
{
'address': '12345 S. State Street',
'id': 1,
'name': 'Del Rey'
}
14 / 37

Note that the serializer knows the model class, and it knows all of the attributes on that class. The ModelSerializer default behavior automatically creates an appropriate serializer field for each attribute on the model

Serialization

- Publisher

- Person

class Person(models.Model):
first_name = models.CharField(max_length=50)
last_name = models.CharField(max_length=50)
email = models.CharField(max_length=50)
class Meta:
unique_together = ('first_name', 'last_name')
15 / 37

The unique_together constraint creates a multi-column index keeping all combinations of first and last names unique.

Serialization

- Publisher

- Person

class Person(models.Model):
first_name = models.CharField(max_length=50)
last_name = models.CharField(max_length=50)
email = models.CharField(max_length=50)
class Meta:
unique_together = ('first_name', 'last_name')
class PersonSerializer(serializers.ModelSerializer):
email = serializers.EmailField()
class Meta:
model = models.Person
15 / 37

The unique_together constraint creates a multi-column index keeping all combinations of first and last names unique.

We can customize the way the email field is serialized by giving it a different serializer field. The EmailField serializer will check for a valid e-mail address before accepting the input.

Serialization

- Publisher

- Person

- Tag

class Tag(models.Model):
name = models.CharField(max_length=20, unique=True)
16 / 37

Serialization

- Publisher

- Person

- Tag

class Tag(models.Model):
name = models.CharField(max_length=20, unique=True)
class TagSerializer(serializers.ModelSerializer):
books = serializers.SlugRelatedField(
slug_field='name', many=True
queryset=models.Book.objects.all())
class Meta:
model = models.Tag
16 / 37

The slug related field alters the way a data relationship is displayed, by simply displaying one of the attributes of the related object. The attribute it shows is specified in the slug_field.

Serialization

- Publisher

- Person

- Tag

- Book

class Book(models.Model):
name = models.CharField(max_length=100)
authors = models.ManyToManyField(Person)
tags = models.ManyToManyField(Tag)
publisher = models.ForeignKey(Publisher, null=True)
year = models.IntegerField(null=True)
in_print = models.BooleanField(default=True)
17 / 37

Serialization

- Publisher

- Person

- Tag

- Book

class Book(models.Model):
name = models.CharField(max_length=100)
authors = models.ManyToManyField(Person)
tags = models.ManyToManyField(Tag)
publisher = models.ForeignKey(Publisher, null=True)
year = models.IntegerField(null=True)
in_print = models.BooleanField(default=True)
class BookSerializer(serializers.ModelSerializer):
tags = serializers.SlugRelatedField(
slug_field='name', many=True,
queryset=models.Tag.objects.all())
publisher = serializers.SlugRelatedField(
slug_field='name', allow_null=True,
queryset=models.Publisher.objects.all())
url = serializers.HyperlinkedIdentityField(
view_name='book-detail')
class Meta:
model = models.Book
17 / 37

The HyperlinkedIdentityField creates a link to the current object's representation. The url field is automatically created with the same field serializer if you subclass HyperlinkedModelSerializer instead of ModelSerializer.

Serialization

- Publisher

- Person

- Tag

- Book

- Book JSON

{
'authors': [
1
],
'id': 1,
'in_print': True,
'name': 'A Really Good Book',
'publisher': None,
'tags': [
'Fun',
'Fantasy'
],
'url': 'http://localhost:8000/api/books/1/',
'year': 2016
}
18 / 37

Note that authors and tags are both M2M relationships, but they render differently. Is anyone surprised by this?

Serialization

- Publisher

- Person

- Tag

- Book

- Book JSON

- Notes

  • Serializers render Python objects to plain-text representation (JSON, XML, etc.)
19 / 37

Serialization

- Publisher

- Person

- Tag

- Book

- Book JSON

- Notes

  • Serializers render Python objects to plain-text representation (JSON, XML, etc.)
  • They also parse plain-text representations (JSON, XML, etc.) and convert back to Python objects
19 / 37

Serialization

- Publisher

- Person

- Tag

- Book

- Book JSON

- Notes

  • Serializers render Python objects to plain-text representation (JSON, XML, etc.)
  • They also parse plain-text representations (JSON, XML, etc.) and convert back to Python objects
  • You can control and override how both of those processes work
19 / 37

Serialization

- Publisher

- Person

- Tag

- Book

- Book JSON

- Notes

  • Serializers render Python objects to plain-text representation (JSON, XML, etc.)
  • They also parse plain-text representations (JSON, XML, etc.) and convert back to Python objects
  • You can control and override how both of those processes work
  • Serializer classes give you broad control
19 / 37

Serialization

- Publisher

- Person

- Tag

- Book

- Book JSON

- Notes

  • Serializers render Python objects to plain-text representation (JSON, XML, etc.)
  • They also parse plain-text representations (JSON, XML, etc.) and convert back to Python objects
  • You can control and override how both of those processes work
  • Serializer classes give you broad control
  • Serializer fields give you granular control
19 / 37

ViewSets

20 / 37

ViewSets

- Methods

We're used to talking in terms of HTTP methods

  • GET
  • POST
  • PUT
  • PATCH
  • DELETE
  • OPTIONS
  • HEAD
21 / 37

ViewSets

- Methods

- Actions

DRF talks in terms of "actions"

  • list
  • create
  • retrieve
  • update
  • delete
22 / 37

ViewSets

- Methods

- Actions

- Detail View

Detail view is for actions on an instance, or in other words, any time you have the primary key.

/api/books/1/
  • GET -> retrieve
  • PUT / PATCH -> update
  • DELETE -> delete
23 / 37

ViewSets

- Methods

- Actions

- Detail View

- List View

List view is for actions when you don't have a primary key.

/api/books/
  • GET -> list
  • POST -> create
24 / 37

ViewSets

- Methods

- Actions

- Detail View

- List View

- Grouping

DRF will happily create a view for every action you need with ViewSets.

class PersonViewSet(viewsets.ModelViewSet):
queryset = models.Person.objects.all()
serializer_class = serializers.PersonSerializer
25 / 37

ViewSets

- Methods

- Actions

- Detail View

- List View

- Grouping

DRF will happily create a view for every action you need with ViewSets.

class PersonViewSet(viewsets.ModelViewSet):
queryset = models.Person.objects.all()
serializer_class = serializers.PersonSerializer
TagViewSet and PublisherViewSet are virtually identical to PersonViewSet.
25 / 37

ViewSets

- Methods

- Actions

- Detail View

- List View

- Grouping

- Filtering

Here's the most interesting thing my viewsets do:

class BookViewSet(viewsets.ModelViewSet):
queryset = models.Book.objects.all()
serializer_class = serializers.BookSerializer
filter_fields = ('year', 'in_print', 'authors',
'name', 'tags', 'publisher')
26 / 37

Note that the ModelViewSet creates all five actions, but there are other viewsets that only create the actions for a read-only resource, or you can mix and match them to get the required functionality for a resource.

Routers

27 / 37

Routers

- Review

  • Models created with Django ORM
28 / 37

Routers

- Review

  • Models created with Django ORM
  • Object serialized to representation in desired format
28 / 37

Routers

- Review

  • Models created with Django ORM
  • Object serialized to representation in desired format
  • Viewsets to interact with each resource
28 / 37

Routers

- Review

  • Models created with Django ORM
  • Object serialized to representation in desired format
  • Viewsets to interact with each resource

What are we still missing?

28 / 37

Routers

- Review

- URLs

from django.conf.urls import include, url
from rest_framework import routers
from api import views
api = routers.DefaultRouter()
api.register('books', views.BookViewSet)
api.register('tags', views.TagViewSet)
api.register('publishers', views.PublisherViewSet)
api.register('people', views.PersonViewSet)
urlpatterns = [
url(r'^', include(api.urls))
]
29 / 37

Lines of Code

- Just FYI...

There are four files that make up the core of this service.
30 / 37

Lines of Code

- Just FYI...

There are four files that make up the core of this service.
  • models.py
  • serializers.py
  • views.py
  • urls.py
30 / 37

Lines of Code

- Just FYI...

There are four files that make up the core of this service.
  • models.py
  • serializers.py
  • views.py
  • urls.py
Those four files total 124 lines of code.
30 / 37

Lines of Code

- Just FYI...

There are four files that make up the core of this service.
  • models.py
  • serializers.py
  • views.py
  • urls.py
Those four files total 124 lines of code.
Of those, 42 are whitespace.
30 / 37

Lines of Code

- Just FYI...

There are four files that make up the core of this service.
  • models.py
  • serializers.py
  • views.py
  • urls.py
Those four files total 124 lines of code.
Of those, 42 are whitespace.
Only 82 are actually doing something.
30 / 37

Let's play with it!

31 / 37

Let's play with it!

- Python requests

Python 3.5.1 (default, Dec 7 2015, 21:59:08)
[GCC 4.2.1 Compatible Apple LLVM 7.0.0
(clang-700.1.76)] on darwin
Type "help", "copyright", "credits" or
"license" for more information.
32 / 37

Let's play with it!

- Python requests

Python 3.5.1 (default, Dec 7 2015, 21:59:08)
[GCC 4.2.1 Compatible Apple LLVM 7.0.0
(clang-700.1.76)] on darwin
Type "help", "copyright", "credits" or
"license" for more information.
>>> import requests
32 / 37

Let's play with it!

- Python requests

Python 3.5.1 (default, Dec 7 2015, 21:59:08)
[GCC 4.2.1 Compatible Apple LLVM 7.0.0
(clang-700.1.76)] on darwin
Type "help", "copyright", "credits" or
"license" for more information.
>>> import requests
>>> from pprint import pprint
32 / 37

Let's play with it!

- Python requests

Python 3.5.1 (default, Dec 7 2015, 21:59:08)
[GCC 4.2.1 Compatible Apple LLVM 7.0.0
(clang-700.1.76)] on darwin
Type "help", "copyright", "credits" or
"license" for more information.
>>> import requests
>>> from pprint import pprint
>>> data = requests.get(
... 'http://localhost:8000/api/people/'
... ).json()
32 / 37

Let's play with it!

- Python requests

Python 3.5.1 (default, Dec 7 2015, 21:59:08)
[GCC 4.2.1 Compatible Apple LLVM 7.0.0
(clang-700.1.76)] on darwin
Type "help", "copyright", "credits" or
"license" for more information.
>>> import requests
>>> from pprint import pprint
>>> data = requests.get(
... 'http://localhost:8000/api/people/'
... ).json()
>>> pprint(data)
[{'email': 'kyle@mydomain.com',
'first_name': 'Kyle',
'id': 1,
'last_name': 'Rich'}]
32 / 37

Let's play with it!

- Python requests

- Browsable API

Django REST Framework Browsable API

33 / 37

Let's play with it!

- Python requests

- Browsable API

- CLI Client

Custom CLI Client

34 / 37

Let's play with it!

- Python requests

- Browsable API

- CLI Client

- Swagger

Swagger

35 / 37

Questions?

36 / 37

Resources

Please leave feedback!

https://joind.in/talk/40348

37 / 37

Overview

- Quick Introductions

  • Django
  • REST and RESTful web APIs
  • Example project
2 / 37
Paused

Help

Keyboard shortcuts

, , Pg Up, k Go to previous slide
, , Pg Dn, Space, j Go to next slide
Home Go to first slide
End Go to last slide
b / m / f Toggle blackout / mirrored / fullscreen mode
c Clone slideshow
p Toggle presenter mode
t Restart the presentation timer
?, h Toggle this help
Esc Back to slideshow