我想使用客户端用户的凭据访问数据库。
Task.Run(() =>
{
// Connect to DB.
}
<identity impersonate="true" />
<validation validateIntegratedModeConfiguration="false" />
<authentication mode="Windows" />
我对这是如何运作感到茫然,或者我完全误解了它。
答案 0 :(得分:4)
根据您的评论,您似乎在任务中运行System.Security.Principal.WindowsIdentity.GetCurrent().Name
,并获取App Pool的身份而不是模拟用户的身份。这是一个常见问题(请查看this question I asked a while back)。
然而,有一种解决方法。如果您仍希望任务作为模拟用户运行,则必须在任务运行之前保存当前用户的标记 并尝试“重新模拟”任务的上下文,如下所示:
IntPtr currentUser = WindowsIdentity.GetCurrent().Token; // This token points to the impersonated user
Task.Run(() =>
{
using (WindowsIdentity.Impersonate(token))
{
// Connect to DB.
}
}
这可确保Using
块中的任何内容都以模拟用户的身份运行。
答案 1 :(得分:1)
这个躺着怎么说:
Windows Interop ...
public static class Win32LogonInterop
{
[SecurityPermission(SecurityAction.LinkDemand, Flags = SecurityPermissionFlag.UnmanagedCode)]
public static WindowsIdentity LogOn(string domain, string userName, string password)
{
IntPtr token = IntPtr.Zero;
if (NativeMethods.LogonUser(userName, domain, password, ConnectionKind.NewCredentials, Provider.Default, out token))
{
return new WindowsIdentity(token);
}
else
{
RaiseError();
return null;
}
}
[SecurityPermission(SecurityAction.LinkDemand, Flags = SecurityPermissionFlag.UnmanagedCode)]
public static void LogOff(WindowsIdentity identity)
{
if (identity != null)
{
if (!NativeMethods.CloseHandle(identity.Token))
RaiseError();
}
}
[SecurityPermission(SecurityAction.LinkDemand, Flags = SecurityPermissionFlag.UnmanagedCode)]
private static void RaiseError()
{
int errorCode = Marshal.GetLastWin32Error();
throw new Win32Exception(errorCode);
}
}
internal static class NativeMethods
{
[DllImport("advapi32.dll", SetLastError = true)]
[return: MarshalAs(UnmanagedType.Bool)]
public static extern bool LogonUser(
string userName,
string domain,
string password,
ConnectionKind connectionKind,
Provider provider,
out IntPtr token);
[DllImport("kernel32.dll", CharSet = CharSet.Auto, SetLastError = true)]
[return: MarshalAs(UnmanagedType.Bool)]
public static extern bool CloseHandle(IntPtr handle);
}
public enum Provider
{
Default = 0,
WindowsNT35 = 1,
WindowsNT40 = 2,
WindowsNT50 = 3
}
public enum SecurityLevel
{
Anonymous = 0,
Identification = 1,
Impersonation = 2,
Delegation = 3
}
public enum ConnectionKind
{
Unknown = 0,
Interactive = 2,
Network = 3,
Batch = 4,
Service = 5,
Unlock = 7,
NetworkClearText = 8,
NewCredentials = 9
}
假冒方法......
private void MyMethod(string domain, string userName, string password)
{
WindowsIdentity _identity = Win32LogonInterop.LogOn(domain, userName, password);
WindowsImpersonationContext impersonation = null;
try
{
impersonation = _identity.Impersonate();
// Stuff that needs impersonation
}
finally
{
if (impersonation != null)
{
impersonation.Undo();
impersonation.Dispose();
}
if (_identity != null)
{
Win32LogonInterop.LogOff(_identity);
}
}
}