Click here to Skip to main content
15,867,453 members
Articles / Programming Languages / C#

SCCM 2007 User Interactive Task Sequence

Rate me:
Please Sign up or sign in to vote.
5.00/5 (2 votes)
31 Aug 2011CPOL5 min read 53.7K   703   3   9
This is a tutorial on expanding the behavior of a SCCM 2007 Task Sequence to interact with a user

Introduction

Microsoft says this isn't possible... I beg to differ!

SCCM 2007 has a very useful feature called Operating System Deployment(OSD). OSD task sequences(TS) is a conditions engine that is quite powerful that can do anything from install applications to running tools that return information about a remote system that is running the TS. Knowing this, OSD and TS is created with the intention you are going to be using it like MDT and automating an imaging process, but TS has the potential to do so much more. That is where this tool comes into play. Imagine you need to install a bank of applications in a certain order, which can be done already, but you need the user to interact with this install process (answer a question or select options). Currently, SCCM 2007 Task Sequences have no ability to interact with the user. Searching the web, you will find a few dark corners that talk about how it can be done (See this link). I took the ideas of blogs like this and created a C# version using http://pinvoke.net/ as a reference for my Windows API calls I needed.

Using the SCCM 2007 Console for Interactive Task Sequences

I setup this project with only the basics. Expand on it as you wish. Let's get into using TS in SCCM 2007 Console, then review the code!

First you would open your SCCM 2007 console and navigate to the OSD section. Under OSD, you will see a TS section. You can organize these into function folders. I create one called Test and stick my experiments in there.

sccm_console.png

Once you have a folder, you can click new task sequence and a wizard will appear.

new_task_sequence.png

Select 'Create a new custom task sequence'. This will give you a blank TS.

new_TS.png

In your new TS, Click Add > general > Run Command Line.

ts_add.png

This is where the magic will happen. This app we create is nothing more than an application launcher that will make the given app appear to the user at any given step in a TS after any given conditions are met, changing that default behavior of the TS that everything is hidden from the user!

pick_a_package.png

You will want to have the launcher.exe and launch2interactiveuser.exe in a SCCM Package along with any other executable you are wanting the user to use as part of the step. The 'Package' check box needs to be used and selected.

Using the Code

Now let's get into the code. This process is basically duplicating a token of the currently logged in user and executing the target executable with that duplicate token.

I ran into an issue with launching a external application directly from my code... I needed the exit code to return to launch2interactiveuser.exe so I could return it to the TS engine to make more decisions in the TS Steps. When launching in the context of the logged in user, the launched app ran in a different process. So solve this, you will see a small executable at the bottom called launcher.exe that I use to pass the exit code back to launch2interactiveuser.exe. I'm sure there are more elegant ways to do this, but I was going for a quick and simple way that works for almost every situation in an enterprise.

