高斯金字塔 拉普拉斯金字塔_金字塔学入门指南

高斯金字塔 拉普拉斯金字塔

The topic for today is on data validation and settings management using Python type hinting. We are going to use a Python package called pydantic which enforces type hints at runtime. It provides user-friendly errors, allowing you to catch any invalid data. Based on the official documentation, Pydantic is

今天的主题是有关使用Python类型提示的数据验证和设置管理。 我们将使用一个名为pydantic的Python程序包,该程序包在运行时会强制执行类型提示。 它提供了用户友好的错误,使您可以捕获任何无效数据。 根据官方文件,Pydantic是

“… primarily a parsing library, not a validation library. Validation is a means to an end: building a model which conforms to the types and constraints provided.

“…主要是解析库,而不是验证库。 验证是达到目的的一种手段:建立一个符合提供的类型和约束的模型。

In other words, pydantic guarantees the types and constraints of the output model, not the input data.”

换句话说,Pydantic保证了输出模型的类型和约束,而不是输入数据。”

There are three sections in this tutorial:

本教程分为三个部分:

  1. Setup

    建立
  2. Implementation

    实作
  3. Conclusion

    结论

Let’s proceed to the next section and start installing the necessary modules.

让我们继续下一节并开始安装必要的模块。

1.设定 (1. Setup)

It is highly recommended to create a virtual environment before you proceed with the installation.

强烈建议您在继续安装之前创建一个虚拟环境。

基本安装 (Basic installation)

Open up a terminal and run the following command to install pydantic

打开终端并运行以下命令以安装pydantic

pip install pydantic

升级现有软件包 (Upgrade existing package)

If you already have an existing package and would like to upgrade it, kindly run the following command:

如果您已经有一个现有软件包并想对其进行升级,请运行以下命令:

pip install -U pydantic

水蟒 (Anaconda)

For Anaconda users, you can install it as follows:

对于Anaconda用户,可以按以下方式安装:

conda install pydantic -c conda-forge

可选依赖项 (Optional dependencies)

pydantic comes with the following optional dependencies based on your needs:

pydantic根据您的需求附带以下可选依赖项:

  • email-validator — Support for email validation.

    email-validator支持电子邮件验证。

  • typing-extensions — Support use of Literal prior to Python 3.8.

    typing-extensions —支持在Python 3.8之前使用Literal

  • python-dotenv — Support for dotenv file with settings.

    python-dotenv —支持带有设置的dotenv文件。

You can install them manually:

您可以手动安装它们:

# install email-validator
pip install email-validator# install typing-extensions
pip install typing_extensions# install python-dotenv
pip install python-dotenv

or along with pydantic as follows:

或与pydantic一起使用,如下所示:

# install email-validator
pip install pydantic[email]# install typing-extensions
pip install pydantic[typing_extensions]# install python-dotenv
pip install pydantic[dotenv]# install all dependencies
pip install pydantic[email,typing_extensions,dotenv]

2.实施 (2. Implementation)

In this section, we are going to explore some of the useful functionalities available in pydantic.

在本节中,我们将探索pydantic可用的一些有用功能。

Defining an object in pydantic is as simple as creating a new class which inherits from theBaseModel. When you create a new object from the class, pydantic guarantees that the fields of the resultant model instance will conform to the field types defined on the model.

pydantic定义对象就像创建一个继承自BaseModel的新类一样简单。 当您从类中创建新对象时, pydantic确保生成的模型实例的字段将与模型上定义的字段类型一致。

进口 (Import)

Add the following import declaration at the top of your Python file.

在Python文件顶部添加以下导入声明。

from datetime import datetime
from typing import List, Optional
from pydantic import BaseModel

用户类别 (User class)

Declare a new class which inherits the BaseModel as follow:

声明一个继承了BaseModel的新类,如下所示:

class User(BaseModel):
id: int
username : str
password : str
confirm_password : str
alias = 'anonymous'
timestamp: Optional[datetime] = None
friends: List[int] = []

