covid-vaccine-availability-using-flask-server

使用烧瓶服务器获得 Covid 疫苗

原文:https://www . geesforgeks . org/co vid-疫苗-可用性-使用-烧瓶-服务器/

在本文中,我们将使用 Flask Server 构建 Covid 疫苗可用性检查器。

我们都知道,整个世界都在遭受疫情病毒的折磨,唯一能帮助我们摆脱这种局面的就是大规模疫苗接种。但正如我们所知,由于该国人口众多,在我们附近地区很难找到疫苗。因此,现在技术进入了我们的视野,我们将建立自己的 covid 疫苗可用性检查器,它可以发现我们附近地区的疫苗可用性。

我们将使用一些 python 库来查找疫苗的可用性,并使用烧瓶服务器显示它们。将来,您也可以将其部署在实时服务器上。首先,我们必须使用下面的命令安装 python Flask 包:

pip install flask

安装 python 烧瓶包后,打开 Pycharm 或任何 IDE(最好是 Visual Studio 代码)并创建一个新项目。之后制作一个主 python 文件 app.py 和两个名为模板的文件夹,另一个是静态(文件夹名称必须和写的一样)。

下面是代表项目目录结构的图片。

外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传

分步实施

步骤 1: 在第一步中,我们必须导入 python 库,我们将在项目中进一步使用这些库。另外,制作一个 Flask 服务器的应用程序。

计算机编程语言

from flask import Flask,request,session,render_template
import requests,time
from datetime import datetime,timedeltaapp = Flask(__name__)

步骤 2: 添加路由来处理客户端请求。

蟒蛇 3

@app.route('/')
def home():# rendering the homepage of projectreturn render_template("index.html")@app.route('/CheckSlot')
def check():# for checking the slot available or not# fetching pin codes from flaskpin = request.args.get("pincode")# fetching age from flaskage = request.args.get("age")data = list()# finding the slotresult = findSlot(age, pin, data)if(result == 0):return render_template("noavailable.html")return render_template("slot.html", data=data)

**第三步:**这是我们项目的主要步骤,找到疫苗的可用性(findslot()函数,将做以下事情):

  • 首先从 python 的 DateTime 库中获取年龄、pin 和查找日期等参数。
  • 从 cowin 官方网站上删除数据,如疫苗剂量、疫苗接种中心、可用性、疫苗类型和价格等。
  • 将所有数据存储在 python 列表中。

蟒蛇 3

def findSlot(age,pin,data):flag = 'y'num_days =  2actual = datetime.today()list_format = [actual + timedelta(days=i) for i in range(num_days)]actual_dates = [i.strftime("%d-%m-%Y") for i in list_format]while True:counter = 0for given_date in actual_dates:# cowin website Api for fetching the dataURL = "https://cdn-api.co-vin.in/api/v2/appointment/sessions/public/calendarByPin?pincode={}&date={}".format(pin, given_date)header = {'User-Agent': 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/56.0.2924.76 Safari/537.36'}# Get the results in json format.result = requests.get(URL,headers = header)if(result.ok):response_json = result.json()if(response_json["centers"]):# Checking if centres available or notif(flag.lower() == 'y'):for center in response_json["centers"]:# For Storing all the centre and all parametersfor session in center["sessions"]:# Fetching the availability in particular sessiondatas = list()# Adding the pincode of area in listdatas.append(pin)# Adding the dates available in listdatas.append(given_date)# Adding the centre name in listdatas.append(center["name"])# Adding the block name in listdatas.append(center["block_name"])# Adding the vaccine cost type whether it is# free or chargable.datas.append(center["fee_type"])# Adding the available capacity or amount of # doses in listdatas.append(session["available_capacity"])if(session["vaccine"]!=''):datas.append(session["vaccine"])counter =counter + 1# Add the data of particular centre in data list.if(session["available_capacity"]>0):data.append(datas)else:print("No response")if counter == 0:return 0return 1

下面是 app.py 的完整实现

蟒蛇 3

