gpt4 book ai didi

Python - 检查网络 map

转载 作者:太空宇宙 更新时间:2023-11-03 11:11:21 24 4
gpt4 key购买 nike

我正在寻找一些逻辑方面的帮助,代码不是很 Pythonic 我还在学习中。我们一直将 Z: 驱动器映射到不同的位置。这是我想要完成的事情

1:检查 Z 上的旧 map :比如\192.168.1.100\old
2:将新位置映射到 Z:比如\192.168.1.200\new
3: 确保新的 Z: 映射存在并且仍然连接
4:如果它断开连接或未映射,请重新连接并记录它

90% 的代码有效,如果我按原样运行它,它会取消旧驱动器的映射并映射新驱动器,但旧驱动器的名称保持不变,即使它已映射到新位置,我也可以浏览它.另一个问题是我只想运行一次 checkOldDrive 并让 checkDrive 运行。任何建议表示赞赏。

#!/usr/bin/python
import pywintypes
import win32com.client
import os.path
import sys
import string
import fileinput
import time
import win32net
##################################################################
# Check for old Z: map and remove it
# Map the new instance of Z:
# Check if the Z: drive exists
# if the drive exists report to status.log we are working
# if the drive DOES NOT exist map it and report errors to the log
###################################################################
def checkDrive():
if os.path.exists('z:'):
saveout = sys.stdout
fsock = open('status.log', 'a')
sys.stdout = fsock
print os.getenv("COMPUTERNAME"), " - ", time.ctime(), " - Connected"
sys.stdout = saveout
fsock.close()
else:
ivvinetwork = win32com.client.Dispatch('Wscript.Network')
network_drives = ivvinetwork.EnumNetworkDrives()
for mapped_drive in [network_drives.Item(i)
for i in range(0, network_drives.Count() -1 , 2)
if network_drives.Item(i)]:
ivvinetwork.RemoveNetworkDrive(mapped_drive, True, True)
drive_mapping = [
('z:', '\\\\192.168.1.100\\newmap', 'someuser', 'somepass')]
for drive_letter, network_path, user_name, user_pass in drive_mapping:
try:
ivvinetwork.MapNetworkDrive(drive_letter, network_path, True, user_name, user_pass)
saveout = sys.stdout
fsock = open('status.log', 'a')
sys.stdout = fsock
print os.getenv("COMPUTERNAME"), " - ", time.ctime(), " - ", drive_mapping, "Drive Has Been Mapped"
sys.stdout = saveout
fsock.close()
except Exception, err:
saveout = sys.stdout
fsock = open('status.log', 'a')
sys.stdout = fsock
print os.getenv("COMPUTERNAME"), " - ", time.ctime(), " - ", err
sys.stdout = saveout
fsock.close()

def checkOldDrive():
if os.path.exists('z:'):
ivvinetwork = win32com.client.Dispatch('Wscript.Network')
network_drives = ivvinetwork.EnumNetworkDrives()
for mapped_drive in [network_drives.Item(i)
for i in range(0, network_drives.Count() -1 , 2)
if network_drives.Item(i)]:
ivvinetwork.RemoveNetworkDrive(mapped_drive, True, True)

checkOldDrive()
checkDrive()

最佳答案

我已经根据您布置的脚本编写了一个脚本,我相信它可以完成您所描述的内容。

我尝试以一种既符合 Pythonic 又遵循良好编程原则的方式来实现。

特别是,我做了以下事情:

  • 将大部分功能模块化为可重用的函数
  • 尽可能避免重复。我没有排除硬编码的“Z:”驱动器。我将其留给您作为练习(如您认为合适)。
  • 将日志记录定义分解到一个位置(因此格式等是一致的且不重复)。日志记录模块让这一切变得简单。
  • 将所有代码移出顶级范围(一些全局常量除外)。这允许脚本直接运行或由另一个脚本作为模块导入。
  • 添加了一些文档字符串以帮助记录每个函数的作用。
  • 让每个功能都简短明了 - 以便在单个屏幕上和单独的上下文中更容易阅读。

当然,还有一些改进的余地,但我已经测试了这个脚本并且它可以正常工作。它应该提供一些很好的教训,同时还可以帮助您完成任务。享受吧。

#!/usr/bin/env python
import os
import time
import win32com.client
import logging

old_mappings = [
r'\\192.168.1.100\old',
]
new_mapping = r'\\192.168.1.200\new'
LOG_FILENAME = 'status.log'

def main():
"""
Check to see if Z: is mapped to the old server; if so remove it and
map the Z: to the new server.

Then, repeatedly monitor the Z: mapping. If the Z: drive exists,
report to status.log that we are working. Otherwise, re-map it and
report errors to the log.
"""
setupLogging()
replaceMapping()
monitorMapping()

def replaceMapping():
if removeMapping():
createNewMapping()

def setupLogging():
format = os.environ['COMPUTERNAME'] + " - %(asctime)s - %(message)s"
logging.basicConfig(filename=LOG_FILENAME, level=logging.DEBUG, format=format)

def getCredentials():
"""
Return one of three things:
- an empty tuple
- a tuple containing just a username (if a password is not required)
- a tuple containing username and password
"""
return ('someuser', 'somepass')

def createNewMapping():
network = win32com.client.Dispatch('WScript.Network')
params = (
'Z:', # drive letter
new_mapping, # UNC path
True, # update profile
)
params += getCredentials()
try:
network.MapNetworkDrive(*params)
msg = '{params} - Drive has been mapped'
logging.getLogger().info(msg.format(**vars()))
except Exception as e:
msg = 'error mapping {params}'
logging.getLogger().exception(msg.format(**vars()))

def monitorMapping():
while True:
# only check once a minute
time.sleep(60)
checkMapping()

def checkMapping():
if getDriveMappings()['Z:'] == new_mapping:
msg = 'Drive is still mapped'
logging.getLogger().info(msg.format(**vars()))
else:
replaceMapping()

# From Python 2.6.4 docs
from itertools import izip_longest
def grouper(n, iterable, fillvalue=None):
"grouper(3, 'ABCDEFG', 'x') --> ABC DEF Gxx"
args = [iter(iterable)] * n
return izip_longest(fillvalue=fillvalue, *args)

def getDriveMappings():
"""
Return a dictionary of drive letter to UNC paths as mapped on the
system.
"""
network = win32com.client.Dispatch('WScript.Network')
# http://msdn.microsoft.com/en-us/library/t9zt39at%28VS.85%29.aspx
drives = network.EnumNetworkDrives()
# EnumNetworkDrives returns an even-length array of drive/unc pairs.
# Use grouper to convert this to a dictionary.
result = dict(grouper(2, drives))
# Potentially several UNC paths will be connected but not assigned
# to any drive letter. Since only the last will be in the
# dictionary, remove it.
if '' in result: del result['']
return result

def getUNCForDrive(drive):
"""
Get the UNC path for a mapped drive.
Throws a KeyError if no mapping exists.
"""
return getDriveMappings()[drive.upper()]

def removeMapping():
"""
Remove the old drive mapping. If it is removed, or was not present,
return True.
Otherwise, return False or None.
"""
mapped_drives = getDriveMappings()
drive_letter = 'Z:'
if not drive_letter in mapped_drives:
return True
if mapped_drives[drive_letter] in old_mappings:
network = win32com.client.Dispatch('WScript.Network')
force = True
update_profile = True
network.RemoveNetworkDrive(drive_letter, force, update_profile)
return True
# return None

if __name__ == '__main__':
main()

关于Python - 检查网络 map ,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/2244767/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com