"일꾼이 일을 잘하려면 먼저 도구를 갈고 닦아야 한다." - 공자, 『논어』.
첫 장 > 프로그램 작성 > Django Rest Framework로 Heisenberg 사냥하기

Django Rest Framework로 Heisenberg 사냥하기

2024-11-02에 게시됨
검색:959

Hunting Heisenberg with Django Rest Framework

The idea

The idea was to create a simple platform for DEA agents, to manage information about characters from the Breaking Bad/Better Call Saul universe. To make the DEA agents' life easier, they need to have an API endpoint that allows filtering information about characters by their name, date of birth, occupation or the fact whether they are a suspect.

As the DEA is trying to put drug lords behind bars, they are tracking them and the people around their location. They store timestamps and particular locations as geographical coordinates in a related table. The endpoint that will expose the data needs to allow filtering of location entries, that were within a specific distance from a particular geographical point, as well as who they were assigned to, and the datetime range of when they were recorded. The ordering for this endpoint should allow taking into consideration distance from a specified geographical point, both ascending and descending.

To see how it was done, you can set up this project locally by following the documentation below and testing it on your own.

You can find the code in my GitHub repository here.

Setting up the project

As prerequisites, you will need to have Docker and docker-compose installed on your system.

At first, go to your project's folder and clone the Breaking Bad API repository:

git clone [email protected]:drangovski/breaking-bad-api.git

cd breaking-bad-api

Then you will need to create and .env file where you will put the values for the following variables:

POSTGRES_USER=heisenberg
POSTGRES_PASSWORD=iamthedanger
POSTGRES_DB=breakingbad
DEBUG=True
SECRET_KEY=""
DJANGO_ALLOWED_HOSTS=localhost 127.0.0.1 [::1]
SQL_ENGINE=django.db.backends.postgresql
SQL_DATABASE=breakingbad
SQL_USER=heisenberg
SQL_PASSWORD=iamthedanger
SQL_HOST=db
SQL_PORT=5432

Note: If you want, you can use the env_generator.sh file to create .env file for you. This will automatically generate the SECRET_KEY as well. To run this file, first, give it permission with chmod x env_generator.sh and then run it with ./env_generator.sh

Once you have this set, you can run:

docker-compose build

docker-compose up

This will start the Django application at localhost:8000. To access the API, the URL will be localhost:8000/api.

Mock Locations

For the sake of the theme of these projects (and eventually, to make your life a bit easier :)), you can eventually use the following locations and their coordinates:

Location Longitude Latitude
Los Pollos Hermanos 35.06534619552971 -106.64463423464572
Walter White House 35.12625330483283 -106.53566597939896
Saul Goodman Office 35.12958969793146 -106.53106126774908
Mike Ehrmantraut House 35.08486667169461 -106.64115047513016
Jessie Pinkman House 35.078341181544396 -106.62404891988452
Hank & Marrie House 35.13512843853582 -106.48159991250327
import requests
import json

url = 'http://localhost:8000/api/characters/'

headers = {'Content-Type' : "application/json"}

response = requests.get(url, headers=headers, verify=False)

if response.status_code == 200:
    data = response.json()
    print(json.dumps(data, indent=2))
else:
    print("Request failed with status code:", response.status_code)

Characters

Retrieve all characters

To retrieves all existing characters in the database.

GET /api/characters/

[
    {
        "id": 1,
        "name": "Walter White",
        "occupation": "Chemistry Professor",
        "date_of_birth": "1971",
        "suspect": false
    },
    {
        "id": 2,
        "name": "Tuco Salamanca",
        "occupation": "Grandpa Keeper",
        "date_of_birth": "1976",
        "suspect": true
    }
]

Retrieve a single character

To retrieve a single character, pass the character's ID to the enpoint.

GET /api/characters/{id}

Create a new character

You can use the POST method to to /characters/ endpoint in order to create a new character.

POST /api/characters/

Creation parameters

You will need to pass the following parameters in the query, in order to successfully create a character:

{
    "name": "string",
    "occupation": "string",
    "date_of_birth": "string",
    "suspect": boolean
}
Parameter Description
name String value for the name of the character.
occupation String value for the occupation of the character.
date_of_birth String value for the date of brith.
suspect Boolean parameter. True if suspect, False if not.

Character ordering

Ordering of the characters can be done by two fields as parameters: name and date_of_birth

GET /api/characters/?ordering={name / date_of_birth}

Parameter Description
name Order the results by the name field.
date_of_birth Order the results by the date_of_birth field.

Additionally, you can add the parameter ascending with a value 1 or 0 to order the results in ascending or descending order.

GET /api/characters/?ordering={name / date_of_birth}&ascending={1 / 0}