pydantic uses the built-in type hinting syntax to determine the data type of each variable. Let’s explore one by one what happens behind the scenes.

pydantic使用内置的类型提示语法来确定每个变量的数据类型。 让我们一一探讨幕后发生的事情。

  • id — An integer variable represents an ID. Since the default value is not provided, this field is required and must be specified during object creation. Strings, bytes, or floats will be coerced to integer if possible; otherwise, an exception will be raised.

    id —一个整数变量代表一个ID。 由于未提供默认值,因此此字段是必需的,并且必须在对象创建期间指定。 如果可能,字符串,字节或浮点数将被强制为整数; 否则,将引发异常。

  • username — A string variable represents a username and is required.

    username —一个字符串变量代表一个用户名,是必需的。

  • password — A string variable represents a password and is required.

    password —字符串变量代表密码,是必需的。

  • confirm_password — A string variable represents a confirmation password and is required. It will be used for data validation later on.

    confirm_password —字符串变量代表确认密码,是必需的。 稍后将用于数据验证。

  • alias — A string variable represents an alias. It is not required and will be set to anonymous if it is not provided during object creation.

    alias —字符串变量表示别名。 它不是必需的,如果在对象创建期间未提供,它将设置为匿名。

  • timestamp — A date/time field, which is not required. Default to None. pydantic will process either a unix timestamp int or a string representing the date/time.

    timestamp —日期/时间字段,不是必需的。 默认为无。 pydantic将处理unix时间戳int或代表日期/时间的字符串。

  • friends — A list of integer inputs.

    friends —整数输入的列表。

对象实例化 (Object instantiation)

The next step is to instantiate a new object from the User class.

下一步是从User类实例化一个新对象。

data = {'id': '1234', 'username': 'wai foong', 'password': 'Password123', 'confirm_password': 'Password123', 'timestamp': '2020-08-03 10:30', 'friends': [1, '2', b'3']}user = User(**data)

You should get the following output when you print out the user variable. You can notice that id has been automatically converted to an integer, even though the input is a string. Likewise, bytes are automatically converted to integers, as shown by the friends field.

打印出user变量时,应该获得以下输出。 您会注意到,即使输入是字符串, id也已自动转换为整数。 同样,字节会自动转换为整数,如friends字段所示。

id=1234 username='wai foong' password='Password123' confirm_password='Password123' timestamp=datetime.datetime(2020, 8, 3, 10, 30) friends=[1, 2, 3] alias='anonymous'

BaseModel下的方法和属性 (Methods and attributes under BaseModel)

Classes that inherit the BaseModel will have the following methods and attributes:

继承BaseModel类将具有以下方法和属性:

  • dict() — returns a dictionary of the model’s fields and values

    dict() —返回模型字段和值的字典

  • json() — returns a JSON string representation dictionary

    json() —返回一个JSON字符串表示字典

  • copy() — returns a deep copy of the model

    copy() —返回模型的深层副本

  • parse_obj() — a utility for loading any object into a model with error handling if the object is not a dictionary

    parse_obj() —如果对象不是字典,则用于通过错误处理将任何对象加载到模型中的实用程序

  • parse_raw() — a utility for loading strings of numerous formats

    parse_raw() —用于加载多种格式的字符串的实用程序

  • parse_field() — similar to parse_raw() but meant for files

    parse_field() -类似于parse_raw()但意味着文件

  • from_orm() — loads data into a model from an arbitrary class

    from_orm() —将数据从任意类加载到模型中

  • schema() — returns a dictionary representing the model as JSON schema

    schema() —返回一个将模型表示为JSON模式的字典

  • schema_json() — returns a JSON string representation of schema()

    schema_json() —返回schema()的JSON字符串表示形式

  • construct() — a class method for creating models without running validation

    construct() —一种无需运行验证即可创建模型的类方法

  • __fields_set__ — Set of names of fields which were set when the model instance was initialized

    __fields_set__ —初始化模型实例时设置的字段名称集

  • __fields__ — a dictionary of the model’s fields

    __fields__ —模型字段的字典

  • __config__ — the configuration class for the model

    __config__ —模型的配置类

