每个开发人员需要掌握的Python 中变量的 7 个知识点

B站影视 韩国电影 2025-03-31 03:06 1

摘要:y, z = 10, 20, 30 # Here x is assigned with 10, y is assigned with 20 and z is assigned with 30.print(x,y,z)# O/t- 10,20,30

在 Python 中,变量是与值或内存位置关联的符号名称或标识符。变量用于存储和管理数据,就像带有标签的容器一样,盛放弹珠、糖果甚至秘密物品。

i. 变量名称可以包含字母、数字和下划线。
ii. 变量名称必须以字母或下划线开头。 iii. 变量名称区分大小写(“myVar”与“myvar”不同)。

iv. 避免使用保留关键字(例如,if、while、for、else、in 等)作为变量名称,也避免使用保留函数,如 print、str 等。

# Valid variable namesmy_var = 10counter = 0_total = 100variable_123 = "Hello"# Invalid variable names123_var = 5 # Invalid: Starts with a numbertotal@count = 20 # Invalid: Contains '@' symbol

使用赋值运算符 (=) 创建变量并赋值。

i. Integer variable: age = 25ii. Floating-point variable ( height = 5.9)iii. String variable ( name = "John")iv. Boolean variable(is_student = True)

Python 允许在一行中为多个变量赋值。

x, y, z = 10, 20, 30 # Here x is assigned with 10, y is assigned with 20 and z is assigned with 30.print(x,y,z)# O/t- 10,20,30

虽然 Python 没有真正的常量,但具有类似常量行为的变量(不打算更改的值)通常使用大写字母命名。示例:PI = 3.14159

可以将值重新分配给变量,并且可以更改变量类型。

x = 5x = "Hello" # x will be replaced by Hello (which is a string)

del 语句可用于删除变量。

my_var = 10del my_var# now if you try to access my_var, it will show as an error.

变量可以具有局部或全局范围,具体取决于它们的定义位置。
i. 函数参数和函数内部定义的变量具有局部作用域。ii. 在函数外部定义或使用 global 关键字定义的变量具有全局作用域。

# Global variableglobal_variable = "I am global"def example_function: # Local variable local_variable = "I am local" print("Inside the function:", local_variable) print("Inside the function (accessing global variable):", global_variable)example_function# Accessing the global variable outside the functionprint("Outside the function (accessing global variable):", global_variable)# Uncommenting the line below will result in an error since 'local_variable' is local to the function# print("Outside the function:", local_variable)#O/t:# Inside the function: I am local# Inside the function (accessing global variable): I am global# Outside the function (accessing global variable): I am global

来源:自由坦荡的湖泊AI一点号

相关推荐