Browse Source

Static Content Processor

HOME 2 years ago
parent
commit
ab6b61316d

+ 3 - 0
.gitignore

@@ -1,3 +1,6 @@
+# Project specific
+DebugSymlink
+
 # ---> C Sharp
 # Build Folders (you can keep bin if you'd like, to store dlls and pdbs)
 [Bb]in/

+ 6 - 1
NetBootServerCore.sln

@@ -5,7 +5,12 @@ VisualStudioVersion = 17.5.33326.253
 MinimumVisualStudioVersion = 10.0.40219.1
 Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "NetBootServerCore", "NetBootServerCore\NetBootServerCore.csproj", "{C8CC6A44-E299-40EF-AC8C-3C1C2D7D2EA3}"
 EndProject
-Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "NetBootServerCore.BlazorWasm", "NetBootServerCore.BlazorWasm\NetBootServerCore.BlazorWasm.csproj", "{DBC28F8B-573F-41AA-A59B-B6797D04ECE0}"
+Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "NetBootServerCore.BlazorWasm", "NetBootServerCore.BlazorWasm\NetBootServerCore.BlazorWasm.csproj", "{DBC28F8B-573F-41AA-A59B-B6797D04ECE0}"
+EndProject
+Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "@", "@", "{73F5FAFD-C909-4CA1-BAFF-6D6492E02E16}"
+	ProjectSection(SolutionItems) = preProject
+		.gitignore = .gitignore
+	EndProjectSection
 EndProject
 Global
 	GlobalSection(SolutionConfigurationPlatforms) = preSolution

+ 1 - 0
NetBootServerCore.sln.DotSettings

@@ -1,3 +1,4 @@
 <wpf:ResourceDictionary xml:space="preserve" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:s="clr-namespace:System;assembly=mscorlib" xmlns:ss="urn:shemas-jetbrains-com:settings-storage-xaml" xmlns:wpf="http://schemas.microsoft.com/winfx/2006/xaml/presentation">
 	<s:Boolean x:Key="/Default/UserDictionary/Words/=DHCP/@EntryIndexedValue">True</s:Boolean>
+	<s:Boolean x:Key="/Default/UserDictionary/Words/=Ipxe/@EntryIndexedValue">True</s:Boolean>
 	<s:Boolean x:Key="/Default/UserDictionary/Words/=Tftp/@EntryIndexedValue">True</s:Boolean></wpf:ResourceDictionary>

NetBootServerCore/iPxeBootScripts/Example-iSCSI.txt → NetBootServerCore/BootScripts/Example-iSCSI.txt


+ 6 - 2
NetBootServerCore/Components/Http/HttpServer.cs

@@ -1,22 +1,26 @@
 using Microsoft.AspNetCore.Http.Extensions;
 using NetBootServerCore.Components.Logging;
 using System.Collections.Immutable;
