8

我有一个使用cscript.exe. 它在桌面(和开始菜单)上创建一个快捷方式,该快捷方式cscript.exe使用参数运行以运行另一个 JScript 脚本。在相关部分,它看起来像这样:

function create_shortcut_at(folder, target_script_folder)
{
    var shell = new ActiveXObject("WScript.Shell");
    var shortcut = shell.CreateShortcut(folder + "\\Run The Script.lnk");
    shortcut.TargetPath = "cscript";
    shortcut.Arguments = "\""+target_script_folder+"\\script.js\" /aParam /orTwo";
    shortcut.IconLocation = target_script_folder+"\\icon.ico";
    shortcut.Save();
}

它被称为create_shortcut_at(desktop_folder, script_folder).

就目前而言,这很有效。它创建桌面图标,正确指向脚本并在双击时运行它。问题是它确实需要“以管理员身份”运行脚本。

而且该脚本确实需要“以管理员身份”运行——它安装应用程序(适用于所有用户)并重新启动计算机。(对于那些感兴趣的人,脚本是 wpkg.js。将其修改为自我提升是不可取的。)

由于快捷方式的目标实际上是“cscript.exe”,因此我不能使用清单进行升级。从理论上讲,我可能可以在 windows 目录中安装一个 cscript.exe.manifest,但即使这样可行,由于显而易见的原因,这将是一个糟糕的主意。

我也不想使用虚拟脚本,因为这是要处理的额外文件,而且手头还有另一个看似合理的解决方案:选中快捷方式上的“以管理员身份运行”框。

30 秒的调查表明 WScript.Shell ActiveX 对象没有为此所需的接口。其他调查表明 IShellLinkDataList 确实如此。但是,IShellLinkDataList 是一个通用的 COM 接口。我在互联网上看到了几个例子,大多数链接在这里。但是,所有示例都是在编译后的代码(C++、C#,甚至 JScript.NET)中完成的。我非常喜欢能够直接在 JScript 中执行此操作,从cscript.exe.

也就是说,我完全赞成我没有考虑过的想法或其他解决方案。

4

1 回答 1

8

将快捷方式文件标记为需要提升的官方方法是通过IShellLinkDataList. 在自动化环境中使用该界面很困难。

但是,如果您对 hack 感到满意,您可以在脚本中完成,只需在 .lnk 文件中翻转一点即可。

当您勾选 Shell Properties 框的 Advanced 选项卡中的“以管理员身份运行”框时,或者当您使用 IShellLinkDataList 将标志设置为 includeSLDF_RUNAS_USER时,您基本上只是在文件中设置了一位。

您可以“手动”执行此操作,而无需通过 COM 接口。它是字节 21,您需要将 0x20 位设置为打开。

(function(globalScope) {
    'use strict';
    var fso = new ActiveXObject("Scripting.FileSystemObject"),
        path = "c:\\path\\goes\\here\\Shortcut2.lnk",
        shortPath = path.split('\\').pop(),
        newPath = "new-" + shortPath;

    function readAllBytes(path) {
        var ts = fso.OpenTextFile(path, 1), a = [];
        while (!ts.AtEndOfStream)
            a.push(ts.Read(1).charCodeAt(0));
        ts.Close();
        return a;
    }

    function writeBytes(path, data) {
        var ts = fso.CreateTextFile(path, true),
            i=0, L = data.length;
        for (; i<L; i++) {
            ts.Write(String.fromCharCode(data[i]));
        }
        ts.Close();
    }

    function makeLnkRunAs(path, newPath) {
        var a = readAllBytes(path);
        a[0x15] |= 0x20; // flip the bit. 
        writeBytes(newPath, a);
    }

    makeLnkRunAs(path, newPath);

}(this));

ps:

function createShortcut(targetFolder, sourceFolder){
    var shell = new ActiveXObject("WScript.Shell"),
        shortcut = shell.CreateShortcut(targetFolder + "\\Run The Script.lnk"),
        fso = new ActiveXObject("Scripting.FileSystemObject"),
        windir = fso.GetSpecialFolder(specialFolders.windowsFolder);

    shortcut.TargetPath = fso.BuildPath(windir,"system32\\cscript.exe");
    shortcut.Arguments = "\"" + sourceFolder + "\\script.js\" /aParam /orTwo";
    shortcut.IconLocation = sourceFolder + "\\icon.ico";
    shortcut.Save();
}
于 2012-06-23T01:50:47.320 回答