Let’s change the input for id to a string as follows:

让我们将id的输入更改为字符串,如下所示:

data = {'id': 'a random string', 'username': 'wai foong', 'password': 'Password123', 'confirm_password': 'Password123', 'timestamp': '2020-08-03 10:30', 'friends': [1, '2', b'3']}user = User(**data)

You should get the following error when you run the code.

运行代码时,您应该得到以下错误。

value is not a valid integer (type=type_error.integer)

验证错误 (ValidationError)

In order to get better details on the error, it is highly recommended to wrap it inside a try-catch block, as follows:

为了获得有关错误的更好的详细信息,强烈建议将其包装在try-catch块中,如下所示:

from pydantic import BaseModel, ValidationError# ... codes for User classdata = {'id': 'a random string', 'username': 'wai foong', 'password': 'Password123', 'confirm_password': 'Password123', 'timestamp': '2020-08-03 10:30', 'friends': [1, '2', b'3']}try:
user = User(**data)
except ValidationError as e:
print(e.json())

It will print out the following JSON, which indicates that the input for id is not a valid integer.

它将输出以下JSON,它表示id的输入不是有效的整数。

[
{
"loc": [
"id"
],
"msg": "value is not a valid integer",
"type": "type_error.integer"
}
]

栏位类型 (Field types)

pydantic provides support for most of the common types from the Python standard library. The full list is as follows:

pydantic为Python标准库中的大多数常见类型提供支持。 完整列表如下:

  • bool

    布尔
  • int

    整型
  • float

    浮动
  • str

    力量
  • bytes

    个字节
  • list

    清单
  • tuple

    元组
  • dict

    字典
  • set

  • frozenset

    冰封
  • datetime.date

    datetime.date
  • datetime.time

    datetime.time
  • datetime.datetime

    datetime.datetime
  • datetime.timedelta

    datetime.timedelta
  • typing.Any

    打字
  • typing.TypeVar

    Type.TypeVar
  • typing.Union

    打字联盟
  • typing.Optional

    键入。可选
  • typing.List

    打字。清单
  • typing.Tuple

    键入。元组
  • typing.Dict

    打字。字典
  • typing.Set

    打字
  • typing.FrozenSet

    键入.FrozenSet
  • typing.Sequence

    打字顺序
  • typing.Iterable

    打字
  • typing.Type

    类型
  • typing.Callable

    打字
  • typing.Pattern

    打字模式
  • ipaddress.IPv4Address

    ipaddress.IPv4地址
  • ipaddress.IPv4Interface

    ipaddress.IPv4接口
  • ipaddress.IPv4Network

    ipaddress.IPv4网络
  • ipaddress.IPv6Address

    ipaddress.IPv6地址
  • ipaddress.IPv6Interface

    ipaddress.IPv6接口
  • ipaddress.IPv6Network

    ipaddress.IPv6网络
  • enum.Enum

    枚举
  • enum.IntEnum

    枚举
  • decimal.Decimal

    十进制。十进制
  • pathlib.Path

    路径库
  • uuid.UUID

    uuid.UUID
  • ByteSize

    字节大小

约束类型 (Constrained types)

You can enforce your own restriction via the Constrained Types. Let’s have a look at the following example:

您可以通过Constrained Types实施自己的限制。 让我们看下面的例子:

from pydantic import (
BaseModel,
NegativeInt,
PositiveInt,
conint,
conlist,
constr
)class Model(BaseModel):
# minimum length of 2 and maximum length of 10
short_str: constr(min_length=2, max_length=10) # regex
regex_str: constr(regex=r'^apple (pie|tart|sandwich)$') # remove whitespace from string
strip_str: constr(strip_whitespace=True)
# value must be greater than 1000 and less than 1024
big_int: conint(gt=1000, lt=1024)