C#
namespace launch2InteractiveUser
{
    class Program
    {

Provide some references to DLLs we need further down to launch an app into a logged in users session and duplicate their token.

C#
[DllImport("advapi32", SetLastError = true),
SuppressUnmanagedCodeSecurityAttribute]
static extern int OpenProcessToken(
System.IntPtr ProcessHandle, // handle to process
int DesiredAccess, // desired access to process
ref IntPtr TokenHandle // handle to open access token
);

[DllImport("kernel32", SetLastError = true),
SuppressUnmanagedCodeSecurityAttribute]
static extern bool CloseHandle(IntPtr handle);
[DllImport("advapi32.dll", CharSet = CharSet.Auto, SetLastError = true)]
public extern static bool DuplicateToken(IntPtr ExistingTokenHandle,
int SECURITY_IMPERSONATION_LEVEL, ref IntPtr DuplicateTokenHandle);

public const int TOKEN_DUPLICATE = 2;
public const int TOKEN_QUERY = 0X00000008;
public const int TOKEN_IMPERSONATE = 0X00000004;
public static string User;
public static string Domain;
public static string OwnerSID; 
C#
static void Main(string[] args)
{
    string app = "";
    string arg = ""; 

So the following command line arguments setup the target app we are launching to the user.

C#
int timeout = 1800000;

foreach (string s in args)
{
    if (s.Contains("/app="))
        app = s.Substring(5);
    if (s.Contains("/args="))
        arg = s.Substring(6);
    if (s.Contains("/timeout="))
        timeout = Int32.Parse(s.Substring(9));
}
string USERID = "";

Here, we make a call to WMI to get the logged in user:

C#
using (ManagementClass computer = new ManagementClass("Win32_ComputerSystem"))
{
    ManagementObjectCollection localComputer = computer.GetInstances();
    foreach (ManagementObject mo in localComputer)
    {
        try
        {
            //get login user data
            USERID = mo["UserName"].ToString();
            Console.WriteLine("User name in Win32_ComputerSystem(" + USERID + ")");
        }
        catch (Exception er)
        {
            Environment.Exit(999);
        }
    }
}
//Console.ReadKey(true);

If the user is available, we find ANY process that is running by the user. User, Domain, and OwnerID is set when GetProcessInfoByPID is called (method shown below).

C#
if (USERID != "")
{
    int PID = 0;
    int SID = 0;
    Process[] localByName = Process.GetProcesses();
    int x = 0;
    foreach (Process p in localByName)
    {
        string results = GetProcessInfoByPID(p.Id);
        Console.WriteLine(results + " " + User + " " + Domain);
        string s = Domain + "\\" + User;
        if (s.ToLower() == USERID.ToLower() && p.Responding)
        {
            PID = p.Id;
            SID = p.SessionId;
            x = 1;
            break;
        }
    }

Now that we have ANY process running in the users context, we need to impersonate that users token assigned to that process and duplicate it. Windows API has a handy method of doing that, so let's call OpenProcessToken().

C#
if (x == 1)
{
    IntPtr hToken = IntPtr.Zero;
    
    Process proc = Process.GetProcessById(PID);
    if (OpenProcessToken(proc.Handle,
    TOKEN_QUERY | TOKEN_IMPERSONATE | TOKEN_DUPLICATE,
    ref hToken) != 0)
    {
        try
        {
            string path2 = System.IO.Path.GetDirectoryName
            (System.Reflection.Assembly.GetExecutingAssembly().Location);

Since we need to get that exit code back, we are going to call our small launcher app defined here.

C#
FileInfo launcher = new FileInfo(path2+@"\launcher.exe");
if (!launcher.Exists)
{
    CloseHandle(hToken);
    Console.WriteLine("Missing Launcher in execution directory");
    Environment.Exit(997);
}

DateTime start = DateTime.Now;
DateTime end = DateTime.Now.AddMinutes(30);
try
{
    end = DateTime.Now.AddSeconds(Double.Parse(args[1]));
}
catch { }

This is the magic!!!! CreateProcessAsUser() is the Windows API call that will spawn the application to the user as if they double clicked the executable themselves. We are basically calling launcher.exe with arguments that will launch our target app. We monitor the process and wait for it to finish. We set a Timeout of 30 minutes earlier in the project but also have an argument we can pass for timeout.

C#
CreateProcessAsUser(hToken, app,arg);

Process myProcess = Process.GetProcessById(proInfo.dwProcessID);

myProcess.WaitForExit(timeout);

//string path = System.IO.Path.GetDirectoryName
(System.Reflection.Assembly.GetExecutingAssembly().Location);
string path = Environment.GetEnvironmentVariable("Temp");

Now that the process has finished running, we go and fetch the exit code.

C#
FileInfo exitCodeFile = new FileInfo(path+"\\exit.results");

if (exitCodeFile.Exists)
{
    string code = "";
    using (StreamReader sr = new StreamReader(exitCodeFile.FullName))
    {
        code = sr.ReadToEnd();
    }
    
    exitCodeFile.OpenText().Dispose();
    
    Console.WriteLine("Exit Code: " + code);
    
    exitCodeFile.Delete();
    //searchingForExitCodeFile = false;
    CloseHandle(hToken);
    //Console.ReadKey(true);
    Environment.Exit(Int32.Parse(code));
}
else if (DateTime.Now > end)
{
    Console.WriteLine("Process has timed out.");
    CloseHandle(hToken);
    //Console.ReadKey(true);
    Environment.Exit(996);
}
else
{
    Console.WriteLine("Exit.results file missing or something bad happened");
    CloseHandle(hToken);
    //Console.ReadKey(true);
    Environment.Exit(995);
}

Very important!!! You always have to CloseHandle() on your duplicate token.

C#
                }
                finally
                {
                    CloseHandle(hToken);
                }
            }
            else
            {
                string s = String.Format("OpenProcess Failed {0}, 
                privilege not held", Marshal.GetLastWin32Error());
                throw new Exception(s);
            }
        }
        else
        {
            Environment.Exit(998);
        }
    }
    else
    {
        Environment.Exit(999);
    }
    
    //All done
} 

This is the method mentioned above that helps us find ANY process spawned by the user.

C#
static string GetProcessInfoByPID(int PID)
        {
            User = String.Empty;
            Domain = String.Empty;
            OwnerSID = String.Empty;
            string processname = String.Empty;
            try
            {
                ObjectQuery sq = new ObjectQuery
                    ("Select * from Win32_Process Where ProcessID = '" + PID + "'");
                ManagementObjectSearcher searcher = new ManagementObjectSearcher(sq);
                if (searcher.Get().Count == 0)
                    return OwnerSID;
                foreach (ManagementObject oReturn in searcher.Get())
                {
                    string[] o = new String[2];
                    //Invoke the method and populate the o var with the user name and domain
                    oReturn.InvokeMethod("GetOwner", (object[])o);

                    //int pid = (int)oReturn["ProcessID"];
                    processname = (string)oReturn["Name"];
                    //dr[2] = oReturn["Description"];
                    User = o[0];
                    if (User == null)
                        User = String.Empty;
                    Domain = o[1];
                    if (Domain == null)
                        Domain = String.Empty;
                    string[] sid = new String[1];
                    oReturn.InvokeMethod("GetOwnerSid", (object[])sid);
                    OwnerSID = sid[0];
                    return OwnerSID;
                }
            }
            catch
            {
                return OwnerSID;
            }
            return OwnerSID;
        } 

The following are wrappers for the Windows API calls. Most of the code here are borrowed stubs from http://pinvoke.net/.

C#
static ProcessUtility.PROCESS_INFORMATION proInfo = 
			new ProcessUtility.PROCESS_INFORMATION();

        static void CreateProcessAsUser(IntPtr token, string app, string args)
        {
            IntPtr hToken = token;
            //IntPtr hToken = WindowsIdentity.GetCurrent().Token;
            IntPtr hDupedToken = IntPtr.Zero;

            ProcessUtility.PROCESS_INFORMATION pi = 
			new ProcessUtility.PROCESS_INFORMATION();

            try
            {
                ProcessUtility.SECURITY_ATTRIBUTES sa = 
			new ProcessUtility.SECURITY_ATTRIBUTES();
                sa.Length = Marshal.SizeOf(sa);

                bool result = ProcessUtility.DuplicateTokenEx(
                      hToken,
                      ProcessUtility.GENERIC_ALL_ACCESS,
                      ref sa,
                      (int)ProcessUtility.SECURITY_IMPERSONATION_LEVEL.
				SecurityIdentification,
                      (int)ProcessUtility.TOKEN_TYPE.TokenPrimary,
                      ref hDupedToken
                   );

                if (!result)
                {
                    throw new ApplicationException("DuplicateTokenEx failed");
                }


                ProcessUtility.STARTUPINFO si = new ProcessUtility.STARTUPINFO();
                si.cb = Marshal.SizeOf(si);
                //si.lpDesktop = String.Empty;winsta0\default
                si.lpDesktop = "winsta0\\default";
                

                string execPath = System.IO.Path.GetDirectoryName
		(System.Reflection.Assembly.GetExecutingAssembly().Location);

                ProcessUtility.PROFILEINFO profileInfo = new ProcessUtility.PROFILEINFO();
                
                try
                {
                    result = ProcessUtility.LoadUserProfile(hDupedToken, ref profileInfo);
                }
                catch { }

                if (!result)
                {
                    int error = Marshal.GetLastWin32Error();
                    string message = String.Format("LoadUserProfile Error: {0}", error);
                    throw new ApplicationException(message);
                }
                
                if (args == "")
                {
                    
                    result = ProcessUtility.CreateProcessAsUser(
				hDupedToken,       //Token
				null,               //App Name
				execPath + "\\launcher.exe \"" + 
					app + "\"", //CmdLine
				ref sa,            //Security Attribute
				ref sa,            //Security Attribute
				true,             //Bool inherit handle??
				0,                 //Int Creation Flags
				IntPtr.Zero,       //Environment
				execPath,          //Current Directory"c:\\"
				ref si,            //StartInfo
				ref pi             //ProcessInfo
);
                }
                else
                {
                    result = ProcessUtility.CreateProcessAsUser(
				hDupedToken,       //Token
				null,               //App Name
				execPath + "\\launcher.exe \"" + app +"\" \"" + 
					args + "\"",               //CmdLine
				ref sa,            //Security Attribute
				ref sa,            //Security Attribute
				true,             //Bool inherit handle??
				0,                 //Int Creation Flags
				IntPtr.Zero,       //Environment
				execPath,          //Current Directory"c:\\"
				ref si,            //StartInfo
				ref pi             //ProcessInfo
                                   );
                }

                try
                {
                    result = ProcessUtility.UnloadUserProfile
				(hDupedToken, profileInfo.hProfile);
                }
                catch { }

                proInfo = pi;

                if (!result)
                {
                    int error = Marshal.GetLastWin32Error();
                    string message = String.Format
				("CreateProcessAsUser Error: {0}", error);
                    throw new ApplicationException(message);
                }
            }
            finally
            {
                if (pi.hProcess != IntPtr.Zero)
                    ProcessUtility.CloseHandle(pi.hProcess);
                if (pi.hThread != IntPtr.Zero)
                    ProcessUtility.CloseHandle(pi.hThread);
                if (hDupedToken != IntPtr.Zero)
                    ProcessUtility.CloseHandle(hDupedToken);
            }
        }
    }

