Getting name of windows computer running python script?
I have a couple Windows computers on my network that will be running a python script. A different set of configuration options should be used in the script depending on which computer is running this script.
How would I get that computer name in the python script?
Let's say the script was running on a computer named DARK-TOWER, I'd like to write something like this:
>>> python.library.get_computer_name()
'DARK-TOWER'
Is there a standard or third party library I can use?
Solution 1:
It turns out there are three options (including the two already answered earlier):
>>> import platform
>>> import socket
>>> import os
>>> platform.node()
'DARK-TOWER'
>>> socket.gethostname()
'DARK-TOWER'
>>> os.environ['COMPUTERNAME']
'DARK-TOWER'
Solution 2:
import socket
socket.gethostname()
Solution 3:
From https://mail.python.org/pipermail/python-list/2006-April/397494.html
import os
os.getenv('COMPUTERNAME')
Solution 4:
As Eric Palakovich Carr said you could use these three variants.
I prefer using them together:
def getpcname():
n1 = platform.node()
n2 = socket.gethostname()
n3 = os.environ["COMPUTERNAME"]
if n1 == n2 == n3:
return n1
elif n1 == n2:
return n1
elif n1 == n3:
return n1
elif n2 == n3:
return n2
else:
raise Exception("Computernames are not equal to each other")
I prefer it when developing cross patform applications to be sure ;)
Solution 5:
Since the python scrips are for sure running on a windows system, you should use the Win32 API GetComputerName or GetComputerNameEx
You can get the fully qualified DNS name, or NETBIOS name, or a variety of different things.
import win32api
win32api.GetComputerName()
>>'MYNAME'
Or:
import win32api
WIN32_ComputerNameDnsHostname = 1
win32api.GetComputerNameEx(WIN32_ComputerNameDnsHostname)
>> u'MYNAME'