C# 远程服务器 安装、卸载 Windows 服务,读取远程注册表,关闭杀掉远程进程
这里安装windows服务我们用sc命令,这里需要远程服务器IP,服务名称、显示名称、描述以及执行文件,安装后需要验证服务是否安装成功,验证方法可以直接调用ServiceController来查询服务,也可以通过远程注册表来查找服务的执行文件;那么卸载文件我们也就用SC命令了,卸载后需要检测是否卸载成功,修改显示名称和描述也用sc命令。至于停止和启动Windows服务我们可以用sc命令也可以用ServiceController的API,当停止失败的时候我们会强制杀掉远程进程,在卸载windows 服务我们需要关闭windows服务窗口,不然无法删除服务(服务被标记为已删除状态)。注意安装和卸载Windows服务是通过sc命令来执行的,把sc命令发送到服务器上,服务器需要一段执行时间,所以在远程注册表不一定马上体现安装和卸载的效果,这里我们需要有一个重试的机制。远程服务需要引用System.ServiceProcess,关闭远程进程需要引用 System.Management.dll 。先关code如下:
#region Windows Service 操作
/// <summary>
/// 安装Windows 服务
/// </summary>
/// <param name="serviceEXEPath">可执行文件的完全路径</param>
public void Install(string webIp, string serviceName, string displayName, string description, string serviceEXEPath)
{
//检查安装文件是否存在
string remoteFile = PathUtil.GetRemotePath(webIp, serviceEXEPath);
if (!File.Exists(remoteFile))
{
throw new Exception($"安装文件{serviceEXEPath}在服务器{webIp}上不存在");
}
//生成安装指令
string serviceInstallCommand = $"sc \\\\{webIp} create {serviceName} binpath= \"{serviceEXEPath}\" displayname= \"{displayName}\" start= auto ";
string updateDescriptionCommand = $"sc \\\\{webIp} description {serviceName} \"{description}\" ";
string[] cmd = new string[] { serviceInstallCommand, updateDescriptionCommand };
string ss = Cmd(cmd);
//检查安装是否成功
string imagePath = GetImagePath(webIp, serviceName);
int retryTime = ;
int maxTime = ;
while (retryTime < maxTime && string.IsNullOrEmpty(imagePath))
{
Thread.Sleep( * );
retryTime++;
imagePath = GetImagePath(webIp, serviceName);
}
if (string.IsNullOrEmpty(imagePath))
{
throw new Exception($"{serviceName}在{webIp}安装失败,{ss}");
}
} /// <summary>
/// 卸载Windows 服务
/// </summary>
/// <param name="serviceEXEPath">可执行文件的完全路径</param>
public void Uninstall(string webIp, string serviceName, string serviceEXEPath)
{
//关闭mmc.exe进程,如果windows 服务打开 将无法卸载
var ps = Process.GetProcessesByName(@"mmc", webIp);
if (ps.Length > )
{
CloseProcess(webIp, "mmc.exe", string.Empty);
} //检查卸载文件是否存在
string remoteFile = PathUtil.GetRemotePath(webIp, serviceEXEPath);
if (!File.Exists(remoteFile))
{
throw new Exception($"卸载文件{serviceEXEPath}在服务器{webIp}上不存在");
} //生成卸载命令
string[] cmd = new string[] { $"sc \\\\{webIp} stop {serviceName}", $"sc \\\\{webIp} delete {serviceName}" };
string ss = Cmd(cmd);
string imagePath = GetImagePath(webIp, serviceName);
//检查卸载是否成功
int retryTime = ;
int maxTime = ;
while (retryTime < maxTime && !string.IsNullOrEmpty(imagePath))
{
Thread.Sleep( * );
retryTime++;
imagePath = GetImagePath(webIp, serviceName);
}
if (!string.IsNullOrEmpty(imagePath))
{
throw new Exception($"{serviceName}在{webIp}卸载失败,{ss}");
}
} /// <summary>
/// 修改windows 服务的显示名称和描述
/// </summary>
/// <param name="webIp"></param>
/// <param name="serviceName"></param>
/// <param name="displayName"></param>
/// <param name="description"></param>
public void UpdateDisplayNameAndDescription(string webIp, string serviceName, string displayName, string description)
{
//检查服务是否存在
string imagePath = GetImagePath(webIp, serviceName);
if (string.IsNullOrEmpty(imagePath))
{
throw new Exception($"服务{serviceName}在{webIp}不存在");
}
//生成修改指令
string updateDispalyNameCommand = $"sc \\\\{webIp} config {serviceName} displayname= \"{displayName}\"";
string updateDescriptionCommand = $"sc \\\\{webIp} description {serviceName} \"{description}\" ";
string[] cmd = new string[] { updateDispalyNameCommand, updateDescriptionCommand };
string ss = Cmd(cmd);
} /// <summary>
/// sc 停止和启动windows服务
/// </summary>
/// <param name="webIp"></param>
/// <param name="serviceName"></param>
/// <param name="stop"></param>
public void StopAndStartService(string webIp, string serviceName, bool stop)
{
string serviceCommand = $"sc \\\\{webIp} {(stop ? "stop" : "start")} {serviceName}";//停止或启动服务
string[] cmd = new string[] { serviceCommand };
string ss = Cmd(cmd);
} /// <summary>
/// 运行CMD命令
/// </summary>
/// <param name="cmd">命令</param>
/// <returns></returns>
public string Cmd(string[] cmd)
{
Process p = new Process();
p.StartInfo.FileName = "cmd.exe";
p.StartInfo.UseShellExecute = false;
p.StartInfo.RedirectStandardInput = true;
p.StartInfo.RedirectStandardOutput = true;
p.StartInfo.RedirectStandardError = true;
p.StartInfo.CreateNoWindow = true;
p.Start();
p.StandardInput.AutoFlush = true;
for (int i = ; i < cmd.Length; i++)
{
p.StandardInput.WriteLine(cmd[i].ToString());
}
p.StandardInput.WriteLine("exit");
string strRst = p.StandardOutput.ReadToEnd();
p.WaitForExit();
p.Close();
return strRst;
} /// <summary>
/// 关闭远程计算机进程
/// </summary>
/// <param name="webIp"></param>
/// <param name="processName"></param>
public void CloseProcess(string webIp, string processName, string executablePath)
{
ConnectionOptions oOptions = new ConnectionOptions();
oOptions.Authentication = AuthenticationLevel.Default;
ManagementPath oPath = new ManagementPath($"\\\\{webIp}\\root\\cimv2");
ManagementScope oScope = new ManagementScope(oPath, oOptions);
ObjectQuery oQuery = new ObjectQuery($"Select * From Win32_Process Where Name = \"{processName}\"");
using (ManagementObjectSearcher oSearcher = new ManagementObjectSearcher(oScope, oQuery))
{
foreach (ManagementObject oManagementObject in oSearcher.Get())
{
if (oManagementObject["Name"].ToString().ToLower() == processName.ToLower())
{
/*
foreach (PropertyData prop in oManagementObject.Properties)
{
Console.WriteLine($" {prop.Name} -- - {prop.Value } ");
}
*/
string path = oManagementObject["ExecutablePath"].ToString();
if (string.IsNullOrEmpty(executablePath) || path == executablePath)
{
oManagementObject.InvokeMethod("Terminate", new object[] { });
}
}
}
}
} /// <summary>
/// 获取远程计算机 服务的执行文件
/// </summary>
/// <param name="serverIP">远程计算机IP</param>
/// <param name="serviceName">远程服务名称</param>
/// <returns></returns>
public string GetImagePath(string serverIP, string serviceName)
{
string registryPath = @"SYSTEM\CurrentControlSet\Services\" + serviceName;
using (RegistryKey key = RegistryKey.OpenRemoteBaseKey(RegistryHive.LocalMachine, serverIP).OpenSubKey(registryPath))
{
if (key == null)
{
return string.Empty;
}
string value = key.GetValue("ImagePath").ToString();
key.Close();
value = value.Trim('"');
if (value.Contains("SystemRoot"))
{
return ExpandEnvironmentVariables(serverIP, value);
}
return value;
}
} /// <summary>
/// 替换路径中的SystemRoot
/// </summary>
/// <param name="serverIP">远程计算机IP</param>
/// <param name="path">路径</param>
/// <returns></returns>
private string ExpandEnvironmentVariables(string serverIP, string path)
{
string systemRootKey = @"Software\Microsoft\Windows NT\CurrentVersion\";
using (RegistryKey key = RegistryKey.OpenRemoteBaseKey(RegistryHive.LocalMachine, serverIP).OpenSubKey(systemRootKey))
{
string expandedSystemRoot = key.GetValue("SystemRoot").ToString();
key.Close();
path = path.Replace("%SystemRoot%", expandedSystemRoot);
return path;
}
} /// <summary>
/// 停止或启动Windows 服务
/// </summary>
/// <param name="serviceName">服务名称</param>
/// <param name="serverIP">远程IP</param>
/// <param name="stop">是否是停止</param>
public void StopAndStartWindowsService(string serviceName, string serverIP, bool stop)
{
using (ServiceController sc = ServiceController.GetServices(serverIP)
.FirstOrDefault(x => x.ServiceName == serviceName))
{
if (sc == null)
{
throw new Exception($"{serviceName}不存在于{serverIP}");
}
StopAndStartWindowsService(sc, stop); if (stop)
{
sc.WaitForStatus(ServiceControllerStatus.Stopped, new TimeSpan(, , ));
}
sc.Close();
} } /// <summary>
/// 停止或启动Windows 服务
/// </summary>
/// <param name="sc"></param>
/// <param name="stop"></param>
private void StopAndStartWindowsService(ServiceController sc, bool stop = true)
{
Action act = () =>
{
ServiceControllerStatus serviceSate = sc.Status;
if (stop && (serviceSate == ServiceControllerStatus.StartPending || serviceSate == ServiceControllerStatus.Running))
{
//如果当前应用程序池是启动或者正在启动状态,调用停止方法
sc.Stop();
}
if (!stop && (serviceSate == ServiceControllerStatus.Stopped || serviceSate == ServiceControllerStatus.StopPending))
{
sc.Start();
}
};
int retryCount = ;
int maxCount = ;
while (sc != null && retryCount <= maxCount)
{
try
{
act();
break;
}
catch (Exception ex)
{
if (stop)
{
string serverIP = sc.MachineName;
string serviceName = sc.ServiceName;
var imeagePath = GetImagePath(serverIP, serviceName);
FileInfo fileInfo = new FileInfo(imeagePath);
CloseProcess(serverIP, fileInfo.Name, fileInfo.FullName);
}
retryCount++;
if (retryCount == maxCount)
{
throw new Exception($"{(stop ? "停止" : "启动")}Windows服务{sc.ServiceName}出错{ex.Message}");
}
Thread.Sleep( * );
}
}//end while
} /// <summary>
/// 获取windows 服务状态
/// </summary>
/// <param name="serviceName">服务名称</param>
/// <param name="serverIP">服务器IP</param>
/// <returns></returns>
public ServiceControllerStatus GetServiceState(string serviceName, string serverIP)
{
ServiceControllerStatus serviceSate;
using (ServiceController sc = ServiceController.GetServices(serverIP)
.FirstOrDefault(x => x.ServiceName == serviceName))
{
if (sc == null)
{
throw new Exception($"{serviceName}不存在于{serverIP}");
}
serviceSate = sc.Status;
sc.Close();
}
return serviceSate;
} #endregion
C# 远程服务器 安装、卸载 Windows 服务,读取远程注册表,关闭杀掉远程进程的更多相关文章
- 用命令 安装/卸载 windows服务(转)
第一种方法: 1. 开始 ->运行 ->cmd 2. cd到C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727(Framework版本号按IIS配置 ...
- 二种方法安装卸载Windows服务的命令
第一种方法:通过Dos命令安装系统服务1. 开始 运行输入 cmd 进入dos窗口2. cd命令进入到C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727目录下, ...
- 安装&卸载Windows服务
使用.NET Framework的工具InstallUtil.exe. 安装服务 C:\Windows\Microsoft.NET\Framework\v4.0.30319\InstallUtil.e ...
- 批处理文件安装与卸载Windows服务
//安装Windows服务 将RECPost.exe和RECPostService替换成自己的项目名称和服务名称,并将文件保存成bat格式.其中%cd%是获取相对路径 @echo off set fi ...
- 使用InstallUtil安装及卸载Windows服务的具体操作 Visual Studio 2012版本
关于Visual Studio 2012中使用InstallUtil对Windows服务进行安装与卸载的文章,在MSDN中的http://msdn.microsoft.com/en-us/librar ...
- 【先定一个小目标】Redis 安装成windows服务-开机自启
1.第一步安装成windows服务的,开机自启动 redis-server --service-install redis.windows.conf 2.启动\关闭 redis-server --se ...
- 【C#】使用bat文件安装卸载Window服务
1.安装服务 @echo off @title 安装windows服务path %SystemRoot%\Microsoft.NET\Framework\v4.0.30319echo========= ...
- Redis是可以安装成windows服务-开机自启
其实Redis是可以安装成windows服务的,开机自启动,命令如下 redis-server --service-install redis.windows.conf 安装完之后,就可看到Redis ...
- MongoDB安装成为Windows服务及日常使用遇到问题总结
安装MongoDB: http://blog.csdn.net/liuzhoulong/article/details/6124566 严格按照上面的步骤,设置数据库目录,设置日志目录,安装服务.可是 ...
随机推荐
- css 中两个class之间没有空格与有空格有什么区别
第一个匹配: <div class="ul item"></div>:无法匹配:<div class="ul"></d ...
- 将模型.pb文件在tensorboard中展示结构
本文介绍将训练好的model.pb文件在tensorboard中展示其网络结构. 1. 从pb文件中恢复计算图 import tensorflow as tf model = 'model.pb' # ...
- Luogu P3294 【[SCOI2016]背单词】
阅读理解题 ...... $Trie$ 后缀问题不好处理,我们把它转化为前缀问题,用字典树解决问题 贪心 容易想到,一个串的后缀要先于它插入 对于一个串和其若干后缀串,容易想到,我们要先插入后缀串 然 ...
- Java_myeclipse添加DTD约束(框架xml只能提示功能)
以struts2中的xml为例 struts-2.3.4-all\struts-2.3.4\src\core\src\main\resources
- VS增加插件 Supercharger破解教程
VS增加插件 Supercharger破解教程 Supercharger效果预览及下载路径: http://supercharger.tools/index.html 下载地址:https://vis ...
- .NetCore下利用Jenkins如何将程序自动打包发布到Docker容器中运行
说道这一块纠结了我两天时间,感觉真的很心累,Jenkins的安装就不多说了 这里我们最好直接安装到宿主机上,应该pull到的jenkins版本是2.6的,里面很多都不支持,我自己试了在容器中安装的情况 ...
- hdu 2680 多起点一终点
注意这是一个有向图! 多起点,一终点 反过来,看成一个起点,多个终点,找最短路 因为是有向图 所以u->v 要也要反过来成为v->u Sample Input5 8 5 //结点数 边数 ...
- 【BZOJ1135】[POI2009]Lyz
题解: hall定理..第一次听说 思考了半小时无果 二分图匹配时间显然太大 但是有这个hall定理 二分图有完美匹配的充要条件是 对于左边任意一个集合(大小为|s|),其连边点构成的集合(大小为|s ...
- 三步解决阿里云绑定公网IP地址失败解决方案
1.客户端设置为阿里云服务器的公有地址: 2.服务端设置为阿里云服务器的私有地址: 3.设置阿里云的管理规则: 第一步 第二步 第三.四步
- python全栈开发知识点补充for else和while else如果不是除正常以外的其他方式退出循环,那么else语句就会被执行。
如果不是除正常以外的其他方式退出循环,那么else语句就会被执行. 也就是循环体内没有break语句.return语句.和其他异常语句的执行. for else >>> for ...