[python][Django] Python Package Trends: Visualize Package Download Stats in Django

Use Django to visualize download stats of Python packages and gain insights into package popularity and usage trends
In this tip, you will learn how to use Django to visualize the download stats of Python packages and gain insights into package popularity and usage trends using pypistats API and CanvasJS Python charts.

 

 pypi_download_stats.zip

Introduction

PyPi is an official package repository for Python and serves as go to tool for developer to install packages required for your application. PyPi contains over 400 thousand packages. Choosing a better package among similar packages becomes a great challenge. By analyzing package download trends, we will have better understanding of the popularity of packages, which are being maintained and which ones are losing its ground. In this article, we will discover how to use Django and pypistats API for showing download trends of Python packages.

python-package-download-trend-django-r-700.png

 

Prerequisites

Project Setup

Create a new django project & a new app within the project:

PowerShell
$ django-admin startproject pypi_download_stats
$ python manage.py startapp download_stats_app 

Install pypistats package that provides API to fetch the download data for given package.

PowerShell
$ pip install pypistats

Fetching the Data

In views.py file, we will define view(get_download_stats) which will return download data received from pypistats.overall API for any given packages in JSON format.

Python
from django.http import HttpResponse, JsonResponse
import pypistats, json

def get_download_stats(request):
  if request.method == "POST":
    post_body = json.loads(request.body)
    package_name = post_body.get("packageName")
    if(package_name != ""):
      try:
        json_data = json.loads(pypistats.overall
                    (package_name, total=True, format="json"))
        filtered_data = { "with_mirrors": [], "without_mirrors": []}
        for stats in json_data['data']:
          filtered_data[stats['category']].append
          ({k:v for (k,v) in stats.items() if ('downloads' in k or 'date' in k)})
        return JsonResponse({ 'data': filtered_data, 'package': json_data['package'] })
      except:
        return HttpResponse(json.dumps({
          "error": package_name + " Package doesnot exist"
        }), content_type="application/json")  

  return HttpResponse(json.dumps({
          "error": "Method Not Supported"
      }), content_type="application/json")

Create Download Trend Chart

Create a template index.html which contains form which takes package name as input to pass it on view for getting download data of the package. Along with form, we will add a chart container and include CanvasJS script in it.

HTML
<!-- index.html -->
<div class="content">
  <section>
    <header>
      <h2 class="text-center">PyPi Download Stats</h2>
    </header>
    <content>
      <form id="package-name" class="input-section" 
       action="{% url 'download_stats_app:index' %}" method="POST">
          {% csrf_token %}
          <input type="text" placeholder="Package name" 
           name="package-name" id="package-name" class=""/>
          <button type="submit">Show Stats</button>
      </form>
      <div class="messages" id="messages">
      </div>
    </content>
  </section>
  <section class="chart-section">
    <div id="chartContainer"></div>
  </section>
  </div>
<script src="https://canvasjs.com/assets/script/canvasjs.min.js"></script>
<script src="{% static 'assets/script.js' %}"></script>

Create script.js file in static directory to perform the ajax request and parse the data received for plotting the chart inside chart-container.

JavaScript
/* script.js */

//https://docs.djangoproject.com/en/4.1/howto/csrf/#using-csrf-protection-with-ajax
function getCookie(name) {
    let cookieValue = null;
    if (document.cookie && document.cookie !== '') {
        const cookies = document.cookie.split(';');
        for (let i = 0; i < cookies.length; i++) {
            const cookie = cookies[i].trim();
            // Does this cookie string begin with the name we want?
            if (cookie.substring(0, name.length + 1) === (name + '=')) {
                cookieValue = decodeURIComponent(cookie.substring(name.length + 1));
                break;
            }
        }
    }
    return cookieValue;
}

let csrftoken = getCookie('csrftoken');
let messageDOM = document.getElementById('messages');

function displayStats(packageName) {
    let requestOptions = {
        method: 'POST',
        headers: { 'Content-Type': 'application/json', 'X-CSRFToken': csrftoken },
        body: JSON.stringify({ packageName: packageName })
    };
    fetch("/downloads-stats/get-stats", requestOptions)
    .then(response => response.json())
    .then(dataArr => {
        if(dataArr.error) {
            chart.options.data.forEach(dataSeries => { dataSeries.dataPoints = [] })
            chart.options.title.text = ``;   
            chart.render();
            messageDOM.innerHTML = `<div class='error'>${dataArr.error}</div>`
            return;
        }

        let statsMirrosDataPoints = [], statsWithoutMirrosDataPoints = []
        dataArr.data["with_mirrors"].forEach( stat => {
            statsMirrosDataPoints.push({x: new Date(stat.date), y: stat.downloads})
        })
        dataArr.data["without_mirrors"].forEach( stat => {
            statsWithoutMirrosDataPoints.push({x: new Date(stat.date), y: stat.downloads})
        })
        messageDOM.innerHTML = '';
        chart.options.title.text = `Daily Download Stats for ${dataArr.package}`;
        chart.options.data[0].dataPoints = statsMirrosDataPoints;
        chart.options.data[1].dataPoints = statsWithoutMirrosDataPoints;
        chart.render();
    })
}