from flask import Flask,request,session,render_template
import requests,time
from datetime import datetime,timedeltaapp = Flask(__name__)@app.route('/')
def home():return render_template("index.html")@app.route('/CheckSlot')
def check():# fetching pin codes from flaskpin = request.args.get("pincode")# fetching age from flaskage = request.args.get("age")data = list()# finding the slotresult = findSlot(age,pin,data)if(result == 0):return render_template("noavailable.html") return render_template("slot.html",data = data)def findSlot(age,pin,data):flag = 'y'num_days =  2actual = datetime.today()list_format = [actual + timedelta(days=i) for i in range(num_days)]actual_dates = [i.strftime("%d-%m-%Y") for i in list_format]# print(actual_dates)while True:counter = 0for given_date in actual_dates:# cowin website Api for fetching the dataURL = "https://cdn-api.co-vin.in/api/v2/appointment/sessions/public/calendarByPin?pincode={}&date={}".format(pin, given_date)header = {'User-Agent': 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/56.0.2924.76 Safari/537.36'}# Get the results in json format.result = requests.get(URL,headers = header)if(result.ok):response_json = result.json()if(response_json["centers"]):# Checking if centres available or notif(flag.lower() == 'y'):for center in response_json["centers"]:# For Storing all the centre and all parametersfor session in center["sessions"]:# Fetching the availability in particular sessiondatas = list()# Adding the pincode of area in listdatas.append(pin)# Adding the dates available in listdatas.append(given_date)# Adding the centre name in listdatas.append(center["name"])# Adding the block name in listdatas.append(center["block_name"])# Adding the vaccine cost type whether it is# free or chargable.datas.append(center["fee_type"])# Adding the available capacity or amount of # doses in listdatas.append(session["available_capacity"])if(session["vaccine"]!=''):datas.append(session["vaccine"])counter =counter + 1# Add the data of particular centre in data list.if(session["available_capacity"]>0):data.append(datas)else:print("No response")if counter == 0:return 0return 1if __name__ == "__main__":app.run()

步骤 4: 现在在模板文件夹中制作三个文件。

  • index.html: 显示项目主页,用于输入年龄和 pin 码。
  • slot.html: 在页面上显示数据。
  • 不可用. html: 如果疫苗在任何中心都找不到,那么-没有可用页面。

index.html 码

超文本标记语言

