eval 是干嘛的?
解析字符串表达式并执行,并返回一个值
语法格式
1
|
eval (expression[, globals [, locals ]])
|
expression
:表达式字符串
globals
:必须是一个字典
locals
:可以是任何 map 对象
最简单的表达式栗子
栗子一
1
2
3
4
5
6
7
8
9
|
print ( eval ( "123" ))
print ( eval ( "True" ))
print ( eval ( "(1,2,3)" ))
print ( eval ( "[1,2,3]" ))
# 输出结果
123
True
( 1 , 2 , 3 )
[ 1 , 2 , 3 ]
|
栗子二
1
2
3
4
5
6
|
print ( eval ( "1+2" ))
x = 1
print ( eval ( 'x+1' ))
# 输出结果
3
2
|
栗子三
1
2
3
4
5
|
a = 1
b = 2
print ( eval ( "[a,b]" ))
# 输出结果
[ 1 , 2 ]
|
带上 globals
1
2
3
4
5
6
|
# 使用 globals
x = 10
g = { "x" : 5 }
print ( eval ( "x+1" , g))
# 输出结果
6
|
在 eval 中提供了globals 参数
eval 的作用域就是 g 指定的这个字典,外面的 x = 10 被屏蔽掉了,eval 是看不见的,所以使用了 x 为 5 的值
1
2
3
4
5
6
7
8
9
|
x = 10
y = 5
g = { "x" : 5 }
print ( eval ( "x+1+y" , g))
# 输出结果
5
print ( eval ( "x+1+y" , g))
File "<string>" , line 1 , in <module>
NameError: name 'y' is not defined
|
因为 global 参数没有 y 变量值,所以报错了
带上 locals
1
2
3
4
5
6
7
|
# 使用 locals
a = 1
g = { "a" : 2 , "b" : 3 }
l = { "b" : 30 , "c" : 4 }
print ( eval ( "a+b+c" , g, l))
# 输出结果
36
|
- eval 的作用域变成了 globals + locals
- locals 作用域优先级会高于 globals
- locals 参数里面的值会覆盖 globals 参数里面的值
字符串转字典
1
2
3
4
5
|
# 字符串转字典
jsons = "{'a':123,'b':True}"
print(type(eval(jsons)))
# 输出结果
< class 'dict'>
|
带上 globals
1
2
3
|
print ( eval ( "{'name':'linux','age':age}" , { "age" : 123 }))
# 输出结果
{ 'name' : 'linux' , 'age' : 123 }
|
带上 locals
1
2
3
|
print ( eval ( "{'name':'linux','age':age}" , { "age" : 123 }, { "age" : 24 }))
# 输出结果
{ 'name' : 'linux' , 'age' : 24 }
|
内置函数栗子
1
2
3
4
5
6
7
|
# 内置函数
print ( eval ( "dir()" ))
print ( eval ( "abs(-10)" ))
# 输出结果
[ '__annotations__' , '__builtins__' , '__cached__' , '__doc__' , '__file__' , '__loader__' , '__name__' , '__package__' , '__spec__' , 'a' , 'b' , 'g' , 'jsons' , 'l' , 'x' , 'y' ]
10
|
报错的栗子
栗子一
1
2
3
4
5
|
print ( eval ( "aa" ))
# 输出结果
print ( eval ( "aa" ))
File "<string>" , line 1 , in <module>
NameError: name 'aa' is not defined
|
栗子二
1
2
3
4
5
|
print ( eval ( "[a,b,c]" ))
# 输出结果
print ( eval ( "[a,b,c]" ))
File "<string>" , line 1 , in <module>
NameError: name 'c' is not defined
|
栗子三
1
2
3
4
5
6
7
|
print ( eval ( "if x: print(x)" ))
# 输出结果
print ( eval ( "if x: print(x)" ))
File "<string>" , line 1
if x: print (x)
^
SyntaxError: invalid syntax
|
因为 eval() 只接受表达式任何其他语句(如if、for、while、import、def、class)都将引发错误
以上就是Python中eval函数的表达式用法示例的详细内容,更多关于Python中eval函数表达式的资料请关注服务器之家其它相关文章!
原文链接:https://blog.csdn.net/qq_33801641/article/details/120232630