要查看我是在Windows还是Unix等操作系统上,我需要查看什么?

评论

有关详细信息,请参见(bugs.python.org/issue12326)!

这是一个相关的问题:检查linux发行版名称。

#1 楼

>>> import os
>>> os.name
'posix'
>>> import platform
>>> platform.system()
'Linux'
>>> platform.release()
'2.6.22-15-generic'


platform.system()的输出如下:


Linux:Linux

Mac:Darwin

> Windows:Windows


请参阅:platform —访问基础平台的标识数据

评论


为什么我应该选择平台而不是sys.platform?

–马太
16年11月7日在14:25

@matth稍微更一致的输出。即platform.system()返回“ Windows”而不是“ win32”。 sys.platform在旧版本的Python上也包含“ linux2”,而在较新的版本上仅包含“ linux”。 platform.system()始终仅返回“ Linux”。

–erb
17-6-9上午10:22



在Mac OS X上,platform.system()始终返回“达尔文”吗?还是有其他可能?

–baptistechéné
18年1月12日在13:35

@baptistechéné,我知道自您提出问题以来已有一年多的时间了,但是作为评论不会有任何伤害,我还是将其张贴:)因此,其背后的原因是因为它显示了内核名称。与Linux(内核)发行版具有很多名称(Ubuntu,Arch,Fedora等)的方式相同,但是它将以内核名称Linux的形式出现。达尔文(基于BSD的内核)具有周围的系统macOS。我敢肯定,苹果确实将达尔文发布为开源代码,但据我所知,没有其他发行版可以在达尔文上运行。

– Joao Paulo Rabelo
19年1月30日在12:05

@TooroSan os.uname()仅在Unix系统上存在。 Python 3文档:docs.python.org/3/library/os.html可用性:Unix的最新版本。

–令人讨厌的莫伊
3月22日21:49



#2 楼

Dang-lbrandy击败了我,但这并不意味着我无法为您提供Vista的系统结果!

>>> import os
>>> os.name
'nt'
>>> import platform
>>> platform.system()
'Windows'
>>> platform.release()
'Vista'


...并且我不敢相信还没有人为Windows 10发布过:

>>> import os
>>> os.name
'nt'
>>> import platform
>>> platform.system()
'Windows'
>>> platform.release()
'10'


评论


Windows 7:platform.release()'7'

–雨果
2015年4月20日在12:27

所以,是的,我只是在Windows 10上运行platform.release(),它的确给了我8分。也许我在升级之前安装了python,但是真的吗?

– Codesmith
17年6月8日在13:35

我本来以为您更有可能是从Windows 8升级(而这是全新安装),而注册表中查找的是Python还是遗留了什么?

– OJFord
18年1月30日在20:53

Windows上针对python的发行版查找似乎在其核心使用Win32 api函数GetVersionEx。此Microsoft文章顶部有关该功能的注释可能是相关的:msdn.microsoft.com/en-us/library/windows/desktop/…

–theferrit32
18-3-22在20:13



#3 楼

为了记录,这是在Mac上的结果:

>>> import os
>>> os.name
'posix'
>>> import platform
>>> platform.system()
'Darwin'
>>> platform.release()
'8.11.1'


评论


在macOS Catalina 10.15.2上,platform.release()返回'19 .2.0'

–鲍里斯(Boris)
19/12/27在4:55



19.2.0是Catalina 10.15.2随附的达尔文发行版:en.wikipedia.org/wiki/MacOS_Catalina#Release_history

– philshem
8月21日13:28

#4 楼

使用python区分操作系统的示例代码:

from sys import platform as _platform

if _platform == "linux" or _platform == "linux2":
    # linux
elif _platform == "darwin":
    # MAC OS X
elif _platform == "win32":
    # Windows
elif _platform == "win64":
    # Windows 64-bit


评论


这个示例代码是否来自任何python模块?这是实际上回答问题的唯一答案。

– kon psych
15年1月15日在19:22

对于模糊的结果,``_platform.startswith('linux')

–克拉图·冯·施拉克(Klaatu von Schlacker)
16年2月8日,下午3:51

Windows Cygwin Shell上的sys.platform =='cygwin'