<!doctype html>
<html lang="en"><head><!-- Required meta tags --><meta charset="utf-8"><meta name="viewport" content="width=device-width, initial-scale=1"><!-- Bootstrap CSS --><link href="https://cdn.jsdelivr.net/npm/bootstrap@5.0.1/dist/css/bootstrap.min.css" rel="stylesheet"integrity="sha384-+0n0xVW2eSR5OomGNYDnhzAbDsOXxcvSN1TPprVMTNDbiYZCxYbOOl7+AMvyTG2x" crossorigin="anonymous"><link rel="stylesheet" href="/static/img/style.css"><title>Covid Vaccination Slots</title></head><body><h2 class="text-center" style="background-color: rgb(2, 2, 2);padding: 5px;color: white;">Find Your Vaccination Slots</h2><div class="container-fluid" style="margin-top: 0px;"><div id="carouselExampleControls" class="carousel slide" data-bs-ride="carousel"><div class="carousel-inner"><div class="carousel-item active" style="height: 350px"><img src="/static/img/geeks.png" class="d-block w-100" alt="..."></div><div class="carousel-item" style="height: 350px"><img src="/static/img/geeks.png"class="d-block w-100" alt="..."></div><!-- <div class="carousel-item"  style="height: 400px"><img src="/static/img/cor.jpeg" class="d-block w-100" alt="..."></div> --></div><button class="carousel-control-prev" type="button" data-bs-target="#carouselExampleControls"data-bs-slide="prev"><span class="carousel-control-prev-icon" aria-hidden="true"></span><span class="visually-hidden">Previous</span></button><button class="carousel-control-next" type="button" data-bs-target="#carouselExampleControls"data-bs-slide="next"><span class="carousel-control-next-icon" aria-hidden="true"></span><span class="visually-hidden">Next</span></button></div></div><h2 style="text-align: center;margin-top: 50px;">Enter Your Credentials here </h2><div style="margin-left: 620px;margin-top: 10px;"><form class="formed" action="/CheckSlot"><Label>Pincode</Label><input type="text" name="pincode" placeholder="Enter Your Pincode Here" style="padding: 10px;margin: 5px 5px;border-radius: 5px;"><br><Label>Age</Label><input type="number" name="age" placeholder="Enter Your Age Here" style="padding: 10px;margin: 5px 33px;border-radius: 5px;"><br><input type="submit" style="margin-top: 20px;margin-bottom: 30px;background-color: rgb(26, 151, 224);color: white;padding: 8px;border: 5px;" name="submit" value="Search"></form></div><!-- Optional JavaScript; choose one of the two! --><!-- Option 1: Bootstrap Bundle with Popper --><script src="https://cdn.jsdelivr.net/npm/bootstrap@5.0.1/dist/js/bootstrap.bundle.min.js"integrity="sha384-gtEjrD/SeCtmISkJkNUaaKMoLD0//ElJ19smozuHV6z3Iehds+3Ulb9Bn9Plx0x4"crossorigin="anonymous"></script><!-- Option 2: Separate Popper and Bootstrap JS --><!--<script src="https://cdn.jsdelivr.net/npm/@popperjs/core@2.9.2/dist/umd/popper.min.js" integrity="sha384-IQsoLXl5PILFhosVNubq5LC7Qb9DXgDA9i+tQ8Zj3iwWAwPtgFTxbJ8NT4GN1R8p" crossorigin="anonymous"></script><script src="https://cdn.jsdelivr.net/npm/bootstrap@5.0.1/dist/js/bootstrap.min.js" integrity="sha384-Atwg2Pkwv9vp0ygtn1JAojH0nYbwNJLPhwyoVbhoPwBhjQPR5VtM2+xf0Uwh9KtT" crossorigin="anonymous"></script>--></body>
</html>

插槽. html

超文本标记语言

<!DOCTYPE html>
<html lang="en"><head><meta charset="UTF-8"><meta http-equiv="X-UA-Compatible" content="IE=edge"><meta name="viewport" content="width=device-width, initial-scale=1.0"><link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.4.1/css/bootstrap.min.css"><title>Covid Vaccination Slots</title></head><body><h1 style="text-align: center;background-color: black;color: white;">Vaccination Slots Availability</h1><br><br><br><br><div><!-- {% for item in data%}{% endfor %} --><table class="table table-hover" style="background-color: aqua;"><thead><tr><th>Pincode</th><th>Date</th><th>Vaccination Center Name</th><th>BlockName</th><th>Price</th><th>Available Capacity</th><th>Vaccine Type</th></tr></thead><tbody>{% for item in data%}<tr><td>{{item[0]}}</td><td>{{item[1]}}</td><td>{{item[2]}}</td><td>{{item[3]}}</td><td>{{item[4]}}</td><td>{{item[5]}}</td><td>{{item[6]}}</td></tr>{% endfor %}</tbody></table></div><h3 style="margin-top: 50px;text-align: center;"><a href = "https://www.cowin.gov.in/home">Visit Government Website for Booking Slot</a></h1></body>
</html>

不可操作. html

超文本标记语言

<!DOCTYPE html>
<html lang="en"><head><meta charset="UTF-8"><meta http-equiv="X-UA-Compatible" content="IE=edge"><meta name="viewport" content="width=device-width, initial-scale=1.0"><title>No Availablity</title></head><p style="text-align: center;font-size: 150px;color: rgb(255, 136, 0);">Sorry !</p><body><h1 style="text-align: center;color: red;margin: 0 auto;">No Available Vaccine Slots</h1></body>
</html>

将图像或其他文件(如果有)添加到静态文件夹中。

https://media.geeksforgeeks.org/wp-content/uploads/20210831095055/Covid-vaccination.mp4

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/66087.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

设计模式从入门到精通之(三)单例模式

