Name
のキープロパティであるによってサービスを取得しているのでWin32_Service class
、インスタンスを検索するのではなく、直接取得してみてください。
string GetMyServicePath()
{
string path = "Win32_Service.Name=\"MyService\"";
using (ManagementObject service = new ManagementObject(path))
return (string) service.GetPropertyValue("PathName");
}
これは、直接検索と検索を比較するために一緒に作成した簡単なベンチマークです。
private const int LoopIterations = 1000;
private const string ServiceClass = "Win32_Service";
private const string ServiceName = "MyService";
private const string ServiceProperty = "PathName";
private static readonly string ServicePath = string.Format("{0}.Name=\"{1}\"", ServiceClass, ServiceName);
private static readonly string ServiceQuery = string.Format(
"SELECT {0} FROM {1} Where Name=\"{2}\"",
ServiceProperty, ServiceClass, ServiceName
);
private static ManagementObjectSearcher ServiceSearcher = new ManagementObjectSearcher(ServiceQuery);
static void Main(string[] args)
{
var watch = new Stopwatch();
watch.Start();
for (int i = 0; i < LoopIterations; i++)
{
var servicePath = GetServicePathByKey();
}
watch.Stop();
Console.WriteLine(
"{0:N0} iterations of GetServicePathByKey() took {1:N0} milliseconds",
LoopIterations, watch.ElapsedMilliseconds
);
watch.Restart();
for (int i = 0; i < LoopIterations; i++)
{
var servicePath = GetServicePathFromExistingSearcher();
}
watch.Stop();
Console.WriteLine(
"{0:N0} iterations of GetServicePathFromExistingSearcher() took {1:N0} milliseconds",
LoopIterations, watch.ElapsedMilliseconds
);
watch.Restart();
for (int i = 0; i < LoopIterations; i++)
{
var servicePath = GetServicePathFromNewSearcher();
}
watch.Stop();
Console.WriteLine(
"{0:N0} iterations of GetServicePathFromNewSearcher() took {1:N0} milliseconds",
LoopIterations, watch.ElapsedMilliseconds
);
}
static string GetServicePathByKey()
{
using (var service = new ManagementObject(ServicePath))
return (string) service.GetPropertyValue(ServiceProperty);
}
static string GetServicePathFromExistingSearcher()
{
using (var results = ServiceSearcher.Get())
using (var enumerator = results.GetEnumerator())
{
if (!enumerator.MoveNext())
throw new Exception();
return (string) enumerator.Current.GetPropertyValue(ServiceProperty);
}
}
static string GetServicePathFromNewSearcher()
{
using (var searcher = new ManagementObjectSearcher(ServiceQuery))
using (var results = searcher.Get())
using (var enumerator = results.GetEnumerator())
{
if (!enumerator.MoveNext())
throw new Exception();
return (string) enumerator.Current.GetPropertyValue(ServiceProperty);
}
}
サーチャーの結果を直接列挙するのは、私が作成できる速度とほぼ同じで、ブロックを使用するよりもわずかに速く、を使用する場合のforeach
2倍の速度LINQ
です。ServiceName
定数を設定した64ビットWindows7Professionalシステムでは、Power
次の結果が得られました。
1,000 iterations of GetServicePathByKey() took 8,263 milliseconds
1,000 iterations of GetServicePathFromExistingSearcher() took 64,265 milliseconds
1,000 iterations of GetServicePathFromNewSearcher() took 64,875 milliseconds