var chart = new CanvasJS.Chart("chartContainer", {
    theme: "light2",
    animationEnabled: true,
    title: {
      text: "With Mirror Download Stats for <Package:name>",
      fontFamily: "Poppins"
    },
    toolTip: {
      shared: true
    },
    legend: {
        cursor: "pointer",
        itemclick: hideUnhideDataSeries
    },
    data:[{
        type: "spline",
        xValueType: "dateTime",
        name: "With Mirrors",
        showInLegend: true,
        dataPoints: []
    },{
        type: "spline",
        xValueType: "dateTime",
        name: "Without Mirrors",
        showInLegend: true,
        dataPoints: []
    }]
});

function hideUnhideDataSeries(e) {
    if (typeof (e.dataSeries.visible) === "undefined" || e.dataSeries.visible) {
        e.dataSeries.visible = false;
    } else {
        e.dataSeries.visible = true;
    }
    e.chart.render();
}

document.getElementById("package-name").addEventListener('submit', function(e) {
    e.preventDefault();
    let formData = new FormData(e.target)
    let packageName = formData.get('package-name')
    if(packageName != "")
        displayStats(packageName);
});

In urls.py file, map the url with respective views.

경축! 아무것도 안하여 에스천사게임즈가 새로운 모습으로 재오픈 하였습니다.
어린이용이며, 설치가 필요없는 브라우저 게임입니다.
https://s1004games.com

Python
from django.urls import path
from . import views

app_name = 'download_stats_app'
urlpatterns = [
    path('', views.index, name='index'),
    path('get-stats', views.get_download_stats, name='get-stats'),
]

Run the application using runserver:

PowerShell
$ py manage.py runserver 

Ta-da, we have just created Django application to show the download trends of various package available in PyPi. To analyze the trends further, you can compare plotting the download trends for multiple packages, different range of data, etc. pypistats also provides API to get the download data for different versions of python, platform, etc. which can be used further for analyzing the package and choose the best among the different packages available.

History

  • 16th February, 2023: Initial version

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)

 

Written By
 
United States United States

 

This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

 

[출처] https://www.codeproject.com/Tips/5354696/Python-Package-Trends-Visualize-Package-Download-S

 

 

 

 

본 웹사이트는 광고를 포함하고 있습니다.
광고 클릭에서 발생하는 수익금은 모두 웹사이트 서버의 유지 및 관리, 그리고 기술 콘텐츠 향상을 위해 쓰여집니다.
번호 제목 글쓴이 날짜 조회 수
451 [Python 인터넷] 6 - href 연결하기 file 졸리운_곰 2023.03.26 5
450 [Python 인터넷] 5 - 다른 페이지 크롤링 file 졸리운_곰 2023.03.26 9
449 [Python 인터넷] 4 - flask에 css 적용하기 file 졸리운_곰 2023.03.26 7
448 [Python 인터넷] 3 - 크롤링한 데이터 html에 보여주기 file 졸리운_곰 2023.03.26 4
447 [Python 인터넷] 2 - flask 프로젝트 생성, 세팅 file 졸리운_곰 2023.03.26 4
446 [Python 인터넷] 1 - 트렌드 홈페이지 개발 개요 file 졸리운_곰 2023.03.26 5
445 [python][자료구조] [Python] Logging to MongoDB (로그 남기기) file 졸리운_곰 2023.03.24 3
444 [Python 인터넷] Python Python - 파이썬 REST API 통신 예제(POST 요청하기, 서버만들기) file 졸리운_곰 2023.03.21 4
» [python][Django] Python Package Trends: Visualize Package Download Stats in Django file 졸리운_곰 2023.03.18 14
442 [Python 데이터분석] [Python 환경설정] VS code 설치 및 Anaconda와 연동하기 file 졸리운_곰 2023.03.17 6
441 [Python 일반] 파이썬에서 프로그램 일시중지하는 세가지 방법 How to Pause in python 졸리운_곰 2023.03.17 22
440 [python][Django] Django Workflow and Architecture 장고 개발 워크플로우 및 구조 file 졸리운_곰 2023.03.12 1
439 [python][Django] DRF(장고 rest framework)와 REST API서버 개발 file 졸리운_곰 2023.03.12 15
438 [python][자료구조] [스파르타 웹 개발 종합] 파이썬으로 크롤링하고 DB에 저장하기(request, bs4, mongoDB 패키지 사용) 졸리운_곰 2023.03.12 2
437 [Python 인터넷] Using a Python HTTP Proxy Server to Simulate an API Gateway file 졸리운_곰 2023.03.11 23
436 [python][Django] [개념] Django는 Web Server가 아니라구요!! file 졸리운_곰 2023.03.11 57
435 [python][Django] [Django] Django Rest Framework에서 request 로깅하기 졸리운_곰 2023.03.11 1
434 [python][Django] Django REST Framework 졸리운_곰 2023.03.10 7
433 [python][Django] Django의 기본 개념 file 졸리운_곰 2023.03.10 3
432 [Python 인터넷] Django REST API 서버 만들기 file 졸리운_곰 2023.03.09 8
대표 김성준 주소 : 경기 용인 분당수지 U타워 등록번호 : 142-07-27414
통신판매업 신고 : 제2012-용인수지-0185호 출판업 신고 : 수지구청 제 123호 개인정보보호최고책임자 : 김성준 sjkim70@stechstar.com
대표전화 : 010-4589-2193 [fax] 02-6280-1294 COPYRIGHT(C) stechstar.com ALL RIGHTS RESERVED