首先来看下 w3schools 的解释:
Example
Check if the number 5 is an integer:
x = isinstance(5, int)
Definition and Usage
The
isinstance()
function returnsTrue
if the specified object is of the specified type, otherwiseFalse
.If the type parameter is a tuple, this function will return
True
if the object is one of the types in the tuple.
Syntax
isinstance(object, type)
Parameter Values
Parameter Description object Required. An object. type A type or a class, or a tuple of types and/or classes
More Examples
Example
Check if “Hello” is one of the types described in the type parameter:
x = isinstance("Hello", (float, int, str, list, dict, tuple))
Example
Check if y is an instance of myObj:
class myObj: name = "John" y = myObj() x = isinstance(y, myObj)
Related Pages
The issubclass() function, to check if an object is a subclass of another object.
来源: https://www.w3schools.com/python/ref_func_isinstance.asp
帮助那些英语不好的 python 学习者翻译一下:
示例
检查数字 5 是否是一个整数。
x = isinstance(5, int)
定义和用法
如果给定的对象是一个已知的对象类型,函数 isinstance()
返回 True
,否则返回False
。
如果参数 type
是元组的话,当对象是元组中的一个类型时,这个函数会返回 True
。
语法
isinstance(object, type)
参数
参数 | 描述 |
---|---|
object | 必须。 一个示例对象。 |
type | 基本类型或者类,或是由他们组成的元组。 |
更多示例
示例
检查 “Hello” 是否是参数表中描述的类型之一。
x = isinstance("Hello", (float, int, str, list, dict, tuple))
示例
检查 y
是否是 myObj
的实例。
class myObj:
name = "John"
y = myObj()
x = isinstance(y, myObj)
相关内容:
issubclass() 函数用来检查一个对象是否是另一个对象的子类。
接下来看一下菜鸟教程的解释
Python isinstance() 函数
描述
isinstance() 函数来判断一个对象是否是一个已知的类型,类似 type()。
isinstance() 与 type() 区别:
- type() 不会认为子类是一种父类类型,不考虑继承关系。
- isinstance() 会认为子类是一种父类类型,考虑继承关系。
如果要判断两个类型是否相同推荐使用 isinstance()。
语法
以下是 isinstance() 方法的语法:
isinstance(object, classinfo)
参数
- object – 实例对象。
- classinfo – 可以是直接或间接类名、基本类型或者由它们组成的元组。
返回值
如果对象的类型与参数二的类型(classinfo)相同则返回 True,否则返回 False。。
实例
以下展示了使用 isinstance 函数的实例:
>>> a = 2 >>> isinstance (a,int) True >>> isinstance (a,str) False >>> isinstance (a,(str,int,list)) # 是元组中的一个返回 True True
type() 与 isinstance()区别:
class A: pass class B(A): pass isinstance(A(), A) # returns True type(A()) == A # returns True isinstance(B(), A) # returns True type(B()) == A # returns False
来源: https://aimerneige.com/2020/05/29/Daily-Python-Tips-isinstance/
更多示例:
# 检查传入的参数是否符合要求
def log(val:'str'):
assert isinstance(val, str), 'val is not str'
print(val)