c# - 控制托管在 docker 中的 .NET Core 控制台应用程序的生命周期

标签 c# linux docker servicestack .net-core

免责声明 - 这与 docker container exits immediately even with Console.ReadLine() in a .net core console application 的问题几乎相同- 但我认为这个问题的公认答案并不令人满意。

我正在努力实现的目标
我正在构建一个控制台应用程序(它是使用 ServiceStack 的 HTTP 服务),它是用 .NET 核心(dnxcore50 - 这是一个控制台应用程序,而不是 ASP.NET 应用程序)构建的。我在 Linux 机器上的 docker 容器中运行这个应用程序。我已经这样做了,并且 HTTP 服务可以正常工作。

我的问题
话虽如此,“我的服务有效” - 确实如此,但在 docker 容器中托管服务存在问题。我在启动 HTTP 监听器后使用 Console.ReadLine() ,但此代码不会在 docker 容器内阻塞,容器将在启动后立即退出。我可以在“交互”模式下启动 docker 容器,服务将坐在那里监听,直到我终止交互 session ,然后容器将退出。

repo 代码
下面的代码是用于创建我的测试 .NET 核心 servicestack 控制台应用程序的完整代码 list 。

public class Program
{
    public static void Main(string[] args)
    {
        new AppHost().Init().Start("http://*:8088/");
        Console.WriteLine("listening on port 8088");
        Console.ReadLine();

    }
}

public class AppHost : AppSelfHostBase
{
    // Initializes your AppHost Instance, with the Service Name and assembly containing the Services
    public AppHost() : base("My Test Service", typeof(MyTestService).GetAssembly()) { }

    // Configure your AppHost with the necessary configuration and dependencies your App needs
    public override void Configure(Container container)
    {

    }
}

public class MyTestService: Service
{
    public TestResponse Any(TestRequest request)
    {
        string message = string.Format("Hello {0}", request.Name);
        Console.WriteLine(message);
        return new TestResponse {Message = message};
    }

}

[Api("Test method")]
[Route("/test/{Name}", "GET", Summary = "Get Message", Notes = "Gets a message incorporating the passed in name")]
public class TestRequest : IReturn<TestResponse>
{
    [ApiMember(Name = "Name", Description = "Your Name", ParameterType = "path", DataType = "string")]
    public string Name { get; set; }
}

public class TestResponse 
{
    [ApiMember(Name = "Message", Description = "A Message", ParameterType = "path", DataType = "string")]
    public string Message { get; set; }
}

解决这个问题的老办法
因此,以前使用 Mono 托管(Mono 存在严重的性能问题 - 因此切换到 .NET 核心) - 修复此行为的方法是使用 Mono.Posix 监听如下终止信号:

using Mono.Unix;
using Mono.Unix.Native;

...

static void Main(string[] args)
    {
        //Start your service here...

        // check if we're running on mono
        if (Type.GetType("Mono.Runtime") != null)
        {
            // on mono, processes will usually run as daemons - this allows you to listen
            // for termination signals (ctrl+c, shutdown, etc) and finalize correctly
            UnixSignal.WaitAny(new[] {
                new UnixSignal(Signum.SIGINT),
                new UnixSignal(Signum.SIGTERM),
                new UnixSignal(Signum.SIGQUIT),
                new UnixSignal(Signum.SIGHUP)
            });
        }
        else
        {
            Console.ReadLine();
        }
    }

现在 - 我知道这不适用于 .NET Core(显然是因为 Mono.Posix 是用于 Mono!)

相关文章(本文顶部)中概述的解决方案对我没有用 - 在生产环境中,我不能指望通过确保 docker 容器具有可用的交互式 session 来保持其事件状态,这将保持Console.ReadLine 工作,因为那里有一个 STD-IN 流......

在托管 .NET Core 应用程序时,是否有另一种方法可以让我的 docker 容器保持事件状态(在调用 docker run 时使用 -d(分离)选项)?

将代码重构作为神话建议的一部分

 public static void Main(string[] args)
    {
        Run(new AppHost().Init(), "http://*:8088/");
    }

    public static void Run(ServiceStackHost host, params string[] uris)
    {
        AppSelfHostBase appSelfHostBase = (AppSelfHostBase)host;

        using (IWebHost webHost = appSelfHostBase.ConfigureHost(new WebHostBuilder(), uris).Build())
        {
            ManualResetEventSlim done = new ManualResetEventSlim(false);
            using (CancellationTokenSource cts = new CancellationTokenSource())
            {
                Action shutdown = () =>
                {
                    if (!cts.IsCancellationRequested)
                    {
                        Console.WriteLine("Application is shutting down...");
                        cts.Cancel();
                    }

                    done.Wait();
                };

                Console.CancelKeyPress += (sender, eventArgs) =>
                {
                    shutdown();
                    // Don't terminate the process immediately, wait for the Main thread to exit gracefully.
                    eventArgs.Cancel = true;
                };

                Console.WriteLine("Application started. Press Ctrl+C to shut down.");
                webHost.Run(cts.Token);
                done.Set();
            }
        }
    }

最终解决方案!

对于后代 - 我采用的解决方案是可以在此处找到的代码(感谢 Myths 的澄清):https://github.com/NetCoreApps/Hello/blob/master/src/SelfHost/Program.cs

相关代码的repo:

public static void Main(string[] args)
    {
        var host = new WebHostBuilder()
            .UseKestrel()
            .UseContentRoot(Directory.GetCurrentDirectory())
            .UseStartup<Startup>()
            .UseUrls("http://*:8088/")
            .Build();

        host.Run();
    }
}

public class Startup
{
    // This method gets called by the runtime. Use this method to add services to the container.
    public void ConfigureServices(IServiceCollection services)
    {
    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env)
    {
        // app.UseStaticFiles();

        app.UseServiceStack(new AppHost());

        app.Run(context =>
        {
            context.Response.Redirect("/metadata");
            return Task.FromResult(0);
        });
    }

在 NuGet 中,我安装了 Microsoft.NETCore.App、ServiceStack.Core 和 ServiceStack.Kestrel。

最佳答案

如果您要在 Docker 中托管 .NET Core 应用程序,我建议您按照正常的 .NET Core Hosting API 进行操作。它调用 IWebHost.Run() 来阻塞主线程并保持控制台应用程序处于事件状态。

AppHostSelfBase 只是一个 wrapper around .NET Core's hosting API但改为调用非阻塞 IWebHost.Start() 。要获得 IWebHost.Run() 的行为,您应该能够重用与 WebHost.Run()'s implementation uses 相同的 ManualResetEventSlimConsole.CancelKeyPress 方法。 ,但就个人而言,使用 .NET Core 的 Hosting API 并调用 Run() 并且只需 register your ServiceStack AppHost as a .NET Core module .

关于c# - 控制托管在 docker 中的 .NET Core 控制台应用程序的生命周期,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/40506122/

相关文章:

c# - 银光 + WCF。流式传输音频和视频文件

linux - 如果 tar 被中断,它会覆盖它操作的第一个文件。有什么办法可以防止这种情况发生吗?

python - Linux 中的独立 Python 应用程序

java - 我们可以通过java访问任何c程序编辑器吗

mysql - 我无法在docker compose中进行mysql php artisan迁移。错误SQLSTATE [HY000] [2002]

linux - 如何在运行stress-ng的docker上使用perf工具?

c# - 对 .NET 项目中的资源感到困惑

C#单元测试代码题

c# - 使用 UpdateProgress 的问题

python - 在 Docker 中使用 python-colorama