# value is multiple of 5
mod_int: conint(multiple_of=5)

# must be a positive integer
pos_int: PositiveInt

# must be a negative integer
neg_int: NegativeInt
# list of integers that contains 1 to 4 items
short_list: conlist(int, min_items=1, max_items=4)

严格类型 (Strict types)

If you are looking for rigid restrictions which pass validation if and only if the validated value is of the respective type or is a subtype of that type, you can use the following strict types:

如果您正在寻找仅在经过验证的值属于相应类型或该类型的子类型时才通过验证的严格限制,则可以使用以下严格类型:

  • StrictStr

    严格的
  • StrictInt

    严格的
  • StrictFloat

    严格浮动
  • StrictBool

    严格布尔

The following example illustrates the proper way to enforce StrictBool in your inherited class.

以下示例说明了在继承的类中强制执行StrictBool的正确方法。

from pydantic import BaseModel, StrictBool,class StrictBoolModel(BaseModel):
strict_bool: StrictBool

The string ‘False’ will raise ValidationError as it will only accept either True or False as input.

字符串'False'将引发ValidationError,因为它仅接受TrueFalse作为输入。

验证器 (Validator)

Furthermore, you can create your own custom validators using the validator decorator inside your inherited class. Let’s have a look at the following example which determine if the id is of four digits and whether the confirm_password matches the password field.

此外,您可以使用继承的类中的validator装饰器来创建自己的自定义验证validator 。 让我们看下面的示例,该示例确定id是否为四位数,以及confirm_password是否与password字段匹配。

from datetime import datetime
from typing import List, Optional
from pydantic import BaseModel, ValidationError, validatorclass User(BaseModel):
id: int
username : str
password : str
confirm_password : str
alias = 'anonymous'
timestamp: Optional[datetime] = None
friends: List[int] = [] @validator('id')
def id_must_be_4_digits(cls, v):
if len(str(v)) != 4:
raise ValueError('must be 4 digits')
return v @validator('confirm_password')
def passwords_match(cls, v, values, **kwargs):
if 'password' in values and v != values['password']:
raise ValueError('passwords do not match')
return v

3.结论 (3. Conclusion)

Let’s recap what we have learned today.

让我们回顾一下我们今天学到的东西。

We started off with a detailed explanation on Pydantic which helps to parse and validate data.

我们从有关Pydantic的详细说明开始,该说明有助于解析和验证数据。

Next, we created a virtual environment and installed Pydantic via pip or conda. It also includes support for three additional dependencies based on our use cases.

接下来,我们创建了一个虚拟环境,并通过pip或conda安装了Pydantic。 它还包括根据我们的用例支持的三个附加依赖项。

Once we were done with the installation, we explored in-depth the basic functionalities provided by the package. The basic building block is to create a new class which inherits from BaseModel.

完成安装后,我们将深入探讨该软件包提供的基本功能。 基本构建块是创建一个继承自BaseModel的新类。

We learned that Pydantic provides support for most of the common data types under Python standard library. We tested out both the Constrained Types and Strict Types which helps to enforce our own custom restrictions.

我们了解到Pydantic在Python标准库下提供了对大多数常见数据类型的支持。 我们测试了Constrained TypesStrict Types ,这有助于实施我们自己的自定义限制。

Lastly, you played around with the validator decorator to allow only four digits input for id, and the confirm_password must match the password field.

最后,您与validator修饰器一起使用,仅允许输入4位数字作为idconfirm_password必须与password字段匹配。

Thanks for reading this piece. Hope to see you again in the next article!

感谢您阅读本文。 希望在下一篇文章中再见!

翻译自: https://medium.com/better-programming/the-beginners-guide-to-pydantic-ba33b26cde89

