web-dev-qa-db-ja.com

開始と停止IISプログラムで表現

IIS Expressワーカープロセスを開始/停止するC#で小さなアプリケーションを作成しようとしています。この目的のために、MSDNに記載されている公式の "IIS Express API" http://msdn.Microsoft.com/en-us/library/gg418415.aspx

私の知る限り、APIはCOMインターフェイスに基づいています(のみ)。このCOMインターフェイスを使用するには、VS2010で[参照の追加]-> [COM]-> [IISインストール済みバージョンマネージャーインターフェイス]を使用してCOMライブラリへの参照を追加しました。

これまでのところは良いですが、次は何ですか? IISプロセスを開始/停止する2つの「メソッド」を含むIIISExprProcessUtilityインターフェースが使用可能です。このインターフェースを実装するクラスを作成する必要がありますか?

public class test : IISVersionManagerLibrary.IIISExprProcessUtility
{
    public string ConstructCommandLine(string bstrSite, string bstrApplication, string bstrApplicationPool, string bstrConfigPath)
    {
        throw new NotImplementedException();
    }

    public uint GetRunningProcessForSite(string bstrSite, string bstrApplication, string bstrApplicationPool, string bstrConfigPath)
    {
        throw new NotImplementedException();
    }

    public void StopProcess(uint dwPid)
    {
        throw new NotImplementedException();
    }
} 

ご覧のとおり、私はプロの開発者ではありません。誰かが私を正しい方向に向けることができますか。どんな助けも大歓迎です。

更新1:提案によると、残念ながら機能しない次のコードを試しました:

alt text OK、インスタンス化できますが、このオブジェクトの使用方法がわかりません...

alt text

alt text

IISVersionManagerLibrary.IIISExpressProcessUtility test3 = (IISVersionManagerLibrary.IIISExpressProcessUtility) Activator.CreateInstance(Type.GetTypeFromCLSID(new Guid("5A081F08-E4FA-45CC-A8EA-5C8A7B51727C")));

Exception: Retrieving the COM class factory for component with CLSID {5A081F08-E4FA-45CC-A8EA-5C8A7B51727C} failed due to the following error: 80040154 Class not registered (Exception from HRESULT: 0x80040154 (REGDB_E_CLASSNOTREG)).
56
Mike

同様のことをしようとしていました。私は、Microsoftが提供するCOMライブラリが不完全であると結論付けました。このドキュメントでは「注:このトピックはプレリリースのドキュメントであり、将来のリリースで変更される可能性がある」と述べているため、使用しません。

そこで、IISExpressTray.exeの動作を確認することにしました。同様のことをしているようです。

IISExpressTray.dllを逆アセンブルしましたが、すべてのIISexpressプロセスをリストアップしてIISexpressプロセスを停止することには魔法がないことがわかりました。

そのCOMライブラリーは呼び出しません。レジストリからは何も検索しません。

だから、私が終わった解決策は非常に簡単です。 IISエクスプレスプロセスを開始するには、Process.Start()を使用し、必要なすべてのパラメーターを渡します。

IISエクスプレスプロセスを停止するために、リフレクターを使用してIISExpressTray.dllからコードをコピーしました。ターゲットのIISExpressプロセスにWM_QUITメッセージを送信するだけです。

IISエクスプレスプロセスを開始および停止するために作成したクラスです。これが他の人に役立つことを願っています。

class IISExpress
{
    internal class NativeMethods
    {
        // Methods
        [DllImport("user32.dll", SetLastError = true)]
        internal static extern IntPtr GetTopWindow(IntPtr hWnd);
        [DllImport("user32.dll", SetLastError = true)]
        internal static extern IntPtr GetWindow(IntPtr hWnd, uint uCmd);
        [DllImport("user32.dll", SetLastError = true)]
        internal static extern uint GetWindowThreadProcessId(IntPtr hwnd, out uint lpdwProcessId);
        [DllImport("user32.dll", SetLastError = true)]
        internal static extern bool PostMessage(HandleRef hWnd, uint Msg, IntPtr wParam, IntPtr lParam);
    }

