将绝对路径与AHK的相对路径组合

时间:2015-04-21 21:12:18

标签: autohotkey

我正在寻找一个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位)。我试图将容量增加一倍但没有成功。此外,此代码是在Win XP(2012)下开发的。我想知道在Win 7 +下是否还推荐使用Shlwapi.dll?

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

行。说够了。有人可以帮我使用Shlwapi.dll在Unicode中工作还是指向另一种/更新的技术?

感谢您的帮助。

1 个答案:

答案 0 :(得分:4)

知道了!要使DllCall工作,有两件事需要注意:

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

    如果给定名称找不到任何功能,则会根据运行脚本的AutoHotkey版本自动附加A(ANSI)或W(Unicode)后缀。

    (来源: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,他们说......; - )