Python函数中的变量和函数返回值的使用实例
2020-12-13 05:04
标签:pytho hello ngx ack project title 统计 char imp Python中的任何变量都有特定的作用域 在函数中定义的变量一般只能在该函数内部使用,这些只能在程序的特定部分使用的变量我们称之为局部变量 在一个文件顶部定义的变量可以供文件中的任何函数调用,这些可以为整个程序所使用的变量称为全局变量。 函数返回值: 函数被调用后会返回一个指定的值 函数调用后默认返回None return返回值 返回值可骒任意类型 return执行后,函数终止 return与print区别 Python函数中的变量和函数返回值的使用实例 标签:pytho hello ngx ack project title 统计 char imp 原文地址:https://blog.51cto.com/fengyunshan911/2416875局部变量和全局变量:
def fun():
x=100
print x
fun()
x = 100
def fun():
global x //声明
x +=1
print x
fun()
print x
外部变量被改:
x = 100
def fun():
global x //声明
x +=1
print x
fun()
print x
内部变量外部也可用:
x = 100
def fun():
global x
x +=1
global y
y = 1
print x
fun()
print x
print y
x = 100
def fun():
x = 1
y = 1
print locals()
fun()
print locals()
{‘y‘: 1, ‘x‘: 1}
统计程序中的变量,返回的是个字典
{‘__builtins__‘:
2. 函数的返回值
def fun():
print ‘hello world‘
return ‘ok‘
print 123
print fun()
hello world
123
None
#/usr/bin/env python
# -*- coding:utf-8 -*-
# FengXiaoqing
#printPID.py
import sys
import os
def isNum(s):
for i in s:
if i not in ‘0123456789‘:
return False
return True
for i in os.listdir("/proc"):
if isNum(i):
print i
#/usr/bin/python
import sys
import os
def isNum(s):
if s.isdigit():
return True
return False
for i in os.listdir("/proc"):
if isNum(i):
print i
或:
#/usr/bin/env python
# -*- coding:utf-8 -*-
# FengXiaoqing
# :printPID.py
import sys
import os
def isNum(s):
if s.isdigit():
return True
else:
return False
for i in os.listdir("/proc"):
if isNum(i):
print i