+using LogLevel = Microsoft.Extensions.Logging.LogLevel;
 
 namespace NetBootServerCore.Components.Http
 {
     public class HttpServer : NbsComponentBase
     {
+        private readonly string[] _args;
         private readonly IReadOnlyCollection<IHttpRequestProcessor> _processors;
         private WebApplication _app;
 
-        public HttpServer(IEnumerable<IHttpRequestProcessor> processors) : base(new Logger("HTTP"))
+        public HttpServer(string[] args, IEnumerable<IHttpRequestProcessor> processors) : base(new Logger("HTTP"))
         {
+            _args = args;
             _processors = processors.ToImmutableArray();
         }
 
         protected override void OnStart()
         {
-            var builder = WebApplication.CreateBuilder();
+            var builder = WebApplication.CreateBuilder(_args);
+            builder.Logging.SetMinimumLevel(LogLevel.None);
             _app = builder.Build();
 
             _app.Run(async context =>

+ 103 - 3
NetBootServerCore/Components/Http/StaticContent/StaticContentProcessor.cs

@@ -1,16 +1,116 @@
 using NetBootServerCore.Components.Logging;
+using System.Text;
 
 namespace NetBootServerCore.Components.Http.StaticContent
 {
     public class StaticContentProcessor : NbsComponentBase, IHttpRequestProcessor
     {
-        public StaticContentProcessor() : base(new Logger("HTTP.Static"))
+        private readonly IConfigurationSection _config;
+        private readonly Dictionary<string, byte[]> _contentMap = new();
+
+        private string _basePath;
+        private string _contentPath;
+        private string _defaultDocument;
+        private bool _enableFallbackRoute;
+        private string _htmlBaseReplace;
+
+
+        private bool _isRunning;
+
+        public StaticContentProcessor(IConfigurationSection config) : base(new Logger("HTTP.Static"))
+        {
+            _config = config;
+        }
+
+        protected override void OnInit()
+        {
+            _basePath = _config["Base"].TrimEnd('/');
+            _contentPath = _config["Path"];
+            _defaultDocument = _config["DefaultDocument"];
+            _enableFallbackRoute = bool.Parse(_config["EnableFallbackRoute"]);
+            _htmlBaseReplace = _config["HtmlBaseReplace"];
+        }
+
+        protected override void OnStart()
+        {
+            if (File.Exists(_contentPath))
+            {
+                using var arc = SharpCompress.Archives.ArchiveFactory.Open(_contentPath);
+                foreach (var ent in arc.Entries.Where(p => p.IsDirectory == false))
+                {
+                    var buf = new byte[ent.Size];
+                    using var s = ent.OpenEntryStream();
+                    var r = s.Read(buf, 0, buf.Length);
+                    _contentMap[ent.Key.ToLower()] = buf;
+                }
+            }
+            else if (Directory.Exists(_contentPath))
+            {
+                var files = Directory.GetFiles(_contentPath, "*", System.IO.SearchOption.AllDirectories);
+                foreach (var item in files)
+                {
+                    var k = item.Substring(_contentPath.Length + 1).Replace("\\", "/").ToLower();
+                    _contentMap[k] = File.ReadAllBytes(item);
+                }
+            }
+            else throw new IOException("Content path not found");
+
+            _isRunning = true;
+        }
+
+        protected override void OnStop()
         {
-            //TODO: Load Content Package
+            _isRunning = false;
+            _contentMap.Clear();
         }
 
-        public async Task<bool> ProcessRequest(HttpContext request)
+        public async Task<bool> ProcessRequest(HttpContext context)
         {
+            if (!_isRunning) return false;
+
+            var requestPath = context.Request.Path;
+
+            if (requestPath == "/")
+            {
+                context.Response.Redirect($"{_basePath}{_defaultDocument}");
+                return true;
+            }
+
+            if (requestPath.StartsWithSegments(_basePath))
+            {
+                var arcPath = ((string)requestPath)[(_basePath.Length + 1)..].ToLower();
+
+                if (_enableFallbackRoute && false == _contentMap.ContainsKey(arcPath))
+                {
+                    arcPath = _defaultDocument;
+                }
+
+                if (false == _contentMap.TryGetValue(arcPath, out var bin))
+                {
+                    context.Response.StatusCode = 404;
+                    return true;
+                }
+
+                if (arcPath.ToLower().EndsWith(".js")) context.Response.ContentType = "application/javascript";
+                else if (arcPath.ToLower().EndsWith(".wasm")) context.Response.ContentType = "application/wasm";
+                else if (arcPath.ToLower().EndsWith(".css")) context.Response.ContentType = "text/css";
+                else if (arcPath.ToLower().EndsWith(".html"))
+                {
+                    context.Response.ContentType = "text/html";
+                    if (_htmlBaseReplace != null)
+                    {
+                        var html = Encoding.UTF8.GetString(bin);
+                        var r = html.Replace(_htmlBaseReplace, $"<base href=\"{_basePath}/\" />");
+                        bin = Encoding.UTF8.GetBytes(r);
+                    }
+                }
+                else context.Response.ContentType = "application/octet-stream";
+
+                context.Response.ContentLength = bin.Length;
+                await context.Response.BodyWriter.WriteAsync(bin);
+                return true;
+            }
+
             return false;
         }
     }

+ 0 - 2
NetBootServerCore/Components/Http/WebApi/WebApiProcessor.cs

@@ -1,5 +1,4 @@
 using NetBootServerCore.Components.Logging;
-using NetBootServerCore.Components.NetBoot;
 using NetBootServerCore.Components.NetBoot.Dhcp;
 
 namespace NetBootServerCore.Components.Http.WebApi
@@ -15,7 +14,6 @@ namespace NetBootServerCore.Components.Http.WebApi
 
         public async Task<bool> ProcessRequest(HttpContext request)
         {
-            
             //TODO: Show DHCP Pool entries
             //TODO: Log Notify (WebSocket?)
             return false;

+ 3 - 1
NetBootServerCore/Components/Logging/LogEntry.cs

@@ -5,8 +5,9 @@
         private static int _logSeed;
         public int Id { get; } = Interlocked.Increment(ref _logSeed);
 
-        public LogEntry(LogLevel level, string message, string details)
+        public LogEntry(string tag, LogLevel level, string message, string details)
         {
+            Tag = tag;
             Level = level;
             Message = message;
             Details = details;
@@ -14,6 +15,7 @@
 
         public DateTime Time { get; } = DateTime.Now;
         public LogLevel Level { get; }
+        public string Tag { get; }
         public string Message { get; }
         public string Details { get; }
     }

+ 6 - 6
NetBootServerCore/Components/Logging/Logger.cs

@@ -6,16 +6,16 @@
 
         public Logger(string tag) => Tag = tag;
 
-        public void LogDebug(string message, string details = null) => LogPool.Append(new LogEntry(LogLevel.Debug, message, details));
+        public void LogDebug(string message, string details = null) => LogPool.Append(new LogEntry(Tag, LogLevel.Debug, message, details));
 
-        public void LogVerbose(string message, string details = null) => LogPool.Append(new LogEntry(LogLevel.Verbose, message, details));
+        public void LogVerbose(string message, string details = null) => LogPool.Append(new LogEntry(Tag, LogLevel.Verbose, message, details));
 
-        public void LogInfo(string message, string details = null) => LogPool.Append(new LogEntry(LogLevel.Info, message, details));
+        public void LogInfo(string message, string details = null) => LogPool.Append(new LogEntry(Tag, LogLevel.Info, message, details));
 
-        public void LogWarn(string message, string details = null) => LogPool.Append(new LogEntry(LogLevel.Warn, message, details));
+        public void LogWarn(string message, string details = null) => LogPool.Append(new LogEntry(Tag, LogLevel.Warn, message, details));
 
-        public void LogError(string message, string details = null) => LogPool.Append(new LogEntry(LogLevel.Error, message, details));
+        public void LogError(string message, string details = null) => LogPool.Append(new LogEntry(Tag, LogLevel.Error, message, details));
 
-        public void LogFatal(string message, string details = null) => LogPool.Append(new LogEntry(LogLevel.Fatal, message, details));
+        public void LogFatal(string message, string details = null) => LogPool.Append(new LogEntry(Tag, LogLevel.Fatal, message, details));
     }
 }

+ 36 - 5
NetBootServerCore/Components/NbsComponentBase.cs

@@ -9,21 +9,52 @@ namespace NetBootServerCore.Components
         protected NbsComponentBase(Logger logger)
         {
             Logger = logger;
-            logger?.LogVerbose("Create");
+        }
+
+        public void Init()
+        {
+            Logger?.LogVerbose("Initialization");
+            try
+            {
+                OnInit();
+                Logger?.LogVerbose("Initialize OK");
+            }
+            catch (Exception e)
+            {
+                Logger?.LogError("Failure to Initialize", e.ToString());
+            }
         }
 
         public void Start()
         {
             Logger?.LogVerbose("Starting");
-            OnStart();
-            Logger?.LogVerbose("Started");
+            try
+            {
+                OnStart();
+                Logger?.LogVerbose("Started");
+            }
+            catch (Exception e)
+            {
+                Logger?.LogError("Failure to Start", e.ToString());
+            }
         }
 
         public void Stop()
         {
             Logger?.LogVerbose("Stopping");
-            OnStop();
-            Logger?.LogVerbose("Stopped");
+            try
+            {
+                OnStop();
+                Logger?.LogVerbose("Stopped");
+            }
+            catch (Exception e)
+            {
+                Logger?.LogError("Failure to Stop", e.ToString());
+            }
+        }
+
+        protected virtual void OnInit()
+        {
         }
 
         protected virtual void OnStart()

+ 27 - 25
NetBootServerCore/Components/NetBoot/Dhcp/DhcpServer.cs

@@ -1,5 +1,4 @@
-using Microsoft.AspNetCore.Components.Routing;
-using NetBootServerCore.Components.Logging;
+using NetBootServerCore.Components.Logging;
 using SharpPcap.LibPcap;
 using System.Net;
 
@@ -8,42 +7,45 @@ namespace NetBootServerCore.Components.NetBoot.Dhcp
     public class DhcpServer : NbsComponentBase
     {
         private const int Port = 67;
+        private readonly IConfigurationSection _config;
 
-        private readonly IPEndPoint _listenOn;
+        private IPEndPoint _listenOn;
 
-        private readonly IPAddress _poolStart;
-        private readonly int _poolSize;
+        private IPAddress _poolStart;
+        private int _poolSize;
 
-        private readonly IPAddress _subNet;
-        private readonly IPAddress _gateway;
-        private readonly IPAddress _dns;
+        private IPAddress _subNet;
+        private IPAddress _gateway;
+        private IPAddress _dns;
 
-        private readonly IPAddress _broadcastAddress;
+        private IPAddress _broadcastAddress;
 
-        private readonly IPAddress _tftp;
-        private readonly string _fileName;
-        private readonly string _fileNameForiPxe;
+        private IPAddress _tftp;
+        private string _fileName;
+        private string _fileNameForIpxe;
 
-        public DhcpServer(IConfigurationSection config) : base(new Logger("DHCP"))
+        private static LibPcapLiveDevice _nic;
+
+        public DhcpServer(IConfigurationSection config) : base(new Logger("DHCP")) => _config = config;
+
+        protected override void OnInit()
         {
-            _listenOn = new IPEndPoint(IPAddress.Parse(config["ListenOn"]), 67);
+            _listenOn = new IPEndPoint(IPAddress.Parse(_config["ListenOn"]), 67);
 
-            _poolStart = IPAddress.Parse(config["PoolStart"]);
-            _poolSize =int.Parse(config["PoolSize"]);
+            _poolStart = IPAddress.Parse(_config["PoolStart"]);
+            _poolSize = int.Parse(_config["PoolSize"]);
 
-            _subNet = IPAddress.Parse(config["SubNet"]);
-            _gateway = IPAddress.Parse(config["Gateway"]);
-            _dns = IPAddress.Parse(config["Dns"]);
+            _subNet = IPAddress.Parse(_config["SubNet"]);
+            _gateway = IPAddress.Parse(_config["Gateway"]);
+            _dns = IPAddress.Parse(_config["Dns"]);
 
-            _broadcastAddress= IPAddress.Parse(config["BroadcastAddress"]);
+            _broadcastAddress = IPAddress.Parse(_config["BroadcastAddress"]);
 
-            _tftp=IPAddress.Parse(config["Tftp"]);
-            _fileName = config["FileName"];
-            _fileNameForiPxe = config["FileName_iPXE"];
+            _tftp = IPAddress.Parse(_config["Tftp"]);
+            _fileName = _config["FileName"];
+            _fileNameForIpxe = _config["FileName_iPXE"];
         }
 
-        private static LibPcapLiveDevice _nic;
-
         protected override void OnStart()
         {
             _nic = LibPcapLiveDeviceList.Instance.FirstOrDefault(p => p.Addresses.Any(q => Equals(q.Addr.ipAddress, _listenOn.Address)));

+ 11 - 12
NetBootServerCore/LivingConsole/LogMarkup.cs

@@ -10,48 +10,47 @@ namespace NetBootServerCore.LivingConsole
         public static Markup Create(LogEntry log, int consoleWidth)
         {
             var color = "aqua";
-            var prefix = "UNKNOWN ";
+            var level = "UNKNOWN";
 
             switch (log.Level)
             {
                 case LogLevel.Debug:
                     color = "grey";
-                    prefix = "DEBG";
+                    level = "DEBG";
                     break;
 
                 case LogLevel.Verbose:
                     color = "aqua";
-                    prefix = "VERB";
+                    level = "VERB";
                     break;
 
                 case LogLevel.Info:
                     color = "lime";
-                    prefix = "INFO";
+                    level = "INFO";
                     break;
 
                 case LogLevel.Warn:
                     color = "yellow";
-                    prefix = "WARN";
+                    level = "WARN";
                     break;
 
                 case LogLevel.Error:
                     color = "red";
-                    prefix = "ERRO";
+                    level = "ERRO";
                     break;
 
                 case LogLevel.Fatal:
                     color = "fuchsia";
-                    prefix = "FATL";
+                    level = "FATL";
                     break;
             }
 
-            var upDays = (log.Time - NbsProgram.LaunchTime).Days;
 
-            var ts = $"{upDays:00}-{log.Time:HH:mm:ss.fff} ";
+            var ts = $"{log.Time:dd-HH:mm:ss.fff} ";
             var len = ts.Length;
 
-            var pm = $"[bold {color}]{Escape(prefix)}[/] ";
-            len += prefix.Length + 1;
+            var lt = $"[bold {color}]{Escape(level)}[/] {Escape($"[{log.Tag}]")} ";
+            len += level.Length + 1 + (log.Tag?.Length ?? 0) + 3;
 
             var msg = log.Message;
             len += msg.Length;
@@ -65,7 +64,7 @@ namespace NetBootServerCore.LivingConsole
                     : "";
             }
 
-            return new Markup($" {Escape(ts)}{pm}{Escape(msg)}");
+            return new Markup($" {Escape(ts)}{lt}{Escape(msg)}");
         }
     }
 }

+ 5 - 1
NetBootServerCore/NetBootServerCore.csproj

@@ -7,6 +7,7 @@
   </PropertyGroup>
 
   <ItemGroup>
+    <PackageReference Include="SharpCompress" Version="0.32.2" />
     <PackageReference Include="SharpPcap" Version="6.2.5" />
     <PackageReference Include="Spectre.Console" Version="0.46.1-preview.0.4" />
   </ItemGroup>
@@ -16,7 +17,10 @@
   </ItemGroup>
 
   <ItemGroup>
-    <None Update="iPxeBootScripts/Example-iSCSI.txt">
+    <None Update="BootScripts\Example-iSCSI.txt">
+      <CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
+    </None>
+    <None Update="StaticContent\index.html">
       <CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
     </None>
     <None Update="TftpRoot/undionly.kpxe">

+ 66 - 63
NetBootServerCore/Program.cs

@@ -31,79 +31,82 @@ public static class NbsProgram
         logger.LogWarn("Logger Init");
         logger.LogError("Logger Init");
         logger.LogFatal("Logger Init");
-        try
+
+        logger.LogInfo("Load config");
+        var config = WebApplication.CreateBuilder(args).Configuration;
+        var httpPrefix = config.GetSection("Web")["Prefix"];
+        Console.Title = $"{nameof(NetBootServerCore)} at {httpPrefix}";
+        Environment.SetEnvironmentVariable("ASPNETCORE_URLS", httpPrefix);
+
+        logger.LogInfo("Create components");
+        var dhcp = new DhcpServer(config.GetSection("DHCP"));
+        var tftp = new TftpServer(config.GetSection("TFTP"));
+        var bsp = new BootScriptProvider(config.GetSection("BootScript"));
+
+        var scriptModule = new BootScriptProcessor(bsp);
+        var apiModule = new WebApiProcessor(dhcp);
+        var staticModule = new StaticContentProcessor(config.GetSection("StaticContent"));
+        var httpServer = new HttpServer(args,new IHttpRequestProcessor[] { scriptModule, apiModule, staticModule });
+
+        logger.LogInfo("Init components");
+        dhcp.Init();
+        tftp.Init();
+        scriptModule.Init();
+        apiModule.Init();
+        staticModule.Init();
+        httpServer.Init();
+
+        logger.LogInfo("Start components");
+        dhcp.Start();
+        tftp.Start();
+        scriptModule.Start();
+        apiModule.Start();
+        staticModule.Start();
+        httpServer.Start();
+
+        logger.LogInfo("Running");
+
+        //Waiting until Control-C
         {
-            logger.LogInfo("Load config");
-            var config = WebApplication.CreateBuilder(args).Configuration;
-            var httpPrefix = config.GetSection("Web")["Prefix"];
-            Console.Title = $"{nameof(NetBootServerCore)} at {httpPrefix}";
-            Environment.SetEnvironmentVariable("ASPNETCORE_URLS", httpPrefix);
-
-            logger.LogInfo("Create components");
-            var dhcp = new DhcpServer(config.GetSection("DHCP"));
-            var tftp = new TftpServer(config.GetSection("TFTP"));
-            var bsp = new BootScriptProvider(config.GetSection("BootScript"));
-
-            var scriptServer = new BootScriptProcessor(bsp);
-            var apiServer = new WebApiProcessor(dhcp);
-            var staticServer = new StaticContentProcessor();
-            var httpServer = new HttpServer(new IHttpRequestProcessor[] { scriptServer, apiServer, staticServer });
-
-            logger.LogInfo("Start components");
-            dhcp.Start();
-            tftp.Start();
-            scriptServer.Start();
-            apiServer.Start();
-            staticServer.Start();
-            httpServer.Start();
-
-            logger.LogInfo("Running");
-
-            //Waiting until Control-C
+            CancellationTokenSource ctSource = new();
+            var ct = ctSource.Token;
+
+            void ExitHandler()
             {
-                CancellationTokenSource ctSource = new();
-                var ct = ctSource.Token;
+                // You can add any arbitrary global clean up
+                logger.LogInfo("Exiting...");
+                ctSource.Cancel();
+            }
 
-                void ExitHandler()
+            // Assign exit handler to be called when the process is terminated
+            // or the user hits CTRL+C
+            AppDomain.CurrentDomain.ProcessExit += (_, _) => ExitHandler();
+            Console.CancelKeyPress += (_, _) => ExitHandler();
+
+            // Then you can use the cancellation token to check for exit:
+            while (!ct.IsCancellationRequested)
+            {
+                try
                 {
-                    // You can add any arbitrary global clean up
-                    logger.LogInfo("Exiting...");
-                    ctSource.Cancel();
+                    Task.Delay(1000, ct).Wait(ct);
                 }
-
-                // Assign exit handler to be called when the process is terminated
-                // or the user hits CTRL+C
-                AppDomain.CurrentDomain.ProcessExit += (_, _) => ExitHandler();
-                Console.CancelKeyPress += (_, _) => ExitHandler();
-
-                // Then you can use the cancellation token to check for exit:
-                while (!ct.IsCancellationRequested)
+                catch (OperationCanceledException e)
                 {
-                    try
-                    {
-                        Task.Delay(1000, ct).Wait(ct);
-                    }
-                    catch (OperationCanceledException e)
-                    {
-                        break;
-                    }
+                    break;
                 }
             }
+        }
 
-            //stop components
-            dhcp.Stop();
-            tftp.Stop();
-            apiServer.Stop();
-            scriptServer.Stop();
-            staticServer.Stop();
-            httpServer.Stop();
+        //stop components
+        dhcp.Stop();
+        tftp.Stop();
+        apiModule.Stop();
+        scriptModule.Stop();
+        staticModule.Stop();
+        httpServer.Stop();
+
+        logger.LogInfo("Finished");
 
-            logger.LogInfo("Finished");
-        }
-        catch (Exception ex)
-        {
-            logger.LogFatal(ex.Message, ex.ToString());
-        }
         LiveConsole.Stop();
     }
 }