    public class ProcessUtility
    {
        [StructLayout(LayoutKind.Sequential)]
        public struct STARTUPINFO
        {
            public Int32 cb;
            public string lpReserved;
            public string lpDesktop;
            public string lpTitle;
            public Int32 dwX;
            public Int32 dwY;
            public Int32 dwXSize;
            public Int32 dwXCountChars;
            public Int32 dwYCountChars;
            public Int32 dwFillAttribute;
            public Int32 dwFlags;
            public Int16 wShowWindow;
            public Int16 cbReserved2;
            public IntPtr lpReserved2;
            public IntPtr hStdInput;
            public IntPtr hStdOutput;
            public IntPtr hStdError;
        }

        [StructLayout(LayoutKind.Sequential)]
        public struct PROCESS_INFORMATION
        {
            public IntPtr hProcess;
            public IntPtr hThread;
            public Int32 dwProcessID;
            public Int32 dwThreadID;
        }

        [StructLayout(LayoutKind.Sequential)]
        public struct PROFILEINFO
        {
            public int dwSize;
            public int dwFlags;
            [MarshalAs(UnmanagedType.LPTStr)]
            public String lpUserName;
            [MarshalAs(UnmanagedType.LPTStr)]
            public String lpProfilePath;
            [MarshalAs(UnmanagedType.LPTStr)]
            public String lpDefaultPath;
            [MarshalAs(UnmanagedType.LPTStr)]
            public String lpServerName;
            [MarshalAs(UnmanagedType.LPTStr)]
            public String lpPolicyPath;
            public IntPtr hProfile;
        }

