python基础知识
1.在mac终端上查看当前Python版本:
python --version
或者
python -V
2.升级最新版本,我当前版本是2.7.10,我要升级到python3:
brew install python3
3.退出python当前交互式环境
exit()
4.查看python安装的路径
which python // 如果当前版本是python
或
which python3 // 如果当前版本是python3
5.python的输入关键字 input(),在python3的交互式环境下
>>> age = input() // 创建一个变量age, 回车, 用户可输入年龄
>>>
>>> print(age) // 输出年龄
6.在终端执行一个python文件(以.py结尾的文本文件)
我们可以使用文本编辑器 sublime text
或者 nodepad++
来编辑一个python文件,后缀名以 .py 形式结尾
比如现在在sublime中输入内容 : print("this is a python test, result is ", 10 * 10)
, 将该文件命名为 TestPython3.py
, 然后再 terminal 中执行该python文件
python3 TestPython3.py
则输入结果是: this is a python test, result is 100
。
小结: 交互式环境与在终端执行python代码文件的区别,在交互式环境下,可以直接输入源代码并且直接运行,但是无法保存为python文件;在终端只能执行源代码文件,但是无法输入源代码。
7.一个简单的python例子if else
# create a variable
a = 12
# condition 1
if a > 21:
print("a = 12, result is a > 21")
# condition 2
if a >= 12:
print("a = 12, result is a >= 12")
# beyond condition 1 and 2
else:
print("a = 12, result is other")
# if we use symbol, it represents a comment
执行结果: a = 12, result is a >= 12
8.Python的注释方法
- 注释一行,使用#号标识符
我们一个test.py
文件里面有如下代码
# print("this is a comment test!")
print("hello, Python!")
然后执行
python3 test.py
结果为:
hello, Python!
显然,让我们执行以上python文件后,并没有如期输出this is a comment test!
, 这个因为该行被注释掉了。
- 注释某一部分,使用如下方式
'''
'''
或者
"""
"""
也就是说,如果我们需要注释某一个段落,我们可以是用3个英文单引号或者双引号来注释。
我们在测试一下, 在Python文件中有如下代码
# yes, this is comment!
print("hello, Python!")
'''
print("I love Python!")
'''
"""
print("Do you love Python?")
"""
执行结果后
hello, Python!
9.Python字符串
和其他语言类似,我们用双引号""
来表示字符串,但是除了使用双引号意外,我们还可以使用单引号''
或者3个单引号''' '''
来表示字符串,如下面的写法是等价的
# 使用双引号
"this is String"
# 使用单引号
'this is String'
# 使用3个单引号
'''this is String'''
虽然字符串的写法不同,但是实质意思是一样的。
注意: python的字符串写法有3种方式,但是字符串的两边必须得统一,例如你绝对不能写成
'string"
的形式,这不符合规范并且一定会报错。