使用 AHK 将绝对路径与相对路径结合起来

Combine absolute path with a relative path with AHK

我正在寻找一个 AHK 函数,它可以根据给定的基本绝对路径将相对路径扩展为绝对路径。

例如:

Base absolute path: C:\Windows\
Relative path: ..\Temp\
Result: C:\temp\

函数可以这样调用:

absPath := PathCombine("c:\Windows\", "..\Temp\") ; returns C:\Temp
absPath := PathCombine("c:\Windows\System32\", ".\..\..\Temp\") ; returns C:\Temp
absPath := PathCombine("c:", "\Temp\") ; returns C:\Temp
absPath := PathCombine("c:\Whathever", "C:\Temp") ; returns C:\Temp
absPath := PathCombine("c:", ".\Temp\") ; returns C:\[current folder on c:]\Temp

该函数必须支持多个相对路径。或 .. 和 \(如 ..\..\\Temp)。它还必须保持已经是绝对的相对路径不变。理想情况下,它还支持上面的最后一个示例,并考虑驱动器 c: 上的当前文件夹,例如 c: + .\temp.

我找到了这段代码 here:

PathCombine(dir, file) {
    VarSetCapacity(dest, 260, 1) ; MAX_PATH
    DllCall("Shlwapi.dll\PathCombineA", "UInt", &dest, "UInt", &dir, "UInt", &file)
    Return, dest
}

...但它不支持 Unicode(64 位)。我试图将 dest 的容量增加一倍,但没有成功。此外,此代码是在 Win XP (2012) 下开发的。不知在Win 7+下是否还推荐Shlwapi.dll?

还有其他基于字符串操作的尝试 here 但是,基于线程,我不确定这是否可以像 DLL 调用 Windows 函数一样可靠。

好的。说够了。有人可以帮助我使 Shlwapi.dll 在 Unicode 中工作或指出 another/newer 技术吗?

感谢您的帮助。

知道了!要使 DllCall 正常工作,需要注意两点:

  1. 将 "dest" 文本变量容量加倍。
  2. 将"Shlwapi.dll\PathCombineA"替换为"Shlwapi.dll\PathCombineW"(甚至用"Shlwapi.dll\PathCombine"替换,让AHK引擎根据需要将"A"或"W"添加到函数名称).

If no function can be found by the given name, an A (ANSI) or W (Unicode) suffix is automatically appended based on which version of AutoHotkey is running the script.

(来源:http://ahkscript.org/docs/commands/DllCall.htm

所以,同时适配ANSI和Unicode的函数为:

base := A_WinDir . "\System32\"
rel := "..\Media\Tada.wav"
MsgBox, % PathCombine(base, rel)
return

PathCombine(abs, rel) {
    VarSetCapacity(dest, (A_IsUnicode ? 2 : 1) * 260, 1) ; MAX_PATH
    DllCall("Shlwapi.dll\PathCombine", "UInt", &dest, "UInt", &abs, "UInt", &rel)
    Return, dest
}

RTFM,他们说... ;-)