1.安装环境
安装pycharm和Anaconda
2.python版本的区别
python2.X 面向过程
python3.X 面向对象
技术更新不再支持2.X版本
3.标识符与变量命名
ul li
java 字母数字下滑线,美元符, 且不能以数字开头
c、python 字母数字下滑线、 且不能以数字开头
ol
1、驼峰式命名法、下滑线命名
大驼峰 :UserNameInfo
小驼峰: userNameInfo
下划线:user_name_info
2、python3可以使用中文命名。但是不建议
变量1 = 'hehe'
print(变量1) 输出语句
4.类型转换与if...else...语句
age = input("请输入您的年龄")
print(type(age))
print(age)
age = int(age)
print(type(age))
age = 8
if(age>=18):
print("真年轻")
else:
print("太老了")
5.else if 简写 elif
score = input("请输入成绩:")
score = int(score)
if score>=90 and score<=100:
print('您的成绩为A')
elif score >=80 and score<90:
print('您的成绩等级为B')
elif score>=70 and score<80:
print('您的成绩为C')
elif score>=60 and score<70:
print('您的成绩为D')
else:
print('您的成绩为E')
6.while循环
#while 要判断的条件:
#循环体
i = 0
while i<5:
print(i)
i +=1
#计算1-100相加之和
i = 1
s=0
while i <=100:
s +=i
i+=1
print(s)
7.break和continue跳出循环区别
break 跳出本层循环
continue 跳出本次循环,执行下次循环
# 当累加和大于1000时跳出循环
i = 1
sum = 0
while i <= 100:
sum += i
if sum > 1000:
break
i += 1
print(sum)
7.猜数字游戏
随机整数的生成
from random import randint
randint(start, end)
#1.准备知识
# from 模块名 import name1,name2...(对象,例如函数,类)
#eg:
# hero_name = '鲁班七号'
# grade = 15
# print('你选择的英雄是{}当前等级为{}级'.format(hero_name,grade))
# python不允许这种写法 print('你选择的英雄是'+hero_name+'当前等级为'+grade+'级')
# 2.游戏规则
# 控制台输入要猜数字的范围
# 请您输入要猜数字的最大值
# 请您输入要猜数字的最小值
# 输入要猜的数字
# 程序告诉玩家猜大了还是猜小了,知道猜对数字结束循环
# 统计猜数字的次数
# 1次猜对, 这是高手i次竟然就猜对
# 2~5 次猜对 , 你也太厉害吧, i次猜对了
# 5次以上 你也太菜了,i次才猜对,洗洗睡吧
from random import randint
a = int(input('请输入数字的最小值'))
b = int(input('请输入数字的最大值'))
c = randint(a, b)
i = 0
while True:
i += 1
d = int(input('请输入你要猜的数字'))
if d < c:
print('你猜小了哦')
elif d > c:
print('你猜大了哦')
else:
if i == 1:
print('高手啊,{}次就猜对'.format(i))
elif i >= 2 and i <= 5:
print('你也太厉害吧, {}次猜对了'.format(i))
else:
print('你也太菜了,{}次才猜对,洗洗睡吧'.format(i))
break