    public static void SendStopMessageToProcess(int PID)
    {
        try
        {
            for (IntPtr ptr = NativeMethods.GetTopWindow(IntPtr.Zero); ptr != IntPtr.Zero; ptr = NativeMethods.GetWindow(ptr, 2))
            {
                uint num;
                NativeMethods.GetWindowThreadProcessId(ptr, out num);
                if (PID == num)
                {
                    HandleRef hWnd = new HandleRef(null, ptr);
                    NativeMethods.PostMessage(hWnd, 0x12, IntPtr.Zero, IntPtr.Zero);
                    return;
                }
            }
        }
        catch (ArgumentException)
        {
        }
    }

    const string IIS_EXPRESS = @"C:\Program Files\IIS Express\iisexpress.exe";
    const string CONFIG = "config";
    const string SITE = "site";
    const string APP_POOL = "apppool";

    Process process;

    IISExpress(string config, string site, string apppool)
    {
        Config = config;
        Site = site;
        AppPool = apppool;

        StringBuilder arguments = new StringBuilder();
        if (!string.IsNullOrEmpty(Config))
            arguments.AppendFormat("/{0}:{1} ", CONFIG, Config);

        if (!string.IsNullOrEmpty(Site))
            arguments.AppendFormat("/{0}:{1} ", SITE, Site);

        if (!string.IsNullOrEmpty(AppPool))
            arguments.AppendFormat("/{0}:{1} ", APP_POOL, AppPool);

        process = Process.Start(new ProcessStartInfo()
        {
            FileName = IIS_EXPRESS,
            Arguments = arguments.ToString(),
            RedirectStandardOutput = true,
            UseShellExecute = false
        });
    }

    public string Config { get; protected set; }
    public string Site { get; protected set; }
    public string AppPool { get; protected set; }

    public static IISExpress Start(string config, string site, string apppool)
    {
        return new IISExpress(config, site, apppool);
    }

    public void Stop()
    {
        SendStopMessageToProcess(process.Id);
        process.Close();
    }
}

既存のすべてのIISエクスプレスプロセスをリストする必要はありません。リフレクターで見たものから、IISExpressTray.dllが行うことはProcess.GetProcessByName("iisexpress", ".")を呼び出すことです。

私が提供したクラスを使用するために、テストに使用したサンプルプログラムを以下に示します。

class Program
{

    static void Main(string[] args)
    {
        Console.Out.WriteLine("Launching IIS Express...");
        IISExpress iis1 = IISExpress.Start(
            @"C:\Users\Administrator\Documents\IISExpress\config\applicationhost.config",
            @"WebSite1(1)",
            @"Clr4IntegratedAppPool");

        IISExpress iis2 = IISExpress.Start(
            @"C:\Users\Administrator\Documents\IISExpress\config\applicationhost2.config",
            @"WebSite1(1)",
            @"Clr4IntegratedAppPool");

        Console.Out.WriteLine("Press ENTER to kill");
        Console.In.ReadLine();

        iis1.Stop();
        iis2.Stop();
    }
}

これはあなたの質問への答えではないかもしれませんが、あなたの質問に興味のある人は私の仕事が役に立つと思うかもしれません。コードを改善してください。あなたが強化したいかもしれないいくつかの場所があります。

  1. Iisexpress.exeの場所をハードコーディングする代わりに、レジストリから読み取るようにコードを修正できます。
  2. Iisexpress.exeでサポートされているすべての引数を含めなかった
  3. エラー処理はしませんでした。そのため、IISExpressプロセスが何らかの理由(ポートが使用されているなど)で開始に失敗した場合、私は知りません。それを修正する最も簡単な方法は、StandardErrorストリームを監視し、StandardErrorストリームから何かを得た場合に例外をスローすることだと思います
58
Harvey Kwok

遅すぎますが、この質問に対する答えを提供します。

IISVersionManagerLibrary.IISVersionManager mgr = new IISVersionManagerLibrary.IISVersionManagerClass();
IISVersionManagerLibrary.IIISVersion ver = mgr.GetVersionObject("7.5", IISVersionManagerLibrary.IIS_PRODUCT_TYPE.IIS_PRODUCT_EXPRESS);

object obj1 = ver.GetPropertyValue("expressProcessHelper");

IISVersionManagerLibrary.IIISExpressProcessUtility util = obj1 as IISVersionManagerLibrary.IIISExpressProcessUtility;

