Parsing Command Line Output In Windows With Python
I essentially want to get some values from a command like 'ipconfig', but when I print the output of the command I get alot of newline characters and spaces. Code I've Tried: >&
Solution 1:
We get the output, decode it so it's a str
, then iterate over its lines.
We'll store each separate adapter as a dict
in a dict
named adapters
.
In the output, preceding the details of each adapter is a line starting with "Ethernet adapter "
. We get the adapter's name by splicing the line from after the string "Ethernet adapter "
to just before the ":"
which is at index -1
.
After that, it is assumed any line with " : "
in it has details about the current adapter. So we split the line at " : "
, clean it up a bit, and use them as key/value pairs for our current_adapter
dict
which we created earlier.
import subprocess
adapters = {}
output = subprocess.check_output("ipconfig").decode()
for line in output.splitlines():
term = "Ethernet adapter "
if line.startswith(term):
adapter_name = line[len(term):-1]
adapters[adapter_name] = {}
current_adapter = adapters[adapter_name]
continue
split_at = " : "
if split_at in line:
key, value = line.split(split_at)
key = key.replace(" .", "").strip()
current_adapter[key] = value
for adapter_name, adapter in adapters.items():
print(f"{adapter_name}:")
for key, value in adapter.items():
print(f" '{key}' = '{value}'")
print()
Output:
Ethernet:
'Connection-specific DNS Suffix' = ''
'Link-local IPv6 Address' = 'fe80::...'
'IPv4 Address.' = '192.168.255.255'
'Subnet Mask' = '255.255.255.255'
'Default Gateway' = '192.168.255.255'
VMware Network Adapter VMnet1:
'Connection-specific DNS Suffix' = ''
'Link-local IPv6 Address' = 'fe80::...'
'IPv4 Address.' = '192.168.255.255'
'Subnet Mask' = '255.255.255.255'
'Default Gateway' = ''
VMware Network Adapter VMnet8:
'Connection-specific DNS Suffix' = ''
'Link-local IPv6 Address' = 'fe80::...'
'IPv4 Address.' = '192.168.255.255'
'Subnet Mask' = '255.255.255.255'
'Default Gateway' = ''
Post a Comment for "Parsing Command Line Output In Windows With Python"