< Summary - Jellyfin

Information
Class: Jellyfin.Server.Program
Assembly: jellyfin
File(s): /srv/git/jellyfin/Jellyfin.Server/Program.cs
Line coverage
63%
Covered lines: 12
Uncovered lines: 7
Coverable lines: 19
Total lines: 256
Line coverage: 63.1%
Branch coverage
50%
Covered branches: 2
Total branches: 4
Branch coverage: 50%
Method coverage

Feature is only available for sponsors

Upgrade to PRO version

Coverage history

Coverage history 0 25 50 75 100

Metrics

MethodBranch coverage Crap Score Cyclomatic complexity Line coverage
.cctor()100%210%
Main(...)100%210%
CreateAppConfiguration(...)100%11100%
ConfigureAppConfiguration(...)50%4490%

File(s)

/srv/git/jellyfin/Jellyfin.Server/Program.cs

#LineLine coverage
 1using System;
 2using System.Collections.Generic;
 3using System.Diagnostics;
 4using System.IO;
 5using System.Linq;
 6using System.Reflection;
 7using System.Threading;
 8using System.Threading.Tasks;
 9using CommandLine;
 10using Emby.Server.Implementations;
 11using Jellyfin.Database.Implementations;
 12using Jellyfin.Server.Extensions;
 13using Jellyfin.Server.Helpers;
 14using Jellyfin.Server.ServerSetupApp;
 15using MediaBrowser.Common.Configuration;
 16using MediaBrowser.Common.Net;
 17using MediaBrowser.Controller;
 18using Microsoft.AspNetCore.Hosting;
 19using Microsoft.Data.Sqlite;
 20using Microsoft.EntityFrameworkCore;
 21using Microsoft.Extensions.Configuration;
 22using Microsoft.Extensions.DependencyInjection;
 23using Microsoft.Extensions.Hosting;
 24using Microsoft.Extensions.Logging;
 25using Microsoft.Extensions.Logging.Abstractions;
 26using Serilog;
 27using Serilog.Extensions.Logging;
 28using static MediaBrowser.Controller.Extensions.ConfigurationExtensions;
 29using ILogger = Microsoft.Extensions.Logging.ILogger;
 30
 31namespace Jellyfin.Server
 32{
 33    /// <summary>
 34    /// Class containing the entry point of the application.
 35    /// </summary>
 36    public static class Program
 37    {
 38        /// <summary>
 39        /// The name of logging configuration file containing application defaults.
 40        /// </summary>
 41        public const string LoggingConfigFileDefault = "logging.default.json";
 42
 43        /// <summary>
 44        /// The name of the logging configuration file containing the system-specific override settings.
 45        /// </summary>
 46        public const string LoggingConfigFileSystem = "logging.json";
 47
 048        private static readonly SerilogLoggerFactory _loggerFactory = new SerilogLoggerFactory();
 049        private static SetupServer _setupServer = new();
 50        private static CoreAppHost? _appHost;
 051        private static IHost? _jellyfinHost = null;
 52        private static long _startTimestamp;
 053        private static ILogger _logger = NullLogger.Instance;
 54        private static bool _restartOnShutdown;
 55
 56        /// <summary>
 57        /// The entry point of the application.
 58        /// </summary>
 59        /// <param name="args">The command line arguments passed.</param>
 60        /// <returns><see cref="Task" />.</returns>
 61        public static Task Main(string[] args)
 62        {
 63            static Task ErrorParsingArguments(IEnumerable<Error> errors)
 64            {
 65                Environment.ExitCode = 1;
 66                return Task.CompletedTask;
 67            }
 68
 69            // Parse the command line arguments and either start the app or exit indicating error
 070            return Parser.Default.ParseArguments<StartupOptions>(args)
 071                .MapResult(StartApp, ErrorParsingArguments);
 72        }
 73
 74        private static async Task StartApp(StartupOptions options)
 75        {
 76            _startTimestamp = Stopwatch.GetTimestamp();
 77            ServerApplicationPaths appPaths = StartupHelpers.CreateApplicationPaths(options);
 78            await _setupServer.RunAsync(static () => _jellyfinHost?.Services?.GetService<INetworkManager>(), appPaths, s
 79
 80            // $JELLYFIN_LOG_DIR needs to be set for the logger configuration manager
 81            Environment.SetEnvironmentVariable("JELLYFIN_LOG_DIR", appPaths.LogDirectoryPath);
 82
 83            // Enable cl-va P010 interop for tonemapping on Intel VAAPI
 84            Environment.SetEnvironmentVariable("NEOReadDebugKeys", "1");
 85            Environment.SetEnvironmentVariable("EnableExtendedVaFormats", "1");
 86
 87            await StartupHelpers.InitLoggingConfigFile(appPaths).ConfigureAwait(false);
 88
 89            // Create an instance of the application configuration to use for application startup
 90            IConfiguration startupConfig = CreateAppConfiguration(options, appPaths);
 91
 92            StartupHelpers.InitializeLoggingFramework(startupConfig, appPaths);
 93            _logger = _loggerFactory.CreateLogger("Main");
 94
 95            // Use the logging framework for uncaught exceptions instead of std error
 96            AppDomain.CurrentDomain.UnhandledException += (_, e)
 97                => _logger.LogCritical((Exception)e.ExceptionObject, "Unhandled Exception");
 98
 99            _logger.LogInformation(
 100                "Jellyfin version: {Version}",
 101                Assembly.GetEntryAssembly()!.GetName().Version!.ToString(3));
 102
 103            StartupHelpers.LogEnvironmentInfo(_logger, appPaths);
 104
 105            // If hosting the web client, validate the client content path
 106            if (startupConfig.HostWebClient())
 107            {
 108                var webContentPath = appPaths.WebPath;
 109                if (!Directory.Exists(webContentPath) || !Directory.EnumerateFiles(webContentPath).Any())
 110                {
 111                    _logger.LogError(
 112                        "The server is expected to host the web client, but the provided content directory is either " +
 113                        "invalid or empty: {WebContentPath}. If you do not want to host the web client with the " +
 114                        "server, you may set the '--nowebclient' command line flag, or set" +
 115                        "'{ConfigKey}=false' in your config settings",
 116                        webContentPath,
 117                        HostWebClientKey);
 118                    Environment.ExitCode = 1;
 119                    return;
 120                }
 121            }
 122
 123            StartupHelpers.PerformStaticInitialization();
 124            await Migrations.MigrationRunner.RunPreStartup(appPaths, _loggerFactory).ConfigureAwait(false);
 125
 126            do
 127            {
 128                await StartServer(appPaths, options, startupConfig).ConfigureAwait(false);
 129
 130                if (_restartOnShutdown)
 131                {
 132                    _startTimestamp = Stopwatch.GetTimestamp();
 133                    _setupServer = new SetupServer();
 134                    await _setupServer.RunAsync(static () => _jellyfinHost?.Services?.GetService<INetworkManager>(), app
 135                }
 136            } while (_restartOnShutdown);
 137        }
 138
 139        private static async Task StartServer(IServerApplicationPaths appPaths, StartupOptions options, IConfiguration s
 140        {
 141            using CoreAppHost appHost = new CoreAppHost(
 142                            appPaths,
 143                            _loggerFactory,
 144                            options,
 145                            startupConfig);
 146            _appHost = appHost;
 147            try
 148            {
 149                _jellyfinHost = Host.CreateDefaultBuilder()
 150                    .UseConsoleLifetime()
 151                    .ConfigureServices(services => appHost.Init(services))
 152                    .ConfigureWebHostDefaults(webHostBuilder =>
 153                    {
 154                        webHostBuilder.ConfigureWebHostBuilder(appHost, startupConfig, appPaths, _logger);
 155                        if (bool.TryParse(Environment.GetEnvironmentVariable("JELLYFIN_ENABLE_IIS"), out var iisEnabled)
 156                        {
 157                            _logger.LogCritical("UNSUPPORTED HOSTING ENVIRONMENT Microsoft Internet Information Services
 158                            webHostBuilder.UseIIS();
 159                        }
 160                    })
 161                    .ConfigureAppConfiguration(config => config.ConfigureAppConfiguration(options, appPaths, startupConf
 162                    .UseSerilog()
 163                    .Build();
 164
 165                // Re-use the host service provider in the app host since ASP.NET doesn't allow a custom service collect
 166                appHost.ServiceProvider = _jellyfinHost.Services;
 167
 168                await appHost.InitializeServices(startupConfig).ConfigureAwait(false);
 169                await Migrations.MigrationRunner.Run(appHost, _loggerFactory).ConfigureAwait(false);
 170
 171                try
 172                {
 173                    await _setupServer.StopAsync().ConfigureAwait(false);
 174                    _setupServer.Dispose();
 175                    _setupServer = null!;
 176                    await _jellyfinHost.StartAsync().ConfigureAwait(false);
 177
 178                    if (!OperatingSystem.IsWindows() && startupConfig.UseUnixSocket())
 179                    {
 180                        var socketPath = StartupHelpers.GetUnixSocketPath(startupConfig, appPaths);
 181
 182                        StartupHelpers.SetUnixSocketPermissions(startupConfig, socketPath, _logger);
 183                    }
 184                }
 185                catch (Exception)
 186                {
 187                    _logger.LogError("Kestrel failed to start! This is most likely due to an invalid address or port bin
 188                    throw;
 189                }
 190
 191                await appHost.RunStartupTasksAsync().ConfigureAwait(false);
 192
 193                _logger.LogInformation("Startup complete {Time:g}", Stopwatch.GetElapsedTime(_startTimestamp));
 194
 195                await _jellyfinHost.WaitForShutdownAsync().ConfigureAwait(false);
 196                _restartOnShutdown = appHost.ShouldRestart;
 197            }
 198            catch (Exception ex)
 199            {
 200                _restartOnShutdown = false;
 201                _logger.LogCritical(ex, "Error while starting server");
 202            }
 203            finally
 204            {
 205                // Don't throw additional exception if startup failed.
 206                if (appHost.ServiceProvider is not null)
 207                {
 208                    _logger.LogInformation("Running query planner optimizations in the database... This might take a whi
 209
 210                    var databaseProvider = appHost.ServiceProvider.GetRequiredService<IJellyfinDatabaseProvider>();
 211                    using var shutdownSource = new CancellationTokenSource();
 212                    shutdownSource.CancelAfter((int)TimeSpan.FromSeconds(60).TotalMicroseconds);
 213                    await databaseProvider.RunShutdownTask(shutdownSource.Token).ConfigureAwait(false);
 214                }
 215
 216                _appHost = null;
 217                _jellyfinHost?.Dispose();
 218            }
 219        }
 220
 221        /// <summary>
 222        /// Create the application configuration.
 223        /// </summary>
 224        /// <param name="commandLineOpts">The command line options passed to the program.</param>
 225        /// <param name="appPaths">The application paths.</param>
 226        /// <returns>The application configuration.</returns>
 227        public static IConfiguration CreateAppConfiguration(StartupOptions commandLineOpts, IApplicationPaths appPaths)
 228        {
 21229            return new ConfigurationBuilder()
 21230                .ConfigureAppConfiguration(commandLineOpts, appPaths)
 21231                .Build();
 232        }
 233
 234        private static IConfigurationBuilder ConfigureAppConfiguration(
 235            this IConfigurationBuilder config,
 236            StartupOptions commandLineOpts,
 237            IApplicationPaths appPaths,
 238            IConfiguration? startupConfig = null)
 239        {
 240            // Use the swagger API page as the default redirect path if not hosting the web client
 21241            var inMemoryDefaultConfig = ConfigurationOptions.DefaultConfiguration;
 21242            if (startupConfig is not null && !startupConfig.HostWebClient())
 243            {
 0244                inMemoryDefaultConfig[DefaultRedirectKey] = "api-docs/swagger";
 245            }
 246
 21247            return config
 21248                .SetBasePath(appPaths.ConfigurationDirectoryPath)
 21249                .AddInMemoryCollection(inMemoryDefaultConfig)
 21250                .AddJsonFile(LoggingConfigFileDefault, optional: false, reloadOnChange: true)
 21251                .AddJsonFile(LoggingConfigFileSystem, optional: true, reloadOnChange: true)
 21252                .AddEnvironmentVariables("JELLYFIN_")
 21253                .AddInMemoryCollection(commandLineOpts.ConvertToConfig());
 254        }
 255    }
 256}