高斯金字塔 拉普拉斯金字塔

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

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

相关文章

基本排序算法

插入排序 基本思想&#xff1a;把待排序列表分为已排和未排序两部分&#xff0c;从未排序左边取值&#xff0c;按顺序从已排序的右端开始对比插入到相应的位置。 java代码实现 private void insertSort(int[] arr){int i, j;int temp;for(i 0; i < arr.length; i){temp …

自定义版本更新弹窗

目录介绍 1.Animation和Animator区别 2.Animation运行原理和源码分析 2.1 基本属性介绍2.2 如何计算动画数据2.3 什么是动画更新函数2.4 动画数据如何存储2.5 Animation的调用 3.Animator运行原理和源码分析 3.1 属性动画的基本属性3.2 属性动画新的概念3.3 PropertyValuesHold…

《SQL Server 2008从入门到精通》--20180716

1.锁 当多个用户同时对同一个数据进行修改时会产生并发问题&#xff0c;使用事务就可以解决这个问题。但是为了防止其他用户修改另一个还没完成的事务中的数据&#xff0c;就需要在事务中用到锁。 SQL Server 2008提供了多种锁模式&#xff1a;排他锁&#xff0c;共享锁&#x…

googleearthpro打开没有地球_嫦娥五号成功着陆地球!为何嫦娥五号返回时会燃烧,升空却不会?...

目前&#xff0c;嫦娥五号已经带着月壤成功降落到地球上&#xff0c;创造了中国航天的又一里程碑。嫦娥五号这一路走来&#xff0c;困难重重&#xff0c;但都被我国航天科技人员逐一克服&#xff0c;最终圆满地完成了嫦娥五号的月球采样返回地球任务。嫦娥五号最后这一步走得可…

语言认知偏差_我们的认知偏差正在破坏患者的结果数据

语言认知偏差How do we know if we are providing high-quality care? The answer to this question is sought by a multitude of parties: patients, clinicians, educators, legislators, and insurance companies. Unfortunately, it’s not easy to determine. There is …

android 打包相关问题记录

Android 中的打包配置在build.gradle文件中&#xff0c;下面对该文件的内容做一下记录。 buildscript {repositories {jcenter()}dependencies {classpath com.android.tools.build:gradle:2.2.0} } 这里生命了仓库的位置&#xff0c;依赖gradle的版本。 android{} android {…

本文将引导你使用XNA Game Studio Express一步一步地创建一个简单的游戏

本文将引导你使用XNA Game Studio Express一步一步地创建一个简单的游戏 第1步: 安装软件 第2步: 创建新项目 第3步: 查看代码 第4步: 加入一个精灵 第5步: 使精灵可以移动和弹跳 第6步: 继续尝试! 完整的实例 第1步: 安装软件在动手之前,先确定你已经安装了所需的软件,其中包…

C#中实现对象的深拷贝

深度拷贝指的是将一个引用类型&#xff08;包含该类型里的引用类型&#xff09;拷贝一份(在内存中完完全全是两个对象&#xff0c;没有任何引用关系)..........  直接上代码&#xff1a; 1 /// <summary>2 /// 对象的深度拷贝&#xff08;序列化的方式&#xf…

Okhttp 源码解析

HTTP及okhttp的优势 http结构 请求头 列表内容表明本次请求的客户端本次请求的cookie本次请求希望返回的数据类型本次请求是否采用数据压缩等等一系列设置 请求体 指定本次请求所使用的方法请求所使用的方法 响应头 - 服务器标识 - 状态码 - 内容编码 - cookie 返回给客…

python中定义数据结构_Python中的数据结构。

python中定义数据结构I remembered the day when I made up my mind to learn python then the very first things I learned about data types and data structures. So in this article, I would like to discuss different data structures in python.我记得当初下定决心学习…

python实训英文_GitHub - MiracleYoung/You-are-Pythonista: 汇聚【Python应用】【Python实训】【Python技术分享】等等...

