0

我目前能够使用以下代码检测 IIS 网站是否已启动/暂停/停止:

public int GetWebsiteStatus(string machineName, int websiteId)
{
    DirectoryEntry root = new DirectoryEntry(
        String.Format("IIS://{0}/W3SVC/{1}", machineName, websiteId));
    PropertyValueCollection pvc = root.Properties["ServerState"];
    return pvc.Value
    // - 2: Website Started
    // - 4: Website Stopped
    // - 6: Website Paused
}

我还想检测网站是否被暂停。如果网站被暂停,上面的方法仍然返回 2(这是正确的)但对我来说还不够。

我找不到任何可以为 IIS6 及更高版本工作的代码。

4

2 回答 2

5

啊,你的意思是应用程序池因为超时配置而停止了吗?这是一个不同状态的网站还记得吗?好吧,当然,您可以更改设置使其不被回收,但您也可以尝试使用这样的代码;

首先,添加对\Windows\System32\inetsrv\Microsoft.Web.Administration.dll的引用,然后;

using System;
using System.Collections.Generic;
using System.Text;
using Microsoft.Web.Administration;
namespace MSWebAdmin_Application
{
    class Program
    {
        static void Main(string[] args)
        {
            ServerManager serverManager = new ServerManager();
            Site site = serverManager.Sites["Default Web Site"];

            // get the app for this site
            var appName = site.Applications[0].ApplicationPoolName;
            ApplicationPool appPool = serverManager.ApplicationPools[appName];

            Console.WriteLine("Site state is : {0}", site.State);
            Console.WriteLine("App '{0}' state is : {1}", appName, appPool.State);

            if (appPool.State == ObjectState.Stopped)
            {
                // do something because the web site is "suspended"
            }
        }
    }
}

该代码将独立检查您的 appPool 的状态,而不是您的网站。网站可能会返回“已启动”,而应用程序池可能会返回“已停止”。

看看它是否适用于你的情况。

于 2012-10-11T16:45:48.620 回答
1

您可能想尝试使用以下代码,添加您自己的逻辑并进行整理......但本质上您需要执行以下操作并根据您认为合适的方式修改您的代码。

添加以下枚举

public enum ServerState
        {
            Unknown = 0,
            Starting = 1,
            Started = 2,
            Stopping = 3,
            Stopped = 4,
            Pausing = 5,
            Paused = 6,
            Continuing = 7
        }

搜索站点并处理它...

DirectoryEntry w3svc = new DirectoryEntry("IIS://" + "localhost" + "/W3SVC");
//check each site
foreach (DirectoryEntry site in w3svc.Children)
{
    foreach (var s in site.Properties)
    {
        try
        {
            ServerState state =
                (ServerState)
                Enum.Parse(typeof (ServerState), site.Properties["ServerState"].Value.ToString());

            if (state == ServerState.Paused)
            {
                //Do action
            }
        }
        catch (Exception)
        {

        }

    }
}

我希望这对你也有用......

http://csharp-tipsandtricks.blogspot.co.uk/2009_12_01_archive.html

于 2012-10-11T13:41:07.113 回答