– Ed Randall
7月8日下午16:12

小问题:win64不存在:github.com/python/cpython/blob/master/Lib/platform.py。所有Windows版本均为win32。

–user136036
10月9日13:52



#5 楼

如果您已经导入了sys.platform,并且不想导入其他模块,也可以使用sys

>>> import sys
>>> sys.platform
'linux2'


评论


除了必须导入另一个模块之外,这些方法中的一种还具有其他优点吗?

–马太
16年11月7日在14:41

范围界定是主要优势。您需要尽可能少的全局变量名称。如果已经以“ sys”作为全局名称,则不应添加其他名称。但是,如果您尚未使用“ sys”,则使用“ _platform”可能更具描述性,并且不太可能与其他含义发生冲突。

– sanderd17
16年12月21日在9:01

#6 楼

短篇小说

使用platform.system()。它返回WindowsLinuxDarwin(对于OSX)。

长篇小说

有3种方法可以在Python中获得OS,每种方法各有优缺点:

方法1

>>> import sys
>>> sys.platform
'win32'  # could be 'linux', 'linux2, 'darwin', 'freebsd8' etc


工作原理(源):内部调用OS API以获取OS定义的OS名称。有关各种特定于OS的值,请参见此处。

Pro:无魔法,低级。

Con:与OS版本有关,因此最好不要直接使用。

方法2

>>> import os
>>> os.name
'nt'  # for Linux and Mac it prints 'posix'


工作原理(源):在内部检查python是否具有称为posix或nt的特定于操作系统的模块。

Pro:易于检查posix OS是否为

Con:在Linux或OSX之间没有区别。

方法3

>>> import platform
>>> platform.system()
'Windows' # for Linux it prints 'Linux', Mac it prints `'Darwin'


这是如何工作的(源代码):内部它将最终调用内部OS API,获取特定于操作系统版本的名称,例如“ win32”或“ win16”或“ linux1”,然后将其规范化为更通用的名称通过应用几种启发式方法来命名“ Windows”或“ Linux”或“ Darwin”。

Pro:Windows,OSX和Linux的最佳可移植方式。

缺点:Python人员必须保持规范化启发式更新。

摘要


如果要检查OS是Windows还是Linux或OSX,则最可靠的方法是platform.system()
如果要通过内置进行特定于OS的调用Python模块posixnt然后使用os.name
如果要获取OS本身提供的原始OS名称,请使用sys.platform


评论


“应该有一种(最好只有一种)做事的方式”。但是我相信这是正确的答案。您需要将其与标题为OS的名称进行比较,但这不是问题,它将更易于移植。

–vincent-lg
4月13日10:00

#7 楼

如果您想要用户可读的数据但仍然很详细,则可以使用platform.platform()

>>> import platform
>>> platform.platform()
'Linux-3.3.0-8.fc16.x86_64-x86_64-with-fedora-16-Verne'


这里有一些可能的调用,您可以用来识别您的位置

import platform
import sys

def linux_distribution():
  try:
    return platform.linux_distribution()
  except:
    return "N/A"

print("""Python version: %s
dist: %s
linux_distribution: %s
system: %s
machine: %s
platform: %s
uname: %s
version: %s
mac_ver: %s
""" % (
sys.version.split('\n'),
str(platform.dist()),
linux_distribution(),
platform.system(),
platform.machine(),
platform.platform(),
platform.uname(),
platform.version(),
platform.mac_ver(),
))


该脚本的输出在几种不同的系统(Linux,Windows,Solaris,MacOS)和体系结构(x86,x64,Itanium,power pc,sparc)上运行在此处可用:https://github.com/hpcugent/easybuild/wiki/OS_flavor_name_version

例如,Ubuntu 12.04服务器给出:

Python version: ['2.6.5 (r265:79063, Oct  1 2012, 22:04:36) ', '[GCC 4.4.3]']
dist: ('Ubuntu', '10.04', 'lucid')
linux_distribution: ('Ubuntu', '10.04', 'lucid')
system: Linux
machine: x86_64
platform: Linux-2.6.32-32-server-x86_64-with-Ubuntu-10.04-lucid
uname: ('Linux', 'xxx', '2.6.32-32-server', '#62-Ubuntu SMP Wed Apr 20 22:07:43 UTC 2011', 'x86_64', '')
version: #62-Ubuntu SMP Wed Apr 20 22:07:43 UTC 2011
mac_ver: ('', ('', '', ''), '')