Parameter Description
&ascending=1 Order the results in ascending order by passing 1 as a value.
&ascending=0 Order the results in descending order by passing 0 as a value.

Character filtering

To filter the characters, you can use the parameters in the table below. Case insensitive.

GET /api/characters/?name={text}

Parameter Description
/?name={text} Filter the results by name. It can be any length and case insensitive.
/?occupaton={text} Filter the results by occupation. It can be any length and case insensitive.
/?suspect={True / False} Filter the results by suspect status. It can be True or False.

Character search

You can also use the search parameter in the query to search characters and retrieve results based on the fields listed below.

GET /api/characters/?search={text}

  • name

  • occupation

  • date_of_birth

Update a character

To update a character, you will need to pass the {id} of a character to the URL and make a PUT method request with the parameters in the table below.

PUT /api/characters/{id}

{
    "name": "Mike Ehrmantraut",
    "occupation": "Retired Officer",
    "date_of_birth": "1945",
    "suspect": false
}
Parameter Description
name String value for the name of the character.
occupation String value for the occupation of the character.
date_of_birth String value for the date of birth.
suspect Boolean parameter. True if suspect, False if not.

Delete a character

To delete a character, you will need to pass the {id} of a character to the URL and make DELETE method request.

DELETE /api/characters/{id}

Locations

Retrieve all locations

To retrieves all existing locations in the database.

GET /api/locations/

[
    {
        "id": 1,
        "name": "Los Pollos Hermanos",
        "longitude": 35.065442792232716,
        "latitude": -106.6444840309555,
        "created": "2023-02-09T22:04:32.441106Z",
        "character": {
            "id": 2,
            "name": "Tuco Salamanca",
            "details": "http://localhost:8000/api/characters/2"
        }
    },
]

Retrieve a single location

To retrieve a single location, pass the locations ID to the endpoint.

GET /api/locations/{id}

Create a new location

You can use the POST method to /locations/ endpoint to create a new location.

POST /api/locations/

Creation parameters

You will need to pass the following parameters in the query, to successfully create a location:

{
    "name": "string",
    "longitude": float,
    "latitude": float,
    "character": integer
}
Parameter Description
name The name of the location.
longitude Longitude of the location.
latitude Latitude of the location.
character This is the id of a character. It is basically ForeignKey relation to the Character model.

Note: Upon creation of an entry, the Longitude and the Latitude will be converted to a PointField() type of field in the model and stored as a calculated geographical value under the field coordinates, in order for the location coordinates to be eligible for GeoDjango operations.

Location ordering

Ordering of the locations can be done by providing the parameters for the longitude and latitude coordinates for a single point, and a radius (in meters). This will return all of the locations stored in the database, that are in the provided radius from the provided point (coordinates).

GET /api/locations/?longitude={longitude}&latitude={latitude}&radius={radius}

Parameter Description
longitude The longitude parameter of the radius point.
latitude The latitude parameter of the radius point.
radius The radius parameter (in meters).

Additionally, you can add the parameter ascending with values 1 or 0 to order the results in ascending or descending order.

GET /api/locations/?longitude={longitude}&latitude={latitude}&radius={radius}&ascending={1 / 0}

Parameter Description
&ascending=1 Order the results in ascending order by passing 1 as a value.
&ascending=0 Order the results in descending order by passing 0 as a value.

Locaton filtering

To filter the locations, you can use the parameters in the table below. Case insensitive.

GET /api/locations/?character={text}

Parameter Description
/?name={text} Filter the results by location name. It can be any length and case insensitive.
/?character={text} Filter the results by character. It can be any length and case insensitive.
/?created={timeframe} Filter the results by when they were created. Options: today, yesterday, week, month & year.

Note: You can combine filtering parameters with ordering parameters. Just keep in mind that if you filter by any of these fields above and want to use the ordering parameters, you will always need to pass longitude, latitude and radius altogether. Additionally, if you need to use ascending parameter for ordering, this parameter can't be passed without longitude, latitude and radius as well.

Update a location

To update a location, you will need to pass the {id} of locations to the URL and make a PUT method request with the parameters in the table below.

PUT /api/locations/{id}

{
    "id": 1,
    "name": "Los Pollos Hermanos",
    "longitude": 35.065442792232716,
    "latitude": -106.6444840309555,
    "created": "2023-02-09T22:04:32.441106Z",
    "character": {
        "id": 2,
        "name": "Tuco Salamanca",
        "occupation": "Grandpa Keeper",
        "date_of_birth": "1975",
        "suspect": true
    }
}
Parameter Description
name String value for the name of the location.
longitude Float value for the longitude of the location.
latitude Float value for the latitude of the location.

