python中字符串⽐较使⽤is、==和cmp()总结
经常写 shell 脚本知道,字符串判断可以⽤ =,!= 数字的判断是 -eq,-ne 等,但是 Python 确不是这样⼦的。
所以作为慢慢要转换到⽤ Python 写脚本,这些基本的东西必须要掌握到⾻⼦⾥!
在 Python 中⽐较字符串最好是使⽤简单逻辑操作符。
例如,确定⼀个字符串是否和另外⼀个字符串匹配。正确的,你可以使⽤ is equal 或 == 操作符。你也可以使⽤例如 >= 或 <;来确定⼏个字符串的排列顺序。
从官⽅⽂档上看
The operators ``is`` and ``is not`` test for object identity: ``x is
y`` is true if and only if *x* and *y* are the same object. ``x is
not y`` yields the inverse truth value.
cmp(...)
cmp(x, y) -> integer
Return negative if x<y, zero if x==y, positive if x>y.
也就是说 is ⽤来判断是否是同⼀个对象,is 是种很特殊的语法,你在其它的语⾔应该不会见到这样的⽤法。
python is 主要是判断 2 个变量是否引⽤的是同⼀个对象,如果是的话,则返回 true,否则返回 false。
判断数字相等不要⽤ is 操作符
>>> a = 256
>>> b = 256
>>> id(a)
9987148
>>> id(b)
9987148
>>> a = 257
>>> b = 257
>>> id(a)
11662816
>>> id(b)
11662828
为什么两次 is 返回的是不同结果?不是应该都是 true 吗?
因为 string pooling (或叫intern)。 is 相等代表两个对象的 id 相同(从底层来看的话,可以看作引⽤同⼀块内存区域)。⾄于为什么 “ABC” 被 intern 了⽽ “a bc” 没有,这是 Python 解析器实现决定的,可能会变。
== ⽤来判断两个对象的值是否相等(跟 Java 不同,Java 中 == ⽤来判断是否是同⼀个对象)。
今天我⽤ == 来判断两个 IP 地址字符串是否相同。
#!/usr/bin/python
strtmp = '192.169.1.161'
file_object = open(r'')
try:
all_the_text = adlines()
firstline = all_the_text[0].rstrip()
finally:
file_object.close()
#print firstline
#if strtmp == firstline:
s = (strtmp is firstline)
print s
if (strtmp is firstline):
print 'yes'
else:
print 'no'
来个简单点的例⼦:
#-*-conding:utf-8-*-
i='xinwen';
m=input();
if i==m:
print('yes');
else:
print('no');
input();
在 if 判断语句中⾮常有⽤呐!
#!/usr/bin/python
# Filename: if.py
number = 23
guess = int(raw_input('Enter an integer : '))
if guess == number:
print 'Congratulations, you guessed it.' # New block starts here
print "(but you do not win any prizes!)" # New block ends here
elif guess < number:
print 'No, it is a little higher than that' # Another block
# You can do whatever you want in a block ...
else:
print 'No, it is a little lower than that'
# you must have guess > number to reach here
print 'Done'
字符串长度比较函数# This last statement is always executed, after the if statement is executed
cmp() 函数则是相当于 <,==,> 但是在 Python3 中,cmp() 函数被移除了,所以我以后还是避免少⽤这个函数。
>>> x='a'
>>> x+'b' is 'ab'
False
>>> x+'b' == 'ab'
True
>>> cmp(x+'b','ab')
>>> id(x+'b')
32468384L
>>> id('ab')
46933696L
>>>
注意:
>>> a='abc'
>>> b='abc'
>>> a is b
True
>>> id(a) == id(b)
True
>>>
可以看出内容相同的字符串实际上是同⼀个对象(Java 中直接赋值的字符串也可⽤ == 来判断,但是使⽤ new 实例化的对象则需要使⽤equals(String s) 来判断)。
以上⼏个例⼦⼤家应该可以明⽩在python中字符串⽐较使⽤is、==和cmp()的⽅法了
版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。
发表评论