评论


DeprecationWarning:在Python 3.5中不推荐使用dist()和linux_distribution()函数

–鲍里斯(Boris)
19/12/27在4:57

#8 楼

我开始更系统地列出了使用各种模块可以期望得到的值(可以随意编辑和添加系统):

Linux(64bit)+ WSL

os.name                     posix
sys.platform                linux
platform.system()           Linux
sysconfig.get_platform()    linux-x86_64
platform.machine()          x86_64
platform.architecture()     ('64bit', '')



在archlinux和mint上试过,在python2上得到了相同的结果
sys.platform带有内核版本,例如linux2,其他所有内容均保持不变
在Linux的Windows子系统上(与ubuntu 18.04 LTS一起尝试)相同的输出,但platform.architecture() = ('64bit', 'ELF')


WINDOWS(64位)

(32位列在32位子系统中运行)

official python installer   64bit                     32bit
-------------------------   -----                     -----
os.name                     nt                        nt
sys.platform                win32                     win32
platform.system()           Windows                   Windows
sysconfig.get_platform()    win-amd64                 win32
platform.machine()          AMD64                     AMD64
platform.architecture()     ('64bit', 'WindowsPE')    ('64bit', 'WindowsPE')

msys2                       64bit                     32bit
-----                       -----                     -----
os.name                     posix                     posix
sys.platform                msys                      msys
platform.system()           MSYS_NT-10.0              MSYS_NT-10.0-WOW
sysconfig.get_platform()    msys-2.11.2-x86_64        msys-2.11.2-i686
platform.machine()          x86_64                    i686
platform.architecture()     ('64bit', 'WindowsPE')    ('32bit', 'WindowsPE')

msys2                       mingw-w64-x86_64-python3  mingw-w64-i686-python3
-----                       ------------------------  ----------------------
os.name                     nt                        nt
sys.platform                win32                     win32
platform.system()           Windows                   Windows
sysconfig.get_platform()    mingw                     mingw
platform.machine()          AMD64                     AMD64
platform.architecture()     ('64bit', 'WindowsPE')    ('32bit', 'WindowsPE')

cygwin                      64bit                     32bit
------                      -----                     -----
os.name                     posix                     posix
sys.platform                cygwin                    cygwin
platform.system()           CYGWIN_NT-10.0            CYGWIN_NT-10.0-WOW
sysconfig.get_platform()    cygwin-3.0.1-x86_64       cygwin-3.0.1-i686
platform.machine()          x86_64                    i686
platform.architecture()     ('64bit', 'WindowsPE')    ('32bit', 'WindowsPE')



一些说明:


也有distutils.util.get_platform()相同到Windows上的sysconfig.get_platform
anaconda与官方python Windows安装程序相同。
我没有Mac或真正的32位系统,也没有动力在线​​进行此操作

要与您的系统进行比较,只需运行此脚本(如果缺少,请在此处附加结果:)

from __future__ import print_function
import os
import sys
import platform
import sysconfig

print("os.name                      ",  os.name)
print("sys.platform                 ",  sys.platform)
print("platform.system()            ",  platform.system())
print("sysconfig.get_platform()     ",  sysconfig.get_platform())
print("platform.machine()           ",  platform.machine())
print("platform.architecture()      ",  platform.architecture())


#9 楼

新答案如何:

import psutil
psutil.MACOS   #True (OSX is deprecated)
psutil.WINDOWS #False
psutil.LINUX   #False 


如果我使用MACOS,这将是输出

评论


psutil不是标准库的一部分

– Corey Goldberg
18 Mar 29 '18 at 2:09

#10 楼

我使用的是weblogic随附的WLST工具,它没有实现平台软件包。

wls:/offline> import os
wls:/offline> print os.name
java 
wls:/offline> import sys
wls:/offline> print sys.platform
'java1.5.0_11'


除了修补系统javaos.py(带有jdk1.5的Windows 2003上带有os.system()的问题)(我不能这样做,我必须使用开箱即用的weblogic),这就是我使用的:

def iswindows():
  os = java.lang.System.getProperty( "os.name" )
  return "win" in os.lower()


#11 楼

/usr/bin/python3.2

def cls():
    from subprocess import call
    from platform import system

    os = system()
    if os == 'Linux':
        call('clear', shell = True)
    elif os == 'Windows':
        call('cls', shell = True)


评论


欢迎使用SO,在这里,这是一个很好的做法,解释为什么要使用您的解决方案,而不仅仅是如何使用。这将使您的答案更有价值,并帮助更多的读者更好地了解您的操作方式。我还建议您查看我们的常见问题解答:stackoverflow.com/faq。

–ForceMagic
2012年11月9日在22:03

好的答案,甚至可以与原始答案相提并论。但是你可以解释为什么。

–vgoff
2012年11月9日在22:04

#12 楼

对于Jython,我找到OS名称的唯一方法是检查os.name Java属性(在WinXP上对Jython 2.5.3尝试了sysosplatform模块):

def get_os_platform():
    """return platform name, but for Jython it uses os.name Java property"""
    ver = sys.platform.lower()
    if ver.startswith('java'):
        import java.lang
        ver = java.lang.System.getProperty("os.name").lower()
    print('platform: %s' % (ver))
    return ver


评论


您也可以调用“ platform.java_ver()”以在Jython中提取操作系统信息。

– DocOc
18-10-3在16:08



#13 楼

在Windows 8上有趣的结果:

>>> import os
>>> os.name
'nt'
>>> import platform
>>> platform.system()
'Windows'
>>> platform.release()
'post2008Server'


编辑:那是一个错误

#14 楼

如果您使用的Windows是Cygwin,请注意,其中os.nameposix

>>> import os, platform
>>> print os.name
posix
>>> print platform.system()
CYGWIN_NT-6.3-WOW


#15 楼

以同样的方式。...

import platform
is_windows=(platform.system().lower().find("win") > -1)

if(is_windows): lv_dll=LV_dll("my_so_dll.dll")
else:           lv_dll=LV_dll("./my_so_dll.so")


评论


如果您在Mac上,这是有问题的,因为platform.system()在Mac上返回“ Darwin”,在Mac上是“ Darwin” .lower()。find(“ win”)= 3。

– mishaF
13年4月19日在15:10

is_windows = platform.system()。lower()。startswith(“ win”)或False

– Corey Goldberg
18 Mar 29 '18 at 2:05

#16 楼

如果您不是在寻找内核版本等,而是在寻找Linux发行版,则可能需要在python2.6 +中使用以下



>>> import platform
>>> print platform.linux_distribution()
('CentOS Linux', '6.0', 'Final')
>>> print platform.linux_distribution()[0]
CentOS Linux
>>> print platform.linux_distribution()[1]
6.0

< python2.4中的br />

>>> import platform
>>> print platform.dist()
('centos', '6.0', 'Final')
>>> print platform.dist()[0]
centos
>>> print platform.dist()[1]
6.0


显然,只有在linux上运行时,此方法才有效。如果希望跨平台使用更通用的脚本,可以将其与其他答案中给出的代码示例混合使用。

#17 楼

我知道这是一个古老的问题,但我相信我的回答可能对某些正在寻找一种简单,易于理解的python方法来检测其代码中的OS的人有所帮助。在python3.7上测试过

from sys import platform


class UnsupportedPlatform(Exception):
    pass


if "linux" in platform:
    print("linux")
elif "darwin" in platform:
    print("mac")
elif "win" in platform:
    print("windows")
else:
    raise UnsupportedPlatform


#18 楼

试试这个:

import os

os.uname()


,你可以做到:

info=os.uname()
info[0]
info[1]


评论


os.uname()在Windows上也不可用:docs.python.org/2/library/os.html#os.uname可用性:Unix的最新版本。

–ccpizza
17-10-24在20:26



#19 楼

在模块平台上检查可用的测试,并为您的系统打印答案:

import platform

print dir(platform)

for x in dir(platform):
    if x[0].isalnum():
        try:
            result = getattr(platform, x)()
            print "platform."+x+": "+result
        except TypeError:
            continue