それでおしまい。その後、utilオブジェクトでStopProcessメソッドを呼び出すことができます。

ただし、Microsoftから通知を取得する必要があります。

"バージョンマネージャAPI(IIS Express); http://msdn.Microsoft.com/en-us/library/gg418429(v = VS.90).aspx

注:IIS Version Manager APIは、IIS Expressインフラストラクチャをサポートしており、はコードから直接使用することを意図していません。

13
SeongTae Jeong

この実装は、開始/停止に使用できますIISプログラムで表現し、テストから使用できます。

public class IisExpress : IDisposable
{
    private Boolean _isDisposed;

    private Process _process;

    public void Dispose()
    {
        Dispose(true);
    }

    public void Start(String directoryPath, Int32 port)
    {
        var iisExpressPath = DetermineIisExpressPath();
        var arguments = String.Format(
            CultureInfo.InvariantCulture, "/path:\"{0}\" /port:{1}", directoryPath, port);

        var info = new ProcessStartInfo(iisExpressPath)
                                    {
                                        WindowStyle = ProcessWindowStyle.Normal,
                                        ErrorDialog = true,
                                        LoadUserProfile = true,
                                        CreateNoWindow = false,
                                        UseShellExecute = false,
                                        Arguments = arguments
                                    };

        var startThread = new Thread(() => StartIisExpress(info))
                                 {
                                     IsBackground = true
                                 };

        startThread.Start();
    }

    protected virtual void Dispose(Boolean disposing)
    {
        if (_isDisposed)
        {
            return;
        }

        if (disposing)
        {
            if (_process.HasExited == false)
            {
                _process.Kill();
            }

            _process.Dispose();
        }

        _isDisposed = true;
    }

    private static String DetermineIisExpressPath()
    {
        String iisExpressPath;

        iisExpressPath = Environment.GetFolderPath(Environment.Is64BitOperatingSystem 
            ? Environment.SpecialFolder.ProgramFilesX86
            : Environment.SpecialFolder.ProgramFiles);

        iisExpressPath = Path.Combine(iisExpressPath, @"IIS Express\iisexpress.exe");

        return iisExpressPath;
    }

    private void StartIisExpress(ProcessStartInfo info)
    {
        try
        {
            _process = Process.Start(info);

            _process.WaitForExit();
        }
        catch (Exception)
        {
            Dispose();
        }
    }
}
7
Mharlin

Harvey Kwokは良いヒントを提供してくれました。統合テストケースを実行するときにサービスを破棄したいからです。ただし、PInvokeとメッセージングではHarveyコードが長すぎます。

これが代替案です。

    public class IisExpressAgent
{
    public void Start(string arguments)
    {
        ProcessStartInfo info= new ProcessStartInfo(@"C:\Program Files (x86)\IIS Express\iisexpress.exe", arguments)
        {
          // WindowStyle= ProcessWindowStyle.Minimized,
        };

        process = Process.Start(info);
    }

    Process  process;

    public void Stop()
    {
        process.Kill();
    }
}

そして、MS Testとの統合テストスーツには、

       [ClassInitialize()]
    public static void MyClassInitialize(TestContext testContext)
    {
        iis = new IisExpressAgent();
        iis.Start("/site:\"WcfService1\" /apppool:\"Clr4IntegratedAppPool\"");
    }

    static IisExpressAgent iis;

    //Use ClassCleanup to run code after all tests in a class have run
    [ClassCleanup()]
    public static void MyClassCleanup()
    {
        iis.Stop();
    }
3
ZZZ

あなたは難しい方法でそれをしていると感じます。この質問からヒントを得てください ビルド時にASP.NET開発サーバーを自動的に停止/再起動 して、同じプロセスを採用できるかどうかを確認してください。

あなたの質問に答えて、私は pinvoke.net があなたを助けるかもしれないと思います。ソリューションの構築に役立つ多くの例もあります。

3
Pradeep