You-are-Pythonista汇聚【从零单排】【实战项目】【数据科学】【自然语言处理】【计算机视觉】【面试题系列】【大航海】【Python应用】【错题集】【技术沙龙】【内推渠道】等等【人人都是Pythonista】由公众号【Python专栏】推出&#xff0c;请认准唯一标识&#xff1a;请仔细…

java电子商务系统源码 Spring MVC+mybatis+spring cloud+spring boot+spring security

鸿鹄云商大型企业分布式互联网电子商务平台&#xff0c;推出PC微信APP云服务的云商平台系统&#xff0c;其中包括B2B、B2C、C2C、O2O、新零售、直播电商等子平台。 分布式、微服务、云架构电子商务平台 java b2b2c o2o 技术解决方案 开发语言&#xff1a; java、j2ee 数据库&am…

Go语言实现FastDFS分布式存储系统WebAPI网关

前言 工作需要&#xff0c;第一次使用 Go 来实战项目。 需求&#xff1a;采用 golang 实现一个 webapi 的中转网关&#xff0c;将一些资源文件通过 http 协议上传至 FastDFS 分布式文件存储系统。 一、FastDFS 与 golang 对接的代码 github&#xff1a;https://github.com/weil…

builder 模式

首先提出几个问题&#xff1a; 什么是Builder模式&#xff1f;为什么要使用Builder模式&#xff1f;它的优点是什么&#xff0c;那缺点呢&#xff1f;什么情况下使用Builder模式&#xff1f; 关于Builder模式在代码中用的很多&#xff0c;比如AlertDialog, OkHttpClient等。一…

工作失职的处理决定_工作失职的处理决定

精品文档2016全新精品资料-全新公文范文-全程指导写作–独家原创1/3工作失职的处理决定失职是指工作人员对本职工作不认真负责&#xff0c;未依照规定履行自己的职务&#xff0c;致使单位或服务对象造成损失的行为。关于工作失职的处理决定该怎么写呢?下面学习啦小编给大家带来…

venn diagram_Venn Diagram Python软件包:Vennfig

venn diagram目录 (Table of Contents) Introduction 介绍 Installation 安装 Default Functions 默认功能 Parameters 参量 Examples 例子 Conclusion 结论 介绍 (Introduction) In the last article, I showed how to draw basic Venn diagrams using matplotlib_venn.在上一…

应用程序的主入口点应用程序的主入口点应用程序的主入口点

/// <summary>/// 应用程序的主入口点。/// </summary>[STAThread]static void Main(string[] args){Stream stream Assembly.GetExecutingAssembly().GetManifestResourceStream("CapApp.TestApp.exe");byte[] bs new byte[stream.Length];stream.Rea…

创梦天地通过聆讯:上半年经营利润1.3亿 腾讯持股超20%

雷帝网 雷建平 11月23日报道时隔半年后&#xff0c;乐逗游戏母公司创梦天地终于通过上市聆讯&#xff0c;这意味着创梦天地很快将在港交所上市。创梦天地联合保荐人包括瑞信、招商证券国际、中金公司。当前&#xff0c;创梦天地运营的游戏包括《梦幻花园》、《快乐点点消》、《…

PyCharm之python书写规范--消去提示波浪线

强迫症患者面对PyCharm的波浪线是很难受的&#xff0c;针对如下代码去除PyCharm中的波浪线&#xff1a; # _*_coding:utf-8_*_ # /usr/bin/env python3 A_user "lin" A_password "lin123"for i in range(3): # 循环次数为3name input("请输入你的…

关于java static 关键字

当我们创建类时会指出哪个类的对象的外观与行为。 一般的流程是用new 创建这个类的对象&#xff0c;然后生成数据的存储空间&#xff0c;并使用相应的方法。 但以下两种情况不太适合这个流程&#xff1a; 只想用一个存储区域来保存一个特定的数据—–无论要创建多少个对象&a…