- 【day 8】python编程:从入门到实践学习笔记-文件和异常
- 【day 7】python编程:从入门到实践学习笔记-类(末附练
- 【day 5】python编程:从入门到实践学习笔记-用户输入和
- 【day 9】python编程:从入门到实践学习笔记-测试代码(
- 【day 10】python编程:从入门到实践学习笔记-基于Dj
- 【day 2】python编程:从入门到实践学习笔记-列表以及其
- 【day 4】python编程:从入门到实践学习笔记-字典(末附
- 【day 6】python编程:从入门到实践学习笔记-函数(末附
- 【day 3】python编程:从入门到实践学习笔记-if 语句
- 【day 11】python编程:从入门到实践学习笔记-基于Dj
记录一些对自己重要的要点
运行.py文件:切换到对应路径
python3 hellp_world.py
关于变量名
- 变量:可用于存储值的盒子
- python变量名可以以字母和下划线打头,不能以数字打头
- 最好使用小写的字母作为变量名
关于字符串
- 可以是单引号
' '
,也可以为双引号" "
或三引号''' '''
。如果一句话里面有单引号,那么用来表示字符串的就应该是双引号。 -
.title()
字符串首字母大写 -
.upper()
字符串全大写 -
.lower()
字符串全小写 - f字符串: 要在字符串中插入变量的值,可以在前引号前加上字母f,再将要插入的变量放在花括号内。这样,当Python显示字符串时,把每个变量都替换为其值。
first = "ada"
second = "haha"
full_name = f"{first} {second}"
print(full_name)
print(f"hello,{full_name.title()}")
ada haha
hello,Ada Haha
对于python3.6以前的版本,需要使用 format()
格式,可在圆括号内列出要在字符串中使用的变量,对于每个变量都需要通过一对花括号来引用
full_name ="{} {}".format(first, second)
关于制表符和换行符
>>> print("hello")
hello
>>> print("\thello")
hello
>>> print("hello\nnext line\ttab\t\nnext and tab")
hello
next line tab
next and tab
>>> print("hello\nnext line\ttab\n\tnext and tab")
hello
next line tab
next and tab
-
\n
换行 -
\t
制表符 -
\n\t
换行且tab
删除空白
>>> fu = " aaa "
>>> fu
' aaa '
>>> fu.rstrip()
' aaa'
>>> fu.lstrip()
'aaa '
>>> fu.strip()
'aaa'
>>> fu = " aaa aaa aa"
>>> fu.strip()
'aaa aaa aa'
运算符号
-
/
: ÷ -
**
: 幂
浮点数
- 将多有带小数点的数称为浮点数
- 任意两个数相除时,结果总是浮点数
- 在其他任何运算中,只要有操作数是浮点数,结果也总是浮点数
数字中的下划线:仅方便易于读取
>>> big_num = 12_000_000_000
>>> big_num
12000000000
>>> print(big_num)
12000000000
同时给多个变量赋值
>>> x, y, z = 1, 2, 3
>>> y
2
这样做时需要用逗号将变量名分开,对于要赋给变量的值,也需要同样处理,有顺序。
对于常量
一般使用全大写在指出将某个变量设为常量
MAX_VALUE = 5000
网友评论