在Python中,你可以使用subprocess
模块来执行外部命令
import subprocess
# 执行外部命令,例如ls命令(在Unix/Linux系统中)
command = "ls"
output = subprocess.check_output(command, shell=True, text=True)
print(output)
# 执行外部命令,例如dir命令(在Windows系统中)
command = "dir"
output = subprocess.check_output(command, shell=True, text=True)
print(output)
在这个例子中,我们使用了subprocess.check_output()
函数来执行外部命令。shell=True
表示我们允许在shell环境中执行命令,这在执行包含管道、重定向等特性的命令时非常有用。text=True
表示我们希望以文本形式接收输出,而不是字节形式。
请注意,使用shell=True
可能会导致安全风险,特别是在处理用户提供的输入时。在这种情况下,最好使用命令序列(列表形式)而不是命令字符串,并避免使用shell=True
。例如:
import subprocess
command = ["ls", "-l"] # 使用命令序列而不是命令字符串
output = subprocess.check_output(command, text=True)
print(output)
这样可以确保你的应用程序更加安全。