図私もここに私のソリューションを投げます。 SeongTae Jeongのソリューションと別の投稿から派生(現在の場所を思い出せない)。

  1. Microsoft.Web.Administrationnuget をインストールします。
  2. 上記のIIS Installed Versions Manager Interface COMタイプライブラリを参照します。
  3. 次のクラスを追加します。

    using System;
    using System.Diagnostics;
    using System.IO;
    using System.Text.RegularExpressions;
    using IISVersionManagerLibrary;
    using Microsoft.Web.Administration;
    
    public class Website
    {
        private const string DefaultAppPool = "Clr4IntegratedAppPool";
        private const string DefaultIISVersion = "8.0";
    
        private static readonly Random Random = new Random();
        private readonly IIISExpressProcessUtility _iis;
        private readonly string _name;
        private readonly string _path;
        private readonly int _port;
        private readonly string _appPool;
        private readonly string _iisPath;
        private readonly string _iisArguments;
        private readonly string _iisConfigPath;
        private uint _iisHandle;
    
        private Website(string path, string name, int port, string appPool, string iisVersion)
        {
            _path = Path.GetFullPath(Path.Combine(Environment.CurrentDirectory, path));
            _name = name;
            _port = port;
            _appPool = appPool;
            _iis = (IIISExpressProcessUtility)new IISVersionManager()
                .GetVersionObject(iisVersion, IIS_PRODUCT_TYPE.IIS_PRODUCT_EXPRESS)
                .GetPropertyValue("expressProcessHelper");
            var commandLine = _iis.ConstructCommandLine(name, "", appPool, "");
            var commandLineParts = new Regex("\\\"(.*?)\\\" (.*)").Match(commandLine);
            _iisPath = commandLineParts.Groups[1].Value;
            _iisArguments = commandLineParts.Groups[2].Value;
            _iisConfigPath = new Regex("\\/config:\\\"(.*?)\\\"").Match(commandLine).Groups[1].Value;
            Url = string.Format("http://localhost:{0}/", _port);
        }
    
        public static Website Create(string path,
            string name = null, int? port = null,
            string appPool = DefaultAppPool,
            string iisVersion = DefaultIISVersion)
        {
            return new Website(path,
                name ?? Guid.NewGuid().ToString("N"),
                port ?? Random.Next(30000, 40000),
                appPool, iisVersion);
        }
    
        public string Url { get; private set; }
    
        public void Start()
        {
            using (var manager = new ServerManager(_iisConfigPath))
            {
                manager.Sites.Add(_name, "http", string.Format("*:{0}:localhost", _port), _path);
                manager.CommitChanges();
            }
            Process.Start(new ProcessStartInfo
            {
                FileName = _iisPath,
                Arguments = _iisArguments,
                RedirectStandardOutput = true,
                UseShellExecute = false
            });
            var startTime = DateTime.Now;
            do
            {
                try
                {
                    _iisHandle = _iis.GetRunningProcessForSite(_name, "", _appPool, "");
                }
                catch { }
                if (_iisHandle != 0) break;
                if ((DateTime.Now - startTime).Seconds >= 10)
                    throw new TimeoutException("Timeout starting IIS Express.");
            } while (true);
        }
    
        public void Stop()
        {
            try
            {
                _iis.StopProcess(_iisHandle);
            }
            finally
            {
                using (var manager = new ServerManager(_iisConfigPath))
                {
                    var site = manager.Sites[_name];
                    manager.Sites.Remove(site);
                    manager.CommitChanges();
                }
            }
        }
    }
    
  4. 次のようにテストフィクスチャをセットアップします。パスは、テストスイートのbinフォルダーに相対的です。

    [TestFixture]
    public class Tests
    {
        private Website _website;
    
        [TestFixtureSetUp]
        public void Setup()
        {
            _website = Website.Create(@"..\..\..\TestHarness");
            _website.Start();
        }
    
        [TestFixtureTearDown]
        public void TearDown()
        {
            _website.Stop();
        }
    
        [Test]
        public void should_serialize_with_bender()
        {
            new WebClient().UploadString(_website.Url, "hai").ShouldEqual("hai");
        }
    }
    

そして、これがビルドサーバーでも実行される場合、もう1つポイントがあります。最初に install IISビルドサーバーにExpress 。する必要があります。次に、ビルドサーバーにapplicationhost.configを作成する必要があります。 C:\Users\<User>\Documents\IISExpress\config\の下の開発ボックスから1つをコピーします。ビルドサーバーを実行しているユーザーの対応するパスにコピーする必要があります。システムとして実行している場合、パスはC:\Windows\System32\config\systemprofile\Documents\IISExpress\config\になります。