+ 10 - 0
NetBootServerCore/StaticContent/index.html

@@ -0,0 +1,10 @@
+<!DOCTYPE html>
+<html>
+<head>
+    <meta charset="utf-8" />
+    <title>Home page</title>
+</head>
+<body>
+    Hello world.
+</body>
+</html>

+ 0 - 3
NetBootServerCore/appsettings.Development.json

@@ -1,3 +0,0 @@
-{
-
-}

+ 17 - 13
NetBootServerCore/appsettings.json

@@ -1,14 +1,4 @@
 {
-  "Logging": {
-    "LogLevel": {
-      "Default": "None",
-      "Microsoft.AspNetCore": "None"
-    }
-  },
-  "AllowedHosts": "*",
-  "Web": {
-    "Prefix": "http://0.0.0.0:6780"
-  },
   "DHCP": {
     "ListenOn": "192.168.233.31",
     "PoolStart": "192.168.233.154",
@@ -17,15 +7,29 @@
     "Gateway": "192.168.233.1",
     "DNS": "192.168.233.53",
     "BroadcastAddress": "192.168.233.255",
-    "Tftp": "192.168.233.133",
+    "Tftp": "192.168.233.31",
     "FileName": "undionly.kpxe",
-    "FileName_iPXE": "http://192.168.233.133:6800/boot/ipxe"
+    "FileName_iPXE": "http://192.168.233.31:6780/boot/ipxe"
   },
   "TFTP": {
     "ListenOn": "0.0.0.0",
     "RootDir": "TftpRoot"
   },
+  "Web": {
+    "Prefix": "http://0.0.0.0:6780"
+  },
   "BootScript": {
-    "ScriptDir": "BootScript"
+    "Base": "/boot/",
+    "ScriptDir": "BootScripts"
+  },
+  "WebApi": {
+    "Base": "/api/"
+  },
+  "StaticContent": {
+    "Base": "/static/",
+    "Path": "StaticContent/DebugSymlink",
+    "DefaultDocument": "index.html",
+    "EnableFallbackRoute": true,
+    "HtmlBaseReplace": "<base href=\"/\" />"
   }
 }