单例模式&#xff1a;只留一份独特的存在 在现代软件设计中&#xff0c;有些对象是必须确保"独一无二"的&#xff0c;比如程序中的配置管理器、线程池、数据库连接等。如果允许这些对象被反复创建&#xff0c;不仅会浪费系统资源&#xff0c;还可能导致程序逻辑出错。…

WordPress Crypto 插件 身份认证绕过漏洞复现(CVE-2024-9989)

0x01 产品简介 WordPress Crypto插件是指那些能够为WordPress网站提供加密货币支付、信息显示或交易功能的插件。这些插件通常与WordPress电子商务插件(如WooCommerce)集成,使网站能够接受多种加密货币支付,或展示加密货币实时信息。支持多种加密货币支付,付款直接进入钱…

hashMap追问

HashMap 7/8区别 不同点&#xff1a; &#xff08;1&#xff09;JDK1.7用的是头插法&#xff0c;而JDK1.8及之后使用的都是尾插法&#xff0c;那么他们为什么要这样做呢&#xff1f;因为JDK1.7是用单链表进行的纵向延伸&#xff0c;当采用头插法时会容易出现逆序且环形链表死…

网络安全:路由技术

概述 路由技术到底研究什么内容 研究路由器寻找最佳路径的过程 路由器根据最佳路径转发数据包 知识点&#xff0c;重要OSRF,BGP1.静态路由原理 路由技术分类 静态路由和动态路由技术 静态路由&#xff1a;是第一代路由技术&#xff0c;由网络管理员手工静态写路由/路径告知路…

IIS设置IP+端口号外网无法访问的解决方案

在IIS将站点设置为IP端口访问&#xff0c;假设端口为8080&#xff0c;设好后&#xff0c;服务器上可以访问&#xff0c;外网无法访问。 通常是端口8080没有加入【入站规则】的缘故&#xff0c;将8080端口加入【入站规则】即可&#xff0c;操作如下&#xff1a; 一、ctrlr 输入 …

使用 apply 方法将其他列的值传入 DataFrame 或 Series 的函数,来进行更灵活的计算或操作

可以使用 apply 方法将其他列的值传入 DataFrame 或 Series 的函数&#xff0c;来进行更灵活的计算或操作。apply 方法允许你逐行或逐列地对 DataFrame 或 Series 的元素进行操作&#xff0c;而且你可以将其他列的值作为参数传递给函数。 示例&#xff1a;使用 apply 结合其他…

计算机毕业设计Django+Tensorflow音乐推荐系统 音乐可视化 卷积神经网络CNN LSTM音乐情感分析 机器学习 深度学习 Flask

温馨提示&#xff1a;文末有 CSDN 平台官方提供的学长联系方式的名片&#xff01; 温馨提示&#xff1a;文末有 CSDN 平台官方提供的学长联系方式的名片&#xff01; 温馨提示&#xff1a;文末有 CSDN 平台官方提供的学长联系方式的名片&#xff01; 作者简介&#xff1a;Java领…

高速网络数据包处理中的内核旁路技术

该PPT详细介绍了Linux网络栈中数据包的传输路径、内核旁路技术的必要性以及具体的内核旁路技术&#xff0c;包括用户空间数据包处理和用户空间网络栈。主要内容概述&#xff1a; 数据包在Linux网络栈中的旅程&#xff1a;描述了数据包从发送到接收的完整路径&#xff0c;包括各…

el-form+el-date-picker组合使用时候的回显问题

背景 我有弹窗创建任务时间的需求&#xff0c;同时也可以修改任务时间&#xff0c;所以复用了弹窗和表单&#xff0c;但在表单里使用日期时间组件的时候&#xff0c;发现了问题 问题描述&#xff1a;在表单中使用form的属性绑定日期时间选择器的v-model&#xff0c;会出现的两…

分布式光伏规模界点为什么是6MW?

多省能源局规定大于6MW的电站必须按集中式管理&#xff0c;另外大于6MW&#xff08;包含&#xff09;要省级审批&#xff0c;小于则由市级审批&#xff0c;10kV线路单回接入容量也是6MW&#xff0c;很多电厂发电机装机容量也是以6MW为界点。这是什么原因呢&#xff1f; 配电网…