#20 楼

您也可以仅使用平台模块,而无需导入os模块来获取所有信息。

>>> import platform
>>> platform.os.name
'posix'
>>> platform.uname()
('Darwin', 'mainframe.local', '15.3.0', 'Darwin Kernel Version 15.3.0: Thu Dec 10 18:40:58 PST 2015; root:xnu-3248.30.4~1/RELEASE_X86_64', 'x86_64', 'i386')


使用此行可以实现用于报告目的的整洁布局:

for i in zip(['system','node','release','version','machine','processor'],platform.uname()):print i[0],':',i[1]


给出以下输出:

system : Darwin
node : mainframe.local
release : 15.3.0
version : Darwin Kernel Version 15.3.0: Thu Dec 10 18:40:58 PST 2015; root:xnu-3248.30.4~1/RELEASE_X86_64
machine : x86_64
processor : i386


通常缺少的是操作系统版本,但您应该知道您正在运行Windows,Linux还是Mac平台独立的方法是使用此测试:

In []: for i in [platform.linux_distribution(),platform.mac_ver(),platform.win32_ver()]:
   ....:     if i[0]:
   ....:         print 'Version: ',i[0]


#21 楼

使用platform.system()

返回系统/ OS名称,例如“ Linux”,“ Darwin”,“ Java”,“ Windows”。如果无法确定该值,则返回一个空字符串。

import platform
system = platform.system().lower()

is_windows = system == 'windows'
is_linux = system == 'linux'
is_mac = system == 'darwin'


#22 楼

如果您正在运行macOS X并运行platform.system(),则会得到darwin
,因为macOS X是基于Apple的Darwin OS构建的。 Darwin是macOS X的内核,本质上是没有GUI的macOSX。

#23 楼

此解决方案适用于pythonjython

模块os_identify.py:

import platform
import os

# This module contains functions to determine the basic type of
# OS we are running on.
# Contrary to the functions in the `os` and `platform` modules,
# these allow to identify the actual basic OS,
# no matter whether running on the `python` or `jython` interpreter.

def is_linux():
    try:
        platform.linux_distribution()
        return True
    except:
        return False

def is_windows():
    try:
        platform.win32_ver()
        return True
    except:
        return False

def is_mac():
    try:
        platform.mac_ver()
        return True
    except:
        return False

def name():
    if is_linux():
        return "Linux"
    elif is_windows():
        return "Windows"
    elif is_mac():
        return "Mac"
    else:
        return "<unknown>" 


使用如下:

import os_identify

print "My OS: " + os_identify.name()


#24 楼

像下面这样的简单Enum实现如何?无需外部库!

import platform
from enum import Enum
class OS(Enum):
    def checkPlatform(osName):
        return osName.lower()== platform.system().lower()

    MAC = checkPlatform("darwin")
    LINUX = checkPlatform("linux")
    WINDOWS = checkPlatform("windows")  #I haven't test this one


只需使用枚举值即可访问

if OS.LINUX.value:
    print("Cool it is Linux")


PS这是python3

#25 楼

您可以查看pip-date软件包中pyOSinfo中的代码,以获取最相关的操作系统信息,如从Python发行版中所见。

人们要检查其操作系统的最常见原因之一是终端兼容性以及某些系统命令是否可用。不幸的是,此检查的成功在某种程度上取决于您的python安装和操作系统。例如,uname在大多数Windows python软件包中不可用。上面的python程序将为您显示os, sys, platform, site已提供的最常用的内置函数的输出。



因此,仅获取基本信息的最佳方法代码以它为例。 (我想我可以将其粘贴到此处,但是从政治上讲这不是正确的。)

#26 楼

我玩游戏迟到了,但是,以防万一有人需要它,我可以使用此函数对代码进行调整,使其可以在Windows,Linux和MacO上运行:

 import sys
def get_os(osoptions={'linux':'linux','Windows':'win','macos':'darwin'}):
    '''
    get OS to allow code specifics
    '''   
    opsys = [k for k in osoptions.keys() if sys.platform.lower().find(osoptions[k].lower()) != -1]
    try:
        return opsys[0]
    except:
        return 'unknown_OS'