Delete a location

To delete a location, you will need to pass the {id} of a location to the URL and make a DELETE method request.

DELETE /api/locations/{id}

릴리스 선언문 이 글은 https://dev.to/ognard/hunting-heisenberg-with-django-rest-framework-3om6?1에서 복제됩니다.1 침해 내용이 있는 경우, [email protected]으로 연락하여 삭제하시기 바랍니다.
최신 튜토리얼 더>
  • EchoAPI와 불면증: 실제 사례를 통한 종합 비교
    EchoAPI와 불면증: 실제 사례를 통한 종합 비교
    풀 스택 개발자로서 저는 API 디버깅, 테스트, 문서화를 위한 최고의 도구를 보유하는 것이 얼마나 중요한지 알고 있습니다. EchoAPI와 Insomnia는 두 가지 뛰어난 옵션으로 각각 고유한 기능과 기능을 갖추고 있습니다. 이러한 도구를 안내하고, 기능과 이점을 ...
    프로그램 작성 2024-11-02에 게시됨
  • 이동 시간 및 기간 | 프로그래밍 튜토리얼
    이동 시간 및 기간 | 프로그래밍 튜토리얼
    소개 이 랩의 목표는 Go의 시간 및 기간 지원에 대한 이해도를 테스트하는 것입니다. 시간 아래 코드에는 Go에서 시간과 기간을 사용하는 방법에 대한 예가 포함되어 있습니다. 그러나 코드의 일부가 누락되었습니다. 귀하의 임무는 예상대로 작...
    프로그램 작성 2024-11-02에 게시됨
  • 호이스팅 면접 질문 및 답변
    호이스팅 면접 질문 및 답변
    1. 자바스크립트에서 호이스팅이란 무엇인가요? 답변: 호이스팅은 변수와 함수에 메모리가 할당되는 실행 컨텍스트 생성 단계의 프로세스입니다. 이 프로세스 동안 변수에 대한 메모리가 할당되고 변수에는 정의되지 않은 값이 할당됩니다. 함수의 경우 전체 함수 ...
    프로그램 작성 2024-11-02에 게시됨
  • JavaScript의 DOM(문서 개체 모델) 이해
    JavaScript의 DOM(문서 개체 모델) 이해
    안녕하세요, 놀라운 JavaScript 개발자 여러분? 브라우저는 스크립트(특히 JavaScript)가 웹 페이지 레이아웃과 상호 작용할 수 있도록 하는 DOM(문서 개체 모델)이라는 프로그래밍 인터페이스를 제공합니다. 페이지의 구성 요소를 개체로 배열...
    프로그램 작성 2024-11-02에 게시됨
  • SPRING BATCH로 프로그래밍 시작
    SPRING BATCH로 프로그래밍 시작
    Introduction Dans vos projets personnels ou professionnels, Il vous arrive de faire des traitements sur de gros volumes de données. Le traite...
    프로그램 작성 2024-11-02에 게시됨
  • CSS로 Github 프로필을 돋보이게 만드세요
    CSS로 Github 프로필을 돋보이게 만드세요
    이전에는 Github 프로필을 맞춤 설정할 수 있는 유일한 방법은 사진을 업데이트하거나 이름을 변경하는 것이었습니다. 이는 모든 Github 프로필이 동일해 보이고 이를 사용자 정의하거나 눈에 띄게 하는 옵션이 최소화되었음을 의미합니다. 이후부터 Markdown을 사용...
    프로그램 작성 2024-11-02에 게시됨
  • TypeScript 유틸리티 유형: 코드 재사용성 향상
    TypeScript 유틸리티 유형: 코드 재사용성 향상
    TypeScript는 개발자가 유형을 효과적으로 변환하고 재사용할 수 있는 내장 유틸리티 유형을 제공하여 코드를 더욱 유연하고 DRY하게 만듭니다. 이 기사에서는 TypeScript 기술을 다음 단계로 끌어올리는 데 도움이 되는 Partial, Pick, Omit 및 ...
    프로그램 작성 2024-11-02에 게시됨
  • 텔레그램 window.open(url, &#_blank&#); iOS에서는 이상하게 작동합니다
    텔레그램 window.open(url, &#_blank&#); iOS에서는 이상하게 작동합니다
    텔레그램 봇을 만들고 있는데 미니앱의 일부 정보를 채팅으로 전달하는 옵션을 추가하고 싶습니다. 나는 window.open(url, '_blank');를 사용하기로 결정했습니다. iPhone에서 사용해 보기 전까지는 잘 작동했습니다. 전달하는 대신 공유 기...
    프로그램 작성 2024-11-02에 게시됨
  • 프론트엔드 개발자는 누구인가요?
    프론트엔드 개발자는 누구인가요?
    오늘날 인터넷상의 모든 웹사이트나 플랫폼의 사용자 인터페이스 부분은 프런트 엔드 개발자의 작업 결과입니다. 이들은 사용자 친화적인 인터페이스를 만드는 데 참여하여 사이트의 모양과 기능을 보장합니다. 그렇다면 프론트엔드 개발자는 정확히 누구일까요? 간단하게 설명드리겠습니...
    프로그램 작성 2024-11-02에 게시됨
  • 보존된 CSS 스타일을 사용하여 HTML 콘텐츠를 PDF로 저장하는 방법은 무엇입니까?
    보존된 CSS 스타일을 사용하여 HTML 콘텐츠를 PDF로 저장하는 방법은 무엇입니까?
    CSS가 포함된 HTML 콘텐츠를 PDF로 저장웹 개발에서는 콘텐츠를 다른 형식으로 내보낼 때에도 시각적 미학을 유지하는 것이 중요합니다. 변환 프로세스 중에 CSS 스타일이 손실될 수 있으므로 HTML 요소를 PDF로 저장하려고 할 때 문제가 발생할 수 있습니다.저장...
    프로그램 작성 2024-11-02에 게시됨
  • Print_r()을 사용할 때 왜 팬텀 속성이 DateTime 객체에 추가됩니까?
    Print_r()을 사용할 때 왜 팬텀 속성이 DateTime 객체에 추가됩니까?
    Print_r() DateTime 객체 변경Print_r()는 DateTime 객체에 속성을 추가하여 디버깅 중에 자체 검사를 활성화합니다. PHP 5.3에 도입된 내부 기능의 부작용인 이 동작은 텍스트에 덤프된 인스턴스에 가상 공용 속성을 할당합니다.이러한 속성으로 ...
    프로그램 작성 2024-11-02에 게시됨
  • C의 데이터 구조 및 알고리즘: 초보자에게 친숙한 접근 방식
    C의 데이터 구조 및 알고리즘: 초보자에게 친숙한 접근 방식
    C에서는 데이터 구조와 알고리즘을 사용하여 데이터를 구성, 저장 및 조작합니다. 데이터 구조: 배열: 정렬된 컬렉션, 요소에 액세스하기 위해 인덱스 사용 연결 목록: 포인터를 통해 요소 연결, 동적 길이 지원 스택: FILO(선입선출) 원칙 큐: FIFO(선입선출) 원...
    프로그램 작성 2024-11-02에 게시됨
  • ## `has_key()` 또는 `in`?  Python에서 사전 키를 확인하는 가장 좋은 방법은 무엇입니까?
    ## `has_key()` 또는 `in`? Python에서 사전 키를 확인하는 가장 좋은 방법은 무엇입니까?
    Python에서 사전 키 확인을 위해 'has_key()'와 'in' 중에서 선택 Python 사전의 특정 키, 'has_key()' 및 'in' 모두 실행 가능한 옵션을 제공합니다. 그러나 선호되는 방법은 시간...
    프로그램 작성 2024-11-02에 게시됨
  • AJAX를 사용하여 JSON 데이터를 PHP로 보내는 방법은 무엇입니까?
    AJAX를 사용하여 JSON 데이터를 PHP로 보내는 방법은 무엇입니까?
    Ajax를 사용하여 JSON 데이터를 PHP로 전송하는 방법JSON 형식으로 PHP 스크립트에 데이터를 전달하려면 다음이 중요합니다. AJAX를 사용하여 효과적으로 데이터를 보낼 수 있습니다.JSON 데이터 보내기제공된 코드는 AJAX를 사용하여 JSON 데이터를 보내...
    프로그램 작성 2024-11-02에 게시됨
  • JS: 약속인가, 콜백인가?
    JS: 약속인가, 콜백인가?
    JavaScript의 Promise와 Callback 이해하기 인증 테스트에 대한 주요 질문 및 답변 콜백 함수란 무엇이며 일반 함수와 어떻게 다릅니까? 콜백 함수는 다른 함수에 인수로 전달되고 비동기 작업을 처리하기 위해 호출됩니다. 일...
    프로그램 작성 2024-11-02에 게시됨

부인 성명: 제공된 모든 리소스는 부분적으로 인터넷에서 가져온 것입니다. 귀하의 저작권이나 기타 권리 및 이익이 침해된 경우 자세한 이유를 설명하고 저작권 또는 권리 및 이익에 대한 증거를 제공한 후 이메일([email protected])로 보내주십시오. 최대한 빨리 처리해 드리겠습니다.

Copyright© 2022 湘ICP备2022001581号-3