Click here to Skip to main content
15,868,101 members
Articles / Programming Languages / C#
Article

LSA Functions - Privileges and Impersonation

Rate me:
Please Sign up or sign in to vote.
4.46/5 (31 votes)
27 Aug 2003CPOL2 min read 260K   4.3K   64   53
Managing privileges and impersonating users

Introduction

Sometimes you want your application to do things which the user himself may never do. For example, your application has to read a public folder on an exchange server, but the folder is hidden from the active user for good reasons. Now you need LSA functions, to manage privileges and impersonate another user. This article explains how to import the LSA functions, add rights to accounts and impersonate different users.

SIDs, Policies and Rights

Whenever you alter the privileges of an account, you need its Security Identifier (SID). You can find any account using LookupAccountName.

C#
[DllImport( "advapi32.dll", CharSet=CharSet.Auto, 
    SetLastError=true, PreserveSig=true)]
private static extern bool LookupAccountName( 
    string lpSystemName, string lpAccountName, 
    IntPtr psid, ref int cbsid, 
    StringBuilder domainName, ref int cbdomainLength, 
    ref int use ); 

Before adding  or removing any privileges, we need a policy handle. LsaOpenPolicy opens a handle:

C#
[DllImport("advapi32.dll", PreserveSig=true)]
private static extern UInt32 LsaOpenPolicy(
    ref LSA_UNICODE_STRING SystemName,
    ref LSA_OBJECT_ATTRIBUTES ObjectAttributes,
    Int32 DesiredAccess,
    out IntPtr PolicyHandle ); 

Using the SID and the policy handle, LsaAddAccountRights can add privileges:

C#
[DllImport("advapi32.dll", SetLastError=true, PreserveSig=true)]
private static extern long LsaAddAccountRights(
    IntPtr PolicyHandle, IntPtr AccountSid, 
    LSA_UNICODE_STRING[] UserRights,
    long CountOfRights ); 

The LSA functions work with Unicode strings, so we have to use the LSA_UNICODE_STRING structure. This structure contains a buffer for the string, an two integers for the length of the buffer and the length of the actual string in the buffer:

C#
[StructLayout(LayoutKind.Sequential)]
private struct LSA_UNICODE_STRING 
{ 
  public UInt16 Length; 
  public UInt16 MaximumLength; 
  public IntPtr Buffer; 
} 

Now it's time to call these functions. First, find the desired account and retrieve the SID.

C#
//pointer an size for the SID
IntPtr sid = IntPtr.Zero;
int sidSize = 0; 

//StringBuilder and size for the domain name
StringBuilder domainName = new StringBuilder();
int nameSize = 0;

//account-type variable for lookup
int accountType = 0; 

//get required buffer size
LookupAccountName(String.Empty, accountName, sid, ref sidSize, 
    domainName, ref nameSize, ref accountType); 

//allocate buffers
domainName = new StringBuilder(nameSize);
sid = Marshal.AllocHGlobal(sidSize);

//lookup the SID for the account
bool result = LookupAccountName(String.Empty, accountName, sid, 
    ref sidSize, domainName, ref nameSize, ref accountType); 

And secondly, open a policy handle.

C#
//initialize an empty unicode-string
LSA_UNICODE_STRING systemName = new LSA_UNICODE_STRING(); 

//initialize a pointer for the policy handle
IntPtr policyHandle = IntPtr.Zero; 

//these attributes are not used, but LsaOpenPolicy 
//wants them to exists
LSA_OBJECT_ATTRIBUTES ObjectAttributes = new LSA_OBJECT_ATTRIBUTES();

//get a policy handle
uint resultPolicy = LsaOpenPolicy(ref systemName, ref ObjectAttributes, 
    access, out policyHandle);

And finally we are ready to add privileges.

C#
//initialize an unicode-string for the privilege name
LSA_UNICODE_STRING[] userRights = new LSA_UNICODE_STRING[1]; 
userRights[0] = new LSA_UNICODE_STRING(); 
userRights[0].Buffer = Marshal.StringToHGlobalUni(privilegeName); 
userRights[0].Length = (UInt16)( privilegeName.Length * 
    UnicodeEncoding.CharSize ); 
userRights[0].MaximumLength = (UInt16)( (privilegeName.Length+1) * 
    UnicodeEncoding.CharSize );

//add the privilege to the account 
long res = LsaAddAccountRights(policyHandle, sid, userRights, 1);
winErrorCode = LsaNtStatusToWinError(res); 
if(winErrorCode != 0)
{ 
    Console.WriteLine("LsaAddAccountRights failed: "+ winErrorCode); 
} 
//close all handles 
LsaClose(policyHandle); 
FreeSid(sid); 

More LSA

Now we can manage user's privileges - but how about being another user? LSA includes a set of functions to impersonate any user. This means, performing an invisible logon an switch between our own identity and the new one.

For example, if you're writing a service and you don't get along with network access of the local service authority, you can define a special domain account for your service and impersonate it at runtime. LogonUser is the function to authenticate a user against a domain:

C#
[DllImport("advapi32.dll")]
private static extern bool LogonUser( 
    String lpszUsername, 
    String lpszDomain, 
    String lpszPassword, 
    int dwLogonType, 
    int dwLogonProvider, 
    ref IntPtr phToken );

LogonUser verifies the logon parameters an creates a security token. Whenever a user logs onto a workstation, a security token is created. All applications launched by this user hold a copy of this token. He have to copy our new token using DuplicateToken.

C#
[DllImport("advapi32.dll")]
private static extern bool DuplicateToken( 
    IntPtr ExistingTokenHandle, 
    int ImpersonationLevel, 
    ref IntPtr DuplicateTokenHandle );

Now we got a copy of the security token, we can create a WindowsIdentity and impersonate the user. The .NET framework contains classes for impersonating users, once we got the right token.

C#
using System.Security.Principal;
//...
WindowsIdentity newId = new WindowsIdentity(duplicateTokenHandle);
WindowsImpersonationContext impersonatedUser = newId.Impersonate();

Of course we have to free the handles at last.

C#
if (existingTokenHandle != IntPtr.Zero)
{ 
    CloseHandle(existingTokenHandle); 
} 
if (duplicateTokenHandle != IntPtr.Zero)
{ 
    CloseHandle(duplicateTokenHandle); 
} 

When we have finished the special tasks, we can switch back to our normal identity

C#
impersonatedUser.Undo(); 

Using the code

In the LogonDemo project there are LsaUtility.cs and LogonUtility.cs. LsaUtility.cs imports the functions necessary for managing privileges and contains the static method

SetRight (String 
accountName, String privilegeName)
. It adds a named privilege to an account. LogonUtility.cs contains everything you need to impersonate a user.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Germany Germany
Corinna lives in Hanover/Germany and works as a C# developer.

Comments and Discussions

 
QuestionSmall memory leak Pin
MrMikeJJ7-Sep-16 2:30
MrMikeJJ7-Sep-16 2:30 
QuestionImmediate effect Pin
FredWah30-Dec-15 9:23
FredWah30-Dec-15 9:23 
QuestionProblems when running this code on Microsoft Server 2012 Pin
Uittenhove18-May-15 22:10
Uittenhove18-May-15 22:10 
AnswerRe: Problems when running this code on Microsoft Server 2012 Pin
Uittenhove21-May-15 2:18
Uittenhove21-May-15 2:18 
QuestionHow to use it in windows 8.1 Pin
er.prakash.bhatta28-Oct-14 22:14
er.prakash.bhatta28-Oct-14 22:14 
QuestionMassively Helpful Pin
golyaht2-Aug-13 10:56
golyaht2-Aug-13 10:56 
QuestionChceck "SeServiceLogonRight already" exist or not for user? Pin
ankyshah26-Jan-11 20:06
ankyshah26-Jan-11 20:06 
GeneralNice article, even if there are some errors. Pin
iq-man29-Nov-09 22:09
iq-man29-Nov-09 22:09 
GeneralRe: Nice article, even if there are some errors. Pin
alexdresko23-Dec-09 8:37
alexdresko23-Dec-09 8:37 
GeneralRe: Nice article, even if there are some errors. Pin
iq-man26-Dec-09 2:11
iq-man26-Dec-09 2:11 
GeneralRe: Nice article, even if there are some errors. Pin
alexdresko26-Dec-09 7:21
alexdresko26-Dec-09 7:21 
Well that makes me feel better. I was able to get the fixed code working that someone else posted. Of course, based on the comments within, it seems like they "fixed" it, and then put it back the way it was originally because it wasn't broken in the first place. Smile | :)

I'm not a player, I just code a lot!
Alex Dresko

GeneralA bit messy... Pin
Jecho Jekov12-Jun-09 9:35
Jecho Jekov12-Jun-09 9:35 
GeneralRe: A bit messy... Pin
Mark Richards27-Mar-12 5:24
Mark Richards27-Mar-12 5:24 
GeneralRe: A bit messy... Pin
aravind.sr712-Feb-18 21:44
aravind.sr712-Feb-18 21:44 
QuestionError adding "Logon As Service" right to User Account Pin
sullivrp2-Jun-09 7:00
sullivrp2-Jun-09 7:00 
AnswerRe: Error adding "Logon As Service" right to User Account Pin
sullivrp3-Jun-09 8:48
sullivrp3-Jun-09 8:48 
GeneralRe: Error adding "Logon As Service" right to User Account Pin
Corinna John3-Jun-09 9:14
Corinna John3-Jun-09 9:14 
GeneralRe: Error adding "Logon As Service" right to User Account Pin
sullivrp3-Jun-09 10:22
sullivrp3-Jun-09 10:22 
GeneralRe: Error adding "Logon As Service" right to User Account Pin
Corinna John3-Jun-09 10:51
Corinna John3-Jun-09 10:51 
GeneralRe: Error adding "Logon As Service" right to User Account Pin
sullivrp4-Jun-09 5:39
sullivrp4-Jun-09 5:39 
AnswerRe: Error adding "Logon As Service" right to User Account Pin
ankyshah26-Jan-11 20:08
ankyshah26-Jan-11 20:08 
Questionhow give user'privilege to a programm ? Pin
vincent3120-Oct-06 6:45
vincent3120-Oct-06 6:45 
AnswerRe: how give user'privilege to a programm ? Pin
vincent3120-Oct-06 7:57
vincent3120-Oct-06 7:57 
GeneralLsaNtStatusToWinError work incorect. Pin
Seregil15-Jun-06 1:02
Seregil15-Jun-06 1:02 
GeneralChanging Domain Group Policy Pin
Scott S.22-May-06 5:29
Scott S.22-May-06 5:29 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.