Я добился определенного прогресса, которым хотел бы поделиться. Это еще не полный, рабочий ответ, но я преодолел некоторые препятствия.
Скрипт Python3 для Linux:
def get_icon_positions_linux():
desktop= os.path.join(os.path.expanduser('~'), 'Desktop')
icons= {}
#try to find out the screen resolution
resolution= get_screen_resolution()
for name in os.listdir(desktop):
path= os.path.join(desktop, name)
data= subprocess.getoutput("gvfs-info -a 'metadata::nautilus-icon-position' "+shlex.quote(path))
if not data:
continue
match= re.search(r'(\d+),(\d+)\s*$', data)
x, y= int(match.group(1)), int(match.group(2))
if resolution is not None:
x/= resolution[0]
y/= resolution[1]
icons[name]= (x,y)
return icons
def set_icon_positions_linux(icons):
desktop= os.path.join(os.path.expanduser('~'), 'Desktop')
for name,(x,y) in icons.items():
path= os.path.join(desktop, name)
pos= ','.join(map(str, (x,y)))
subprocess.call(['gvfs-set-attribute', '-t', 'string', path, 'metadata::nautilus-icon-position', pos])
#FIXME: refresh desktop
И Windows:
def get_icon_positions_windows():
# retrieves icon locations from the Windows registry. More info can be found here:
# https://superuser.com/questions/625854/where-does-windows-store-icon-positions
#FIXME: before doing anything, make explorer save the current positions
import winreg
icons= {}
key= winreg.OpenKey(winreg.HKEY_CURRENT_USER, r'Software\Microsoft\Windows\Shell\Bags\1\Desktop')
#find the key with the current screen resolution
resolution= get_screen_resolution()
valuename= 'ItemPos'+ 'x'.join(map(str, resolution))
for index in range(1024):
value= winreg.EnumValue(key, index)
if value[0].startswith(valuename):
break
#parse the icon locations
data= value[1]
#first 16 bytes are junk
data= data[0x10:]
format= 'HHIHHH'
name_offset= struct.calcsize(format)
while True:
# What they call "unknown padding" is exactly what we're looking for.
x, y= struct.unpack_from('II', data) # (x,y) in pixels on the Desktop from the top left corner.
data= data[8:]
if len(data)<name_offset:
break
size, flags, filesize, date, time, fileattrs= struct.unpack_from(format, data)
if size==0:
break
chunk= data[:size]
data= data[size:]
if size>=0x15:
chunk= chunk[name_offset:]
name= chunk[:chunk.find(b'\0')].decode()
icons[name]= (x/resolution[0], y/resolution[1])
return icons
def set_icon_positions_windows(icons):
"""
WARNING: This will kill and restart the explorer.exe process!
"""
import winreg
key= winreg.OpenKey(winreg.HKEY_CURRENT_USER, r'Software\Microsoft\Windows\Shell\Bags\1\Desktop', 0, winreg.KEY_ALL_ACCESS)
#find the key with the current screen resolution
resolution= get_screen_resolution()
valuename= 'ItemPos'+ 'x'.join(map(str, resolution))
for index in range(1024):
value= winreg.EnumValue(key, index)
if value[0].startswith(valuename):
valuename= value[0]
break
old_data= value[1]
#first 16 bytes are junk
new_data= old_data[:0x10]
old_data= old_data[0x10:]
format= 'HHIHHH'
name_offset= struct.calcsize(format)
while True:
if len(old_data)<8+name_offset:
break
size, flags, filesize, date, time, fileattrs= struct.unpack_from(format, old_data[8:])
if size==0:
break
chunk= old_data[8:8+size]
if size>=0x15:
chunk= chunk[name_offset:]
name= chunk[:chunk.find(b'\0')].decode()
if name in icons:
#update the position
x, y= icons.pop(name)
new_data+= struct.pack('II', x, y)
#copy everything else
new_data+= old_data[8:8+size]
old_data= old_data[8+size:]
continue
#if it's an invalid struct (size<0x15) or we're not supposed to change this file's position, copy the old value
new_data+= old_data[:8+size]
old_data= old_data[8+size:]
#if there are still icons remaining, we must construct their data from scratch
for name,(x,y) in icons.items():
name= name.encode()
if len(name)%2:
name+= b'\0'
size= name_offset + len(name) + 4
chunk= struct.pack('II', x, y)
chunk+= struct.pack(format, size, 0, 0, 0, 0, 0) #FIXME: set sensible values
chunk+= name
chunk+= struct.pack('HH', 0, 0) #FIXME: set sensible values
new_data+= chunk
#whatever data remained, add it.
new_data+= old_data
winreg.SetValueEx(key, valuename, 0, winreg.REG_BINARY, new_data)
#restart explorer for changes to take effect
subprocess.call(['taskkill', '/f', '/im', 'explorer.exe'])
subprocess.Popen(r'start %WINDIR%\explorer.exe"', shell=True)
Код в настоящее время имеет следующие проблемы:
get_icon_positions_windows
не заставляет проводник Windows сохранять текущие местоположения значков. Создает снимок последних сохраненных местоположений.
set_icon_positions_linux
не обновляет рабочий стол. Возможно, вам придется нажать F5, чтобы изменения вступили в силу.
Идея состоит в том, чтобы использовать этот код для записи / загрузки позиций значков в / из файла всякий раз, когда пользователь выходит из системы или входит в нее. К сожалению, я еще не нашел способ выполнить команду при выходе из системы в Windows. (См. Мой другой вопрос)