如何为当前用户以外的特定用户获取“本地设置”或“本地Appdata”等shell文件夹的路径?
答案 0 :(得分:2)
虽然有一些方法可以在Windows脚本宿主中获取特殊文件夹路径 - WshShell.SpecialFolders
和Shell.NameSpace
- 但它们只返回当前用户的路径。获取其他用户的特殊文件夹路径有点棘手。
执行此操作的正确方法是在Vista之前的Windows版本上使用Windows API SHGetKnownFolderPath
功能(或SHGetFolderPath
)。但问题是,Windows Script Host不支持调用WinAPI函数,因此要在脚本中使用这些函数,您必须通过自定义编写的COM组件公开它们。
另一种可能但未记录的解决方案是从该用户的注册表配置单元中读取特殊文件夹路径,特别是HKEY_USERS\<user_SID>\Software\Microsoft\Windows\CurrentVersion\Explorer\User Shell Folders
密钥。
User Shell Folders
密钥中的路径通常使用%USERPROFILE%
环境变量指定;因此,要获得完全限定的路径,您必须使用ProfileImagePath
键中的HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\ProfileList\<user_SID>
值替换此变量。
此外,HKEY_USERS\<user_SID>
键仅在相应用户当前登录时可用。对于一般解决方案,您必须将用户的配置单元(&lt; UserProfile&gt; \ ntuser = )加载到临时注册表项(例如,HKEY_USERS\Temp
)并从此键读取值代替。
下面是演示如何完成任务的示例JScript代码。在Windows 7和Vista上,您可能需要以管理员身份运行脚本,具体取决于您的UAC设置。
注意:不鼓励这种方法,正如Raymond Chen在他的文章The long and sad story of the Shell Folders key中解释的那样。无法保证它将在未来的Windows版本中继续使用。
var strUser = "foo";
var strDomain = "bar";
// If the account is local, domain name = computer name:
// var strDomain = getComputerName();
var strSID = getSID(strUser, strDomain);
var strProfilePath = getProfilePath(strSID);
// Load the user's registry hive into the HKEY_USERS\Temp key
var strTempKey = "Temp";
loadHKUHive(strTempKey, strProfilePath + "\\ntuser.dat");
// Get unexpanded path, e.g. %USERPROFILE%\AppData\Roaming
//var strAppData = getAppData(strSID);
var strAppData = getAppData(strTempKey);
WScript.Echo(strAppData);
// Expand the previous value to a fully-qualified path, e.g. C:\Users\foo\AppData\Roaming
strAppData = strAppData.replace(/%USERPROFILE%/i, strProfilePath);
WScript.Echo(strAppData);
// Unload the user's registry hive
unloadHKUHive(strTempKey);
function getComputerName() {
var oShell = new ActiveXObject("WScript.Shell");
return oShell.ExpandEnvironmentStrings("%COMPUTERNAME%");
}
function getSID(strUser, strDomain) {
var oAccount = GetObject("winmgmts:root/cimv2:Win32_UserAccount.Name='" + strUser + "',Domain='" + strDomain + "'");
return oAccount.SID;
}
function getProfilePath(strSID) {
var oShell = new ActiveXObject("WScript.Shell");
var strValue = oShell.RegRead("HKLM\\Software\\Microsoft\\Windows NT\\CurrentVersion\\ProfileList\\" + strSID + "\\ProfileImagePath");
return strValue;
}
function getAppData(strSID) {
var oShell = new ActiveXObject("WScript.Shell");
var strValue = oShell.RegRead("HKEY_USERS\\" + strSID + "\\Software\\Microsoft\\Windows\\CurrentVersion\\Explorer\\User Shell Folders\\AppData");
return strValue;
}
function loadHKUHive(strKeyName, strHiveFile) {
var oShell = new ActiveXObject("WScript.Shell");
oShell.Run("reg load HKU\\" + strKeyName + " " + strHiveFile, 0, true);
}
function unloadHKUHive(strKeyName) {
var oShell = new ActiveXObject("WScript.Shell");
oShell.Run("reg unload HKU\\" + strKeyName, 0, true);
}