Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Kill process on remote machine

I'm trying to kill a process on a remote machine. But I get error. What am I doing wrong and how can I make this work?

My code:

var iu = new ImpersonateUser();
    try
    {
        iu.Impersonate(Domain, _userName, _pass);

        foreach (var process in Process.GetProcessesByName("notepad", "RemoteMachine"))

        {
            string processPath = pathToExe; //Is set as constant (and is correct)
            process.Kill();
            Thread.Sleep(3000);
            Process.Start(processPath);
        }

    }
    catch (Exception ex)
    {
        lblStatus.Text = ex.ToString();
    }
    finally
    {
        iu.Undo();
    }

Just to clarify ImpersonateUser, it makes me login to the remote machine with correct user rights. So the problem is not there. When I debug and check the process object I find the correct process ID for notepad in this case. So the connection works fine. But when I try to kill the process I get this error:

System.NotSupportedException: Feature is not supported for remote machines. at System.Diagnostics.Process.EnsureState
like image 562
MrProgram Avatar asked Sep 08 '14 15:09

MrProgram


1 Answers

The System.Diagnostics.Process class cannot kill a remote process. You can use the System.Management namespace (be sure to set a reference), to use WMI.

A simple example is below.

var processName = "iexplore.exe";

var connectoptions = new ConnectionOptions();
connectoptions.Username = @"YourDomainName\UserName";
connectoptions.Password = "User Password";

string ipAddress = "192.168.206.53";
ManagementScope scope = new ManagementScope(@"\\" + ipAddress + @"\root\cimv2", connectoptions);

// WMI query
var query = new SelectQuery("select * from Win32_process where name = '" + processName + "'");

using (var searcher = new ManagementObjectSearcher(scope, query))
{
    foreach (ManagementObject process in searcher.Get()) // this is the fixed line
    {
        process.InvokeMethod("Terminate", null);
    }
}
Console.ReadLine();
like image 141
David Crowell Avatar answered Oct 11 '22 18:10

David Crowell