1
hcoverlambda

Webアプリケーションのweb.configファイルを変更すると、IIS(Expressを含む)はアプリプールを再起動します。これにより、更新されたアセンブリを展開できます。

Web.configを変更する1つの方法は、web.configを新しいファイルにコピーしてから元に戻すことです。

copy /Y path/web.config path/web_touch.config
move /Y path/web_touch.config path/web.config

IIS Expressは、単にアプリプールを再起動するよりも高速に制御したい場合があります。しかし、それだけで十分な場合、これは機能します。

1
Michael L Perry

これも私の解決策です。 IIS非表示のウィンドウでExpressを実行します。マネージャークラスは、いくつかのIIS Expressインスタンスを制御します。

class IISExpress
{               
    private const string IIS_EXPRESS = @"C:\Program Files\IIS Express\iisexpress.exe";        

    private Process process;

    IISExpress(Dictionary<string, string> args)
    {
        this.Arguments = new ReadOnlyDictionary<string, string>(args);

        string argumentsInString = args.Keys
            .Where(key => !string.IsNullOrEmpty(key))
            .Select(key => $"/{key}:{args[key]}")
            .Aggregate((agregate, element) => $"{agregate} {element}");

        this.process = Process.Start(new ProcessStartInfo()
        {
            FileName = IIS_EXPRESS,
            Arguments = argumentsInString,
            WindowStyle = ProcessWindowStyle.Hidden                
        });
    }

    public IReadOnlyDictionary<string, string> Arguments { get; protected set; }        

    public static IISExpress Start(Dictionary<string, string> args)
    {
        return new IISExpress(args);
    }

    public void Stop()
    {
        try
        {
            this.process.Kill();
            this.process.WaitForExit();
        }
        finally
        {
            this.process.Close();
        }            
    }        
}

いくつかのインスタンスが必要です。それらを制御するために設計されたマネージャークラス。

static class IISExpressManager
{
    /// <summary>
    /// All started IIS Express hosts
    /// </summary>
    private static List<IISExpress> hosts = new List<IISExpress>();

    /// <summary>
    /// Start IIS Express hosts according to the config file
    /// </summary>
    public static void StartIfEnabled()
    {
        string enableIISExpress = ConfigurationManager.AppSettings["EnableIISExpress"]; // bool value from config file
        string pathToConfigFile = ConfigurationManager.AppSettings["IISExpressConfigFile"]; // path string to iis configuration file
        string quotedPathToConfigFile = '"' + pathToConfigFile + '"';

        if (bool.TryParse(enableIISExpress, out bool isIISExpressEnabled) 
            && isIISExpressEnabled && File.Exists(pathToConfigFile))
        {                
            hosts.Add(IISExpress.Start(
                new Dictionary<string, string> {
                    {"systray", "false"},
                    {"config", quotedPathToConfigFile},
                    {"site", "Site1" }                        
                }));

            hosts.Add(IISExpress.Start(
                new Dictionary<string, string> {
                    {"systray", "false"},
                    { "config", quotedPathToConfigFile},
                    {"site", "Site2" }
                }));

        }
    }

    /// <summary>
    /// Stop all started hosts
    /// </summary>
    public static void Stop()
    {
        foreach(var h in hosts)
        {
            h.Stop();
        }
    }
}
1
user2809176

いいえ、インターフェイスを継承しません。 newキーワードを使用して、IISVersionManagerのインスタンスを作成できます。どのようにしてIIISExpressProcessUtilityインスタンスへの参照を取得するのかは完全に不明です。 MSDNドキュメントはひどいです。おそらくnew oneですが、それをサポートしているようには見えません。

1
Hans Passant

別のソリューションを採用しました。 「taskkill」とプロセス名を使用して、プロセスツリーを強制終了できます。これはローカルおよびTFS 2013で完全に機能します

public static void FinalizeIis()
{
    var startInfo = new ProcessStartInfo
    {
        UseShellExecute = false,
        Arguments = string.Format("/F /IM iisexpress.exe"),
        FileName = "taskkill"
    };

    Process.Start(startInfo);
}
1
Raffaeu