[2474].第04节:Activiti官方画流程图方式

我的后端学习大纲 Activiti大纲 1.安装位置&#xff1a; 2.启动&#xff1a;

Qt从入门到入土(七)-实现炫酷的登录注册界面(下)

前言 Qt从入门到入土&#xff08;六&#xff09;-实现炫酷的登录注册界面&#xff08;上&#xff09;主要讲了如何使用QSS样式表进行登录注册的界面设计&#xff0c;本篇文章将介绍如何对登录注册界面进行整体控件的布局&#xff0c;界面的切换以及实现登录、记住密码等功能。…

在 macOS 上,你可以使用系统自带的 终端(Terminal) 工具,通过 SSH 协议远程连接服务器

文章目录 1. 打开终端2. 使用 SSH 命令连接服务器3. 输入密码4. 连接成功5. 使用密钥登录&#xff08;可选&#xff09;6. 退出 SSH 连接7. 其他常用 SSH 选项8. 常见问题排查问题 1&#xff1a;连接超时问题 2&#xff1a;权限被拒绝&#xff08;Permission denied&#xff09…

关于大一上的总结

大一上总结 前言 源于学长们都喜欢写总结&#xff0c;今晚也正好听见一首有点触动心灵的歌&#xff0c;深有感慨&#xff0c;故来此写下这篇总结 正文 1.暑假前的准备 暑假之前姑且还是学习了基本的C语法&#xff0c;大概是到了结构体的地方&#xff0c;进度很慢&#xff0…

Spring Cloud Gateway-自定义异常处理

参考 https://blog.csdn.net/suyuaidan/article/details/132663141&#xff0c;写法不同于注入方式不一样 ErrorWebFluxAutoConfiguration Configuration(proxyBeanMethods false) ConditionalOnWebApplication(type ConditionalOnWebApplication.Type.REACTIVE) Condition…

121.【C语言】数据结构之快速排序(未优化的Hoare排序存在的问题)以及时间复杂度的分析

目录 1.未优化的Hoare排序存在的问题 测试代码 "量身定制"的测试代码1 运行结果 "量身定制"的测试代码2 运行结果 "量身定制"的测试代码3 运行结果 分析代码1、2和3栈溢出的原因 排有序数组的分析 分析测试代码1:给一个升序数组,要求排…

如何使用 `uiautomator2` 控制 Android 设备并模拟应用操作_VIVO手机

在 Android 自动化测试中,uiautomator2 是一个非常强大的工具,能够帮助我们通过 Python 控制 Android 设备执行各种操作。今天,我将通过一个简单的示例,介绍如何使用 uiautomator2 控制 Android 设备,执行特定的应用启动、广告跳过以及其他 UI 操作。此示例的目标是自动化…

Swift Combine 学习(七):实践应用场景举例

Swift Combine 学习&#xff08;一&#xff09;&#xff1a;Combine 初印象Swift Combine 学习&#xff08;二&#xff09;&#xff1a;发布者 PublisherSwift Combine 学习&#xff08;三&#xff09;&#xff1a;Subscription和 SubscriberSwift Combine 学习&#xff08;四&…

使用 PyInstaller 和 hdiutil 打包 Tkinter 应用为 macOS 可安装的 DMG 文件

在这篇文章中&#xff0c;我们将逐步演示如何将基于 Python 的 Tkinter 应用程序打包成一个 macOS .app 文件&#xff0c;并将其封装为 .dmg 文件&#xff0c;供用户安装。 环境准备 在开始之前&#xff0c;请确保您的开发环境满足以下条件&#xff1a; macOS 系统。安装了 …

DC-2 靶场渗透

目录 环境搭建 开始渗透 扫存活 扫端口 扫服务 看一下80端口 看一下指纹信息 使用wpscan扫描用户名 再使用cewl生成字典 使用wpscan爆破密码 登陆 使用7744端口 查看shell rbash绕过 切换到jerry用户 添加环境变量 现在可以使用su命令了 提权 使用git提权 环…