Python实例代码(一)

  1. Python Hello World 实例
# -*- coding: UTF-8 -*-
# Filename : helloworld.py
# 该实例输出 Hello World!
print('Hello World!')

执行以上代码输出结果为

Hello World!
  1. Python 数字求和
# -*- coding: UTF-8 -*-
# Filename : test.py
# 用户输入数字
num1 = input('输入第一个数字:')
num2 = input('输入第二个数字:')
# 求和
sum = float(num1) + float(num2)
# 显示计算结果
print('数字 {0} 和 {1} 相加结果为:{2}'.format(num1, num2, sum))

执行以上代码输出结果为

输入第一个数字:1.5
输入第二个数字:2.5
数字 1.52.5 相加结果为:4.0
  1. Python 随机数生成
# -*- coding: UTF-8 -*-
# Filename : test.py
# 生成 0 ~ 9 之间的随机数
# 导入 random(随机数) 模块
import random
print(random.randint(0,9))

执行以上代码输出结果为:

4

以上实例我们使用了 random 模块的 randint() 函数来生成随机数,你每次执行后都返回不同的数字(0 到 9),该函数的语法为:
random.randint(a,b)

  1. Python if 语句
# Filename : test.py
# 用户输入数字
num = float(input("输入一个数字: "))
if num > 0:
print("正数")
elif num == 0:
print("零")
else:
print("负数")

执行以上代码输出结果为

输入一个数字: 3
正数

我们也可以使用内嵌 if 语句来实现:

# Filename :test.py
# 内嵌 if 语句
num = float(input("输入一个数字: "))
if num >= 0:
if num == 0:
print("零")
else:
print("正数")
else:
print("负数")

执行以上代码输出结果为

输入一个数字: 0
零
  1. Python 判断字符串是否为数字
# -*- coding: UTF-8 -*-
# Filename : test.py
# author by : www.runoob.com
def is_number(s):
try:
float(s)
return True
except ValueError:
pass
try:
import unicodedata
unicodedata.numeric(s)
return True
except (TypeError, ValueError):
pass
return False
# 测试字符串和数字
print(is_number('foo')) # False
print(is_number('1')) # True
print(is_number('1.3')) # True
print(is_number('-1.37')) # True
print(is_number('1e3')) # True
# 测试 Unicode
# 阿拉伯语 5
print(is_number('٥')) # True
# 泰语 2
print(is_number('๒')) # True
# 中文数字
print(is_number('四')) # True
# 版权号
print(is_number('©')) # False

执行以上代码输出结果为:

False
True
True
True
True
True
True
True
False

你可能感兴趣的:(python,python)