        [StructLayout(LayoutKind.Sequential)]
        public struct SECURITY_ATTRIBUTES
        {
            public Int32 Length;
            public IntPtr lpSecurityDescriptor;
            public bool bInheritHandle;
        }

        public enum SECURITY_IMPERSONATION_LEVEL
        {
            SecurityAnonymous,
            SecurityIdentification,
            SecurityImpersonation,
            SecurityDelegation
        }

        public enum TOKEN_TYPE
        {
            TokenPrimary = 1,
            TokenImpersonation
        }

        public const int GENERIC_ALL_ACCESS = 0x10000000;

        [
           DllImport("kernel32.dll",
              EntryPoint = "CloseHandle", SetLastError = true,
              CharSet = CharSet.Auto, CallingConvention = CallingConvention.StdCall)
        ]
        public static extern bool CloseHandle(IntPtr handle);

        [
           DllImport("advapi32.dll",
              EntryPoint = "CreateProcessAsUser", SetLastError = true,
              CharSet = CharSet.Ansi, CallingConvention = CallingConvention.StdCall)
        ]
        public static extern bool
           CreateProcessAsUser(IntPtr hToken, string lpApplicationName, 
				string lpCommandLine,
                               	ref SECURITY_ATTRIBUTES lpProcessAttributes, 
				ref SECURITY_ATTRIBUTES lpThreadAttributes,
                               	bool bInheritHandle, Int32 dwCreationFlags, 
				IntPtr lpEnvrionment,
                               	string lpCurrentDirectory, 
				ref STARTUPINFO lpStartupInfo,
                               	ref PROCESS_INFORMATION lpProcessInformation);

        [
           DllImport("advapi32.dll",
              EntryPoint = "DuplicateTokenEx")
        ]

        public static extern bool
           DuplicateTokenEx(IntPtr hExistingToken, Int32 dwDesiredAccess,
                            ref SECURITY_ATTRIBUTES lpThreadAttributes,
                            Int32 ImpersonationLevel, Int32 dwTokenType,
                            ref IntPtr phNewToken);

        [
            DllImport("userenv.dll", SetLastError = true, CharSet = CharSet.Auto)
        ]
        public static extern bool 
            LoadUserProfile(IntPtr hToken, 
                            ref PROFILEINFO lpProfileInfo);

        [
            DllImport("userenv.dll", SetLastError = true, CharSet = CharSet.Auto)
        ]
        public static extern bool 
            UnloadUserProfile(IntPtr hToken, 
                                IntPtr hProfile);
    }

The Launcher.exe app. As I said earlier, I had to devise a way to pass the exit code around. For my purposes, the best place both the user and the SYSTEM account would share is the Environment.GetEnvironmentVariable("Temp"); directory.

C#
 namespace launcher
{
    class Program
    {
        static void Main(string[] args)
        {
            char[] split = { ' ' };

            Process process = new Process();
            process.StartInfo.FileName = args[0];
            if (args.Length > 1)
            {
                process.StartInfo.Arguments = args[1];
            }
            process.StartInfo.WindowStyle = ProcessWindowStyle.Normal;
            process.Start();
            process.WaitForExit();
            int exitCode = process.ExitCode;
            string path = Environment.GetEnvironmentVariable("Temp");
            using (StreamWriter outfile =
            new StreamWriter(path + @"\exit.results"))
            {
                outfile.Write(exitCode.ToString());
                outfile.Close();
                outfile.Dispose();
            }
        }
    }
} 

Points of Interest

This solved the issue of "Can you deploy all these custom processes based off of the end users decisions with SCCM?" The normal answer would be no. The normal process might entertain such options of having the user click something to start it, or email a link. You are relying on someone else to complete your task. You can now force the tasks to be presented to the user. If the user refuses, you have that recorded in the TS as well.

History

  • 8/30/2011 - Initial post
  • 8/31/2011 - Code walkthrough

License

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


Written By
Web Developer
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionGreat code but still issue with the execution Pin
VincentDevos2-May-13 3:53
VincentDevos2-May-13 3:53 
QuestionLauncher.exe Pin
Member 833551620-Oct-11 4:42
Member 833551620-Oct-11 4:42 
AnswerRe: Launcher.exe Pin
toruterror31-Oct-12 23:29
toruterror31-Oct-12 23:29 
Questionre User Interactive Task Sequence Pin
Lee_198518-Oct-11 22:54
Lee_198518-Oct-11 22:54 
BugRe: re User Interactive Task Sequence Pin
davep124-Oct-11 15:27
davep124-Oct-11 15:27 
GeneralRe: re User Interactive Task Sequence Pin
Member 842729023-Nov-11 3:25
Member 842729023-Nov-11 3:25 
AnswerRe: re User Interactive Task Sequence Pin
oelshami3-Apr-12 5:16
oelshami3-Apr-12 5:16 
QuestionRe: re User Interactive Task Sequence Pin
Mosquat30-May-12 21:49
Mosquat30-May-12 21:49 
GeneralRe: re User Interactive Task Sequence Pin
Stevemcgann29-Jun-12 17:50
Stevemcgann29-Jun-12 17:50 

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.