Compare commits
65 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
a8bd1193ce | ||
|
|
366d1a9205 | ||
|
|
df9ed95c6b | ||
|
|
23a211362e | ||
|
|
cf91d44902 | ||
|
|
35633e21a9 | ||
|
|
ce8b8f6798 | ||
|
|
c28c80ba25 | ||
|
|
da17b1df93 | ||
|
|
f9f5865ef9 | ||
|
|
389ded9b77 | ||
|
|
faebaa59dd | ||
|
|
6b7dc2ad05 | ||
|
|
e356c9d0c8 | ||
|
|
efed2a6a5c | ||
|
|
6f138c2c51 | ||
|
|
6c43e6a533 | ||
|
|
0379afd831 | ||
|
|
b8bfdb7729 | ||
|
|
72f60ec97c | ||
|
|
1b40250750 | ||
|
|
cdf2988cb6 | ||
|
|
76415b4a0a | ||
|
|
52d00baf2b | ||
|
|
cd41db510e | ||
|
|
1afd4e8b92 | ||
|
|
ef37088c7a | ||
|
|
e71495533b | ||
|
|
e2a6d70f6a | ||
|
|
e95853b09c | ||
|
|
0537ca115e | ||
|
|
432e441972 | ||
|
|
1dae5150bd | ||
|
|
72c6f636ee | ||
|
|
e54d04277d | ||
|
|
f559f08e8d | ||
|
|
2674fb3fa7 | ||
|
|
d5d77ae7da | ||
|
|
3ae905038c | ||
|
|
6707d722e0 | ||
|
|
bc9fecf6d9 | ||
|
|
c2cb10f069 | ||
|
|
cc06d1eb0b | ||
|
|
916ff71022 | ||
|
|
9e80342e26 | ||
|
|
0fb97683bf | ||
|
|
32415bad54 | ||
|
|
d2b0bcc4a3 | ||
|
|
2f4f4193d3 | ||
|
|
7279f05a16 | ||
|
|
3962723acb | ||
|
|
125e72fa58 | ||
|
|
880cce060f | ||
|
|
0e04942111 | ||
|
|
46a88d4638 | ||
|
|
c7c39fc511 | ||
|
|
3b9bdd1916 | ||
|
|
d267be6d69 | ||
|
|
18f6a1acdc | ||
|
|
2ca41ff18f | ||
|
|
74c77bc744 | ||
|
|
1ff8cdd7a9 | ||
|
|
bd320d025a | ||
| 0fde9a5005 | |||
|
|
74541d7f87 |
1
.gitattributes
vendored
1
.gitattributes
vendored
@@ -1,2 +1,3 @@
|
||||
# Auto detect text files and perform LF normalization
|
||||
* text=auto
|
||||
Moonlight/wwwroot/* linguist-vendored
|
||||
|
||||
58
Moonlight/App/ApiClients/Modrinth/ModrinthApiHelper.cs
Normal file
58
Moonlight/App/ApiClients/Modrinth/ModrinthApiHelper.cs
Normal file
@@ -0,0 +1,58 @@
|
||||
using Newtonsoft.Json;
|
||||
using RestSharp;
|
||||
|
||||
namespace Moonlight.App.ApiClients.Modrinth;
|
||||
|
||||
public class ModrinthApiHelper
|
||||
{
|
||||
private readonly RestClient Client;
|
||||
|
||||
public ModrinthApiHelper()
|
||||
{
|
||||
Client = new();
|
||||
Client.AddDefaultParameter(
|
||||
new HeaderParameter("User-Agent", "Moonlight-Panel/Moonlight (admin@endelon-hosting.de)")
|
||||
);
|
||||
}
|
||||
|
||||
public async Task<T> Get<T>(string resource)
|
||||
{
|
||||
var request = CreateRequest(resource);
|
||||
|
||||
request.Method = Method.Get;
|
||||
|
||||
var response = await Client.ExecuteAsync(request);
|
||||
|
||||
if (!response.IsSuccessful)
|
||||
{
|
||||
if (response.StatusCode != 0)
|
||||
{
|
||||
throw new ModrinthException(
|
||||
$"An error occured: ({response.StatusCode}) {response.Content}",
|
||||
(int)response.StatusCode
|
||||
);
|
||||
}
|
||||
else
|
||||
{
|
||||
throw new Exception($"An internal error occured: {response.ErrorMessage}");
|
||||
}
|
||||
}
|
||||
|
||||
return JsonConvert.DeserializeObject<T>(response.Content!)!;
|
||||
}
|
||||
|
||||
private RestRequest CreateRequest(string resource)
|
||||
{
|
||||
var url = "https://api.modrinth.com/v2/" + resource;
|
||||
|
||||
var request = new RestRequest(url)
|
||||
{
|
||||
Timeout = 60 * 15
|
||||
};
|
||||
|
||||
request.AddHeader("Content-Type", "application/json");
|
||||
request.AddHeader("Accept", "application/json");
|
||||
|
||||
return request;
|
||||
}
|
||||
}
|
||||
19
Moonlight/App/ApiClients/Modrinth/ModrinthException.cs
Normal file
19
Moonlight/App/ApiClients/Modrinth/ModrinthException.cs
Normal file
@@ -0,0 +1,19 @@
|
||||
namespace Moonlight.App.ApiClients.Modrinth;
|
||||
|
||||
public class ModrinthException : Exception
|
||||
{
|
||||
public int StatusCode { get; set; }
|
||||
|
||||
public ModrinthException()
|
||||
{
|
||||
}
|
||||
|
||||
public ModrinthException(string message, int statusCode) : base(message)
|
||||
{
|
||||
StatusCode = statusCode;
|
||||
}
|
||||
|
||||
public ModrinthException(string message, Exception inner) : base(message, inner)
|
||||
{
|
||||
}
|
||||
}
|
||||
14
Moonlight/App/ApiClients/Modrinth/Resources/Pagination.cs
Normal file
14
Moonlight/App/ApiClients/Modrinth/Resources/Pagination.cs
Normal file
@@ -0,0 +1,14 @@
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.ApiClients.Modrinth.Resources;
|
||||
|
||||
public class Pagination
|
||||
{
|
||||
[JsonProperty("hits")] public Project[] Hits { get; set; }
|
||||
|
||||
[JsonProperty("offset")] public long Offset { get; set; }
|
||||
|
||||
[JsonProperty("limit")] public long Limit { get; set; }
|
||||
|
||||
[JsonProperty("total_hits")] public long TotalHits { get; set; }
|
||||
}
|
||||
48
Moonlight/App/ApiClients/Modrinth/Resources/Project.cs
Normal file
48
Moonlight/App/ApiClients/Modrinth/Resources/Project.cs
Normal file
@@ -0,0 +1,48 @@
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.ApiClients.Modrinth.Resources;
|
||||
|
||||
public class Project
|
||||
{
|
||||
[JsonProperty("project_id")] public string ProjectId { get; set; }
|
||||
|
||||
[JsonProperty("project_type")] public string ProjectType { get; set; }
|
||||
|
||||
[JsonProperty("slug")] public string Slug { get; set; }
|
||||
|
||||
[JsonProperty("author")] public string Author { get; set; }
|
||||
|
||||
[JsonProperty("title")] public string Title { get; set; }
|
||||
|
||||
[JsonProperty("description")] public string Description { get; set; }
|
||||
|
||||
[JsonProperty("categories")] public string[] Categories { get; set; }
|
||||
|
||||
[JsonProperty("display_categories")] public string[] DisplayCategories { get; set; }
|
||||
|
||||
[JsonProperty("versions")] public string[] Versions { get; set; }
|
||||
|
||||
[JsonProperty("downloads")] public long Downloads { get; set; }
|
||||
|
||||
[JsonProperty("follows")] public long Follows { get; set; }
|
||||
|
||||
[JsonProperty("icon_url")] public string IconUrl { get; set; }
|
||||
|
||||
[JsonProperty("date_created")] public DateTimeOffset DateCreated { get; set; }
|
||||
|
||||
[JsonProperty("date_modified")] public DateTimeOffset DateModified { get; set; }
|
||||
|
||||
[JsonProperty("latest_version")] public string LatestVersion { get; set; }
|
||||
|
||||
[JsonProperty("license")] public string License { get; set; }
|
||||
|
||||
[JsonProperty("client_side")] public string ClientSide { get; set; }
|
||||
|
||||
[JsonProperty("server_side")] public string ServerSide { get; set; }
|
||||
|
||||
[JsonProperty("gallery")] public Uri[] Gallery { get; set; }
|
||||
|
||||
[JsonProperty("featured_gallery")] public Uri FeaturedGallery { get; set; }
|
||||
|
||||
[JsonProperty("color")] public long? Color { get; set; }
|
||||
}
|
||||
57
Moonlight/App/ApiClients/Modrinth/Resources/Version.cs
Normal file
57
Moonlight/App/ApiClients/Modrinth/Resources/Version.cs
Normal file
@@ -0,0 +1,57 @@
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.ApiClients.Modrinth.Resources;
|
||||
|
||||
public class Version
|
||||
{
|
||||
[JsonProperty("name")]
|
||||
public string Name { get; set; }
|
||||
|
||||
[JsonProperty("version_number")]
|
||||
public string VersionNumber { get; set; }
|
||||
|
||||
[JsonProperty("changelog")]
|
||||
public string Changelog { get; set; }
|
||||
|
||||
[JsonProperty("dependencies")]
|
||||
public object[] Dependencies { get; set; }
|
||||
|
||||
[JsonProperty("game_versions")]
|
||||
public object[] GameVersions { get; set; }
|
||||
|
||||
[JsonProperty("version_type")]
|
||||
public string VersionType { get; set; }
|
||||
|
||||
[JsonProperty("loaders")]
|
||||
public object[] Loaders { get; set; }
|
||||
|
||||
[JsonProperty("featured")]
|
||||
public bool Featured { get; set; }
|
||||
|
||||
[JsonProperty("status")]
|
||||
public string Status { get; set; }
|
||||
|
||||
[JsonProperty("requested_status")]
|
||||
public string RequestedStatus { get; set; }
|
||||
|
||||
[JsonProperty("id")]
|
||||
public string Id { get; set; }
|
||||
|
||||
[JsonProperty("project_id")]
|
||||
public string ProjectId { get; set; }
|
||||
|
||||
[JsonProperty("author_id")]
|
||||
public string AuthorId { get; set; }
|
||||
|
||||
[JsonProperty("date_published")]
|
||||
public DateTime DatePublished { get; set; }
|
||||
|
||||
[JsonProperty("downloads")]
|
||||
public long Downloads { get; set; }
|
||||
|
||||
[JsonProperty("changelog_url")]
|
||||
public object ChangelogUrl { get; set; }
|
||||
|
||||
[JsonProperty("files")]
|
||||
public VersionFile[] Files { get; set; }
|
||||
}
|
||||
21
Moonlight/App/ApiClients/Modrinth/Resources/VersionFile.cs
Normal file
21
Moonlight/App/ApiClients/Modrinth/Resources/VersionFile.cs
Normal file
@@ -0,0 +1,21 @@
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.ApiClients.Modrinth.Resources;
|
||||
|
||||
public class VersionFile
|
||||
{
|
||||
[JsonProperty("url")]
|
||||
public Uri Url { get; set; }
|
||||
|
||||
[JsonProperty("filename")]
|
||||
public string Filename { get; set; }
|
||||
|
||||
[JsonProperty("primary")]
|
||||
public bool Primary { get; set; }
|
||||
|
||||
[JsonProperty("size")]
|
||||
public long Size { get; set; }
|
||||
|
||||
[JsonProperty("file_type")]
|
||||
public string FileType { get; set; }
|
||||
}
|
||||
@@ -13,6 +13,8 @@ public class Server
|
||||
public string OverrideStartup { get; set; } = "";
|
||||
public bool Installing { get; set; } = false;
|
||||
public bool Suspended { get; set; } = false;
|
||||
public bool IsArchived { get; set; } = false;
|
||||
public ServerBackup? Archive { get; set; } = null;
|
||||
|
||||
public List<ServerVariable> Variables { get; set; } = new();
|
||||
public List<ServerBackup> Backups { get; set; } = new();
|
||||
|
||||
@@ -24,6 +24,8 @@ public class User
|
||||
|
||||
public string Country { get; set; } = "";
|
||||
|
||||
public string ServerListLayoutJson { get; set; } = "";
|
||||
|
||||
// States
|
||||
|
||||
public UserStatus Status { get; set; } = UserStatus.Unverified;
|
||||
@@ -31,6 +33,7 @@ public class User
|
||||
public bool SupportPending { get; set; } = false;
|
||||
public bool HasRated { get; set; } = false;
|
||||
public int Rating { get; set; } = 0;
|
||||
public bool StreamerMode { get; set; } = false;
|
||||
|
||||
// Security
|
||||
public bool TotpEnabled { get; set; } = false;
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
using System.Data.Common;
|
||||
using Logging.Net;
|
||||
using Microsoft.EntityFrameworkCore.Diagnostics;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
namespace Moonlight.App.Database.Interceptors;
|
||||
|
||||
|
||||
1073
Moonlight/App/Database/Migrations/20230614010621_AddedServerAchive.Designer.cs
generated
Normal file
1073
Moonlight/App/Database/Migrations/20230614010621_AddedServerAchive.Designer.cs
generated
Normal file
File diff suppressed because it is too large
Load Diff
@@ -0,0 +1,59 @@
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace Moonlight.App.Database.Migrations
|
||||
{
|
||||
/// <inheritdoc />
|
||||
public partial class AddedServerAchive : Migration
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void Up(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.AddColumn<int>(
|
||||
name: "ArchiveId",
|
||||
table: "Servers",
|
||||
type: "int",
|
||||
nullable: true);
|
||||
|
||||
migrationBuilder.AddColumn<bool>(
|
||||
name: "IsArchived",
|
||||
table: "Servers",
|
||||
type: "tinyint(1)",
|
||||
nullable: false,
|
||||
defaultValue: false);
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_Servers_ArchiveId",
|
||||
table: "Servers",
|
||||
column: "ArchiveId");
|
||||
|
||||
migrationBuilder.AddForeignKey(
|
||||
name: "FK_Servers_ServerBackups_ArchiveId",
|
||||
table: "Servers",
|
||||
column: "ArchiveId",
|
||||
principalTable: "ServerBackups",
|
||||
principalColumn: "Id");
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
protected override void Down(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.DropForeignKey(
|
||||
name: "FK_Servers_ServerBackups_ArchiveId",
|
||||
table: "Servers");
|
||||
|
||||
migrationBuilder.DropIndex(
|
||||
name: "IX_Servers_ArchiveId",
|
||||
table: "Servers");
|
||||
|
||||
migrationBuilder.DropColumn(
|
||||
name: "ArchiveId",
|
||||
table: "Servers");
|
||||
|
||||
migrationBuilder.DropColumn(
|
||||
name: "IsArchived",
|
||||
table: "Servers");
|
||||
}
|
||||
}
|
||||
}
|
||||
1077
Moonlight/App/Database/Migrations/20230623235512_AddedServerListLayoutToUser.Designer.cs
generated
Normal file
1077
Moonlight/App/Database/Migrations/20230623235512_AddedServerListLayoutToUser.Designer.cs
generated
Normal file
File diff suppressed because it is too large
Load Diff
@@ -0,0 +1,29 @@
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace Moonlight.App.Database.Migrations
|
||||
{
|
||||
/// <inheritdoc />
|
||||
public partial class AddedServerListLayoutToUser : Migration
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void Up(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.AddColumn<string>(
|
||||
name: "ServerListLayoutJson",
|
||||
table: "Users",
|
||||
type: "longtext",
|
||||
nullable: false)
|
||||
.Annotation("MySql:CharSet", "utf8mb4");
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
protected override void Down(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.DropColumn(
|
||||
name: "ServerListLayoutJson",
|
||||
table: "Users");
|
||||
}
|
||||
}
|
||||
}
|
||||
1080
Moonlight/App/Database/Migrations/20230625190428_AddedStreamerMode.Designer.cs
generated
Normal file
1080
Moonlight/App/Database/Migrations/20230625190428_AddedStreamerMode.Designer.cs
generated
Normal file
File diff suppressed because it is too large
Load Diff
@@ -0,0 +1,29 @@
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace Moonlight.App.Database.Migrations
|
||||
{
|
||||
/// <inheritdoc />
|
||||
public partial class AddedStreamerMode : Migration
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void Up(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.AddColumn<bool>(
|
||||
name: "StreamerMode",
|
||||
table: "Users",
|
||||
type: "tinyint(1)",
|
||||
nullable: false,
|
||||
defaultValue: false);
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
protected override void Down(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.DropColumn(
|
||||
name: "StreamerMode",
|
||||
table: "Users");
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -496,6 +496,9 @@ namespace Moonlight.App.Database.Migrations
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("int");
|
||||
|
||||
b.Property<int?>("ArchiveId")
|
||||
.HasColumnType("int");
|
||||
|
||||
b.Property<int>("Cpu")
|
||||
.HasColumnType("int");
|
||||
|
||||
@@ -511,6 +514,9 @@ namespace Moonlight.App.Database.Migrations
|
||||
b.Property<bool>("Installing")
|
||||
.HasColumnType("tinyint(1)");
|
||||
|
||||
b.Property<bool>("IsArchived")
|
||||
.HasColumnType("tinyint(1)");
|
||||
|
||||
b.Property<bool>("IsCleanupException")
|
||||
.HasColumnType("tinyint(1)");
|
||||
|
||||
@@ -542,6 +548,8 @@ namespace Moonlight.App.Database.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("ArchiveId");
|
||||
|
||||
b.HasIndex("ImageId");
|
||||
|
||||
b.HasIndex("MainAllocationId");
|
||||
@@ -772,6 +780,10 @@ namespace Moonlight.App.Database.Migrations
|
||||
b.Property<int>("Rating")
|
||||
.HasColumnType("int");
|
||||
|
||||
b.Property<string>("ServerListLayoutJson")
|
||||
.IsRequired()
|
||||
.HasColumnType("longtext");
|
||||
|
||||
b.Property<string>("State")
|
||||
.IsRequired()
|
||||
.HasColumnType("longtext");
|
||||
@@ -779,6 +791,9 @@ namespace Moonlight.App.Database.Migrations
|
||||
b.Property<int>("Status")
|
||||
.HasColumnType("int");
|
||||
|
||||
b.Property<bool>("StreamerMode")
|
||||
.HasColumnType("tinyint(1)");
|
||||
|
||||
b.Property<int>("SubscriptionDuration")
|
||||
.HasColumnType("int");
|
||||
|
||||
@@ -935,6 +950,10 @@ namespace Moonlight.App.Database.Migrations
|
||||
|
||||
modelBuilder.Entity("Moonlight.App.Database.Entities.Server", b =>
|
||||
{
|
||||
b.HasOne("Moonlight.App.Database.Entities.ServerBackup", "Archive")
|
||||
.WithMany()
|
||||
.HasForeignKey("ArchiveId");
|
||||
|
||||
b.HasOne("Moonlight.App.Database.Entities.Image", "Image")
|
||||
.WithMany()
|
||||
.HasForeignKey("ImageId")
|
||||
@@ -957,6 +976,8 @@ namespace Moonlight.App.Database.Migrations
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.Navigation("Archive");
|
||||
|
||||
b.Navigation("Image");
|
||||
|
||||
b.Navigation("MainAllocation");
|
||||
|
||||
@@ -1,5 +1,5 @@
|
||||
using System.Diagnostics;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
namespace Moonlight.App.Events;
|
||||
|
||||
@@ -112,4 +112,22 @@ public class EventSystem
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public Task<T> WaitForEvent<T>(string id, object handle, Func<T, bool> filter)
|
||||
{
|
||||
var taskCompletionSource = new TaskCompletionSource<T>();
|
||||
|
||||
Func<T, Task> action = async data =>
|
||||
{
|
||||
if (filter.Invoke(data))
|
||||
{
|
||||
taskCompletionSource.SetResult(data);
|
||||
await Off(id, handle);
|
||||
}
|
||||
};
|
||||
|
||||
On<T>(id, handle, action);
|
||||
|
||||
return taskCompletionSource.Task;
|
||||
}
|
||||
}
|
||||
@@ -5,6 +5,8 @@ namespace Moonlight.App.Exceptions;
|
||||
[Serializable]
|
||||
public class DisplayException : Exception
|
||||
{
|
||||
public bool DoNotTranslate { get; set; } = false;
|
||||
|
||||
//
|
||||
// For guidelines regarding the creation of new exception types, see
|
||||
// http://msdn.microsoft.com/library/default.asp?url=/library/en-us/cpgenref/html/cpconerrorraisinghandlingguidelines.asp
|
||||
@@ -20,6 +22,11 @@ public class DisplayException : Exception
|
||||
{
|
||||
}
|
||||
|
||||
public DisplayException(string message, bool doNotTranslate) : base(message)
|
||||
{
|
||||
DoNotTranslate = doNotTranslate;
|
||||
}
|
||||
|
||||
public DisplayException(string message, Exception inner) : base(message, inner)
|
||||
{
|
||||
}
|
||||
|
||||
@@ -1,252 +0,0 @@
|
||||
using System.Diagnostics;
|
||||
using Logging.Net;
|
||||
using Logging.Net.Loggers.SB;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using ILogger = Logging.Net.ILogger;
|
||||
|
||||
namespace Moonlight.App.Helpers;
|
||||
|
||||
public class CacheLogger : ILogger
|
||||
{
|
||||
private SBLogger SbLogger = new();
|
||||
private List<LogEntry> Messages = new();
|
||||
|
||||
public LogEntry[] GetMessages()
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
var result = new LogEntry[Messages.Count];
|
||||
Messages.CopyTo(result);
|
||||
return result;
|
||||
}
|
||||
}
|
||||
|
||||
public void Clear(int messages)
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.RemoveRange(0, Math.Min(messages, Messages.Count));
|
||||
}
|
||||
}
|
||||
|
||||
public void Info(string? s)
|
||||
{
|
||||
if (s == null)
|
||||
return;
|
||||
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "info",
|
||||
Message = s
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.Info(s);
|
||||
}
|
||||
|
||||
public void Debug(string? s)
|
||||
{
|
||||
if (s == null)
|
||||
return;
|
||||
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "debug",
|
||||
Message = s
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.Debug(s);
|
||||
}
|
||||
|
||||
public void Warn(string? s)
|
||||
{
|
||||
if (s == null)
|
||||
return;
|
||||
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "warn",
|
||||
Message = s
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.Warn(s);
|
||||
}
|
||||
|
||||
public void Error(string? s)
|
||||
{
|
||||
if (s == null)
|
||||
return;
|
||||
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "error",
|
||||
Message = s
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.Error(s);
|
||||
}
|
||||
|
||||
public void Fatal(string? s)
|
||||
{
|
||||
if (s == null)
|
||||
return;
|
||||
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "fatal",
|
||||
Message = s
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.Fatal(s);
|
||||
}
|
||||
|
||||
public void InfoEx(Exception ex)
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "info",
|
||||
Message = ex.ToStringDemystified()
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.InfoEx(ex);
|
||||
}
|
||||
|
||||
public void DebugEx(Exception ex)
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "debug",
|
||||
Message = ex.ToStringDemystified()
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.DebugEx(ex);
|
||||
}
|
||||
|
||||
public void WarnEx(Exception ex)
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "warn",
|
||||
Message = ex.ToStringDemystified()
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.WarnEx(ex);
|
||||
}
|
||||
|
||||
public void ErrorEx(Exception ex)
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "error",
|
||||
Message = ex.ToStringDemystified()
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.ErrorEx(ex);
|
||||
}
|
||||
|
||||
public void FatalEx(Exception ex)
|
||||
{
|
||||
lock (Messages)
|
||||
{
|
||||
Messages.Add(new()
|
||||
{
|
||||
Level = "fatal",
|
||||
Message = ex.ToStringDemystified()
|
||||
});
|
||||
}
|
||||
|
||||
SbLogger.FatalEx(ex);
|
||||
}
|
||||
|
||||
public LoggingConfiguration GetErrorConfiguration()
|
||||
{
|
||||
return SbLogger.GetErrorConfiguration();
|
||||
}
|
||||
|
||||
public void SetErrorConfiguration(LoggingConfiguration configuration)
|
||||
{
|
||||
SbLogger.SetErrorConfiguration(configuration);
|
||||
}
|
||||
|
||||
public LoggingConfiguration GetFatalConfiguration()
|
||||
{
|
||||
return SbLogger.GetFatalConfiguration();
|
||||
}
|
||||
|
||||
public void SetFatalConfiguration(LoggingConfiguration configuration)
|
||||
{
|
||||
SbLogger.SetFatalConfiguration(configuration);
|
||||
}
|
||||
|
||||
public LoggingConfiguration GetWarnConfiguration()
|
||||
{
|
||||
return SbLogger.GetWarnConfiguration();
|
||||
}
|
||||
|
||||
public void SetWarnConfiguration(LoggingConfiguration configuration)
|
||||
{
|
||||
SbLogger.SetWarnConfiguration(configuration);
|
||||
}
|
||||
|
||||
public LoggingConfiguration GetInfoConfiguration()
|
||||
{
|
||||
return SbLogger.GetInfoConfiguration();
|
||||
}
|
||||
|
||||
public void SetInfoConfiguration(LoggingConfiguration configuration)
|
||||
{
|
||||
SbLogger.SetInfoConfiguration(configuration);
|
||||
}
|
||||
|
||||
public LoggingConfiguration GetDebugConfiguration()
|
||||
{
|
||||
return SbLogger.GetDebugConfiguration();
|
||||
}
|
||||
|
||||
public void SetDebugConfiguration(LoggingConfiguration configuration)
|
||||
{
|
||||
SbLogger.SetDebugConfiguration(configuration);
|
||||
}
|
||||
|
||||
public ILoggingAddition GetAddition()
|
||||
{
|
||||
return SbLogger.GetAddition();
|
||||
}
|
||||
|
||||
public void SetAddition(ILoggingAddition addition)
|
||||
{
|
||||
SbLogger.SetAddition(addition);
|
||||
}
|
||||
|
||||
public bool LogCallingClass
|
||||
{
|
||||
get => SbLogger.LogCallingClass;
|
||||
set => SbLogger.LogCallingClass = value;
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using System.Diagnostics;
|
||||
using Logging.Net;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.Database;
|
||||
using Moonlight.App.Services;
|
||||
@@ -82,6 +81,8 @@ public class DatabaseCheckupService
|
||||
Logger.Info($"Saving it to: {file}");
|
||||
Logger.Info("Starting backup...");
|
||||
|
||||
try
|
||||
{
|
||||
var sw = new Stopwatch();
|
||||
sw.Start();
|
||||
|
||||
@@ -97,4 +98,15 @@ public class DatabaseCheckupService
|
||||
sw.Stop();
|
||||
Logger.Info($"Done. {sw.Elapsed.TotalSeconds}s");
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
Logger.Fatal("-----------------------------------------------");
|
||||
Logger.Fatal("Unable to create backup for moonlight database");
|
||||
Logger.Fatal("Moonlight will start anyways in 30 seconds");
|
||||
Logger.Fatal("-----------------------------------------------");
|
||||
Logger.Fatal(e);
|
||||
|
||||
Thread.Sleep(TimeSpan.FromSeconds(30));
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using Renci.SshNet;
|
||||
using Renci.SshNet;
|
||||
using ConnectionInfo = Renci.SshNet.ConnectionInfo;
|
||||
|
||||
namespace Moonlight.App.Helpers.Files;
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
using System.Diagnostics;
|
||||
using System.Runtime.InteropServices;
|
||||
using Logging.Net;
|
||||
|
||||
namespace Moonlight.App.Helpers;
|
||||
|
||||
|
||||
108
Moonlight/App/Helpers/Logger.cs
Normal file
108
Moonlight/App/Helpers/Logger.cs
Normal file
@@ -0,0 +1,108 @@
|
||||
using System.Diagnostics;
|
||||
using System.Reflection;
|
||||
using Serilog;
|
||||
|
||||
namespace Moonlight.App.Helpers;
|
||||
|
||||
public static class Logger
|
||||
{
|
||||
#region String method calls
|
||||
public static void Verbose(string message, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Verbose("{Message}", message);
|
||||
}
|
||||
|
||||
public static void Info(string message, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Information("{Message}", message);
|
||||
}
|
||||
|
||||
public static void Debug(string message, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Debug("{Message}", message);
|
||||
}
|
||||
|
||||
public static void Error(string message, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Error("{Message}", message);
|
||||
}
|
||||
|
||||
public static void Warn(string message, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Warning("{Message}", message);
|
||||
}
|
||||
|
||||
public static void Fatal(string message, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Fatal("{Message}", message);
|
||||
}
|
||||
#endregion
|
||||
|
||||
#region Exception method calls
|
||||
public static void Verbose(Exception exception, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Verbose(exception, "");
|
||||
}
|
||||
|
||||
public static void Info(Exception exception, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Information(exception, "");
|
||||
}
|
||||
|
||||
public static void Debug(Exception exception, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Debug(exception, "");
|
||||
}
|
||||
|
||||
public static void Error(Exception exception, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Error(exception, "");
|
||||
}
|
||||
|
||||
public static void Warn(Exception exception, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Warning(exception, "");
|
||||
}
|
||||
|
||||
public static void Fatal(Exception exception, string channel = "default")
|
||||
{
|
||||
Log.ForContext("SourceContext", GetNameOfCallingClass())
|
||||
.Fatal(exception, "");
|
||||
}
|
||||
#endregion
|
||||
|
||||
private static string GetNameOfCallingClass(int skipFrames = 4)
|
||||
{
|
||||
string fullName;
|
||||
Type declaringType;
|
||||
|
||||
do
|
||||
{
|
||||
MethodBase method = new StackFrame(skipFrames, false).GetMethod();
|
||||
declaringType = method.DeclaringType;
|
||||
if (declaringType == null)
|
||||
{
|
||||
return method.Name;
|
||||
}
|
||||
skipFrames++;
|
||||
if (declaringType.Name.Contains("<"))
|
||||
fullName = declaringType.ReflectedType.Name;
|
||||
else
|
||||
fullName = declaringType.Name;
|
||||
}
|
||||
while (declaringType.Module.Name.Equals("mscorlib.dll", StringComparison.OrdinalIgnoreCase) | fullName.Contains("Logger"));
|
||||
|
||||
return fullName;
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using System.ComponentModel.DataAnnotations;
|
||||
using Logging.Net;
|
||||
|
||||
namespace Moonlight.App.Helpers;
|
||||
|
||||
|
||||
@@ -1,6 +1,4 @@
|
||||
using Logging.Net;
|
||||
|
||||
namespace Moonlight.App.Helpers;
|
||||
namespace Moonlight.App.Helpers;
|
||||
|
||||
public static class ParseHelper
|
||||
{
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
using System.Net.WebSockets;
|
||||
using System.Text;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers.Wings.Data;
|
||||
using Moonlight.App.Helpers.Wings.Enums;
|
||||
using Moonlight.App.Helpers.Wings.Events;
|
||||
@@ -243,6 +242,7 @@ public class WingsConsole : IDisposable
|
||||
break;
|
||||
}
|
||||
}
|
||||
catch(JsonReaderException){}
|
||||
catch (Exception e)
|
||||
{
|
||||
if (!Disconnecting)
|
||||
|
||||
@@ -102,7 +102,7 @@ public class DiscordBotController : Controller
|
||||
return BadRequest();
|
||||
}
|
||||
|
||||
[HttpGet("{id}/servers/{uuid}")]
|
||||
[HttpGet("{id}/servers/{uuid}/details")]
|
||||
public async Task<ActionResult<ServerDetails>> GetServerDetails(ulong id, Guid uuid)
|
||||
{
|
||||
if (!await IsAuth(Request))
|
||||
@@ -124,6 +124,33 @@ public class DiscordBotController : Controller
|
||||
return await ServerService.GetDetails(server);
|
||||
}
|
||||
|
||||
[HttpGet("{id}/servers/{uuid}")]
|
||||
public async Task<ActionResult<ServerDetails>> GetServer(ulong id, Guid uuid)
|
||||
{
|
||||
if (!await IsAuth(Request))
|
||||
return StatusCode(403);
|
||||
|
||||
var user = await GetUserFromDiscordId(id);
|
||||
|
||||
if (user == null)
|
||||
return BadRequest();
|
||||
|
||||
var server = ServerRepository
|
||||
.Get()
|
||||
.Include(x => x.Owner)
|
||||
.Include(x => x.Image)
|
||||
.Include(x => x.Node)
|
||||
.FirstOrDefault(x => x.Owner.Id == user.Id && x.Uuid == uuid);
|
||||
|
||||
if (server == null)
|
||||
return NotFound();
|
||||
|
||||
server.Node.Token = "";
|
||||
server.Node.TokenId = "";
|
||||
|
||||
return Ok(server);
|
||||
}
|
||||
|
||||
private Task<User?> GetUserFromDiscordId(ulong discordId)
|
||||
{
|
||||
var user = UserRepository
|
||||
|
||||
@@ -2,145 +2,166 @@
|
||||
using System.Text;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Database.Entities.Notification;
|
||||
using Moonlight.App.Models.Notifications;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services;
|
||||
using Moonlight.App.Services.Notifications;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.Http.Controllers.Api.Moonlight.Notifications;
|
||||
|
||||
public class ListenController : ControllerBase
|
||||
[ApiController]
|
||||
[Route("api/moonlight/notification/listen")]
|
||||
public class ListenController : Controller
|
||||
{
|
||||
internal WebSocket ws;
|
||||
private bool active = true;
|
||||
private bool isAuth = false;
|
||||
private WebSocket WebSocket;
|
||||
private NotificationClient Client;
|
||||
private CancellationTokenSource CancellationTokenSource = new();
|
||||
|
||||
private User? CurrentUser;
|
||||
|
||||
private readonly IdentityService IdentityService;
|
||||
private readonly NotificationRepository NotificationRepository;
|
||||
private readonly OneTimeJwtService OneTimeJwtService;
|
||||
private readonly NotificationClientService NotificationClientService;
|
||||
private readonly NotificationServerService NotificationServerService;
|
||||
private readonly Repository<NotificationClient> NotificationClientRepository;
|
||||
|
||||
public ListenController(IdentityService identityService,
|
||||
NotificationRepository notificationRepository,
|
||||
public ListenController(
|
||||
OneTimeJwtService oneTimeJwtService,
|
||||
NotificationClientService notificationClientService,
|
||||
NotificationServerService notificationServerService)
|
||||
NotificationServerService notificationServerService, Repository<NotificationClient> notificationClientRepository)
|
||||
{
|
||||
IdentityService = identityService;
|
||||
NotificationRepository = notificationRepository;
|
||||
OneTimeJwtService = oneTimeJwtService;
|
||||
NotificationClientService = notificationClientService;
|
||||
NotificationServerService = notificationServerService;
|
||||
NotificationClientRepository = notificationClientRepository;
|
||||
}
|
||||
|
||||
[Route("/api/moonlight/notifications/listen")]
|
||||
public async Task Get()
|
||||
public async Task<ActionResult> Get()
|
||||
{
|
||||
if (HttpContext.WebSockets.IsWebSocketRequest)
|
||||
{
|
||||
using var webSocket = await HttpContext.WebSockets.AcceptWebSocketAsync();
|
||||
ws = webSocket;
|
||||
await Echo();
|
||||
WebSocket = await HttpContext.WebSockets.AcceptWebSocketAsync();
|
||||
|
||||
await ProcessWebsocket();
|
||||
|
||||
return new EmptyResult();
|
||||
}
|
||||
else
|
||||
{
|
||||
HttpContext.Response.StatusCode = StatusCodes.Status403Forbidden;
|
||||
return StatusCode(400);
|
||||
}
|
||||
}
|
||||
|
||||
private async Task Echo()
|
||||
private async Task ProcessWebsocket()
|
||||
{
|
||||
while (active)
|
||||
while (!CancellationTokenSource.Token.IsCancellationRequested && WebSocket.State == WebSocketState.Open)
|
||||
{
|
||||
byte[] bytes = new byte[1024 * 16];
|
||||
var asg = new ArraySegment<byte>(bytes);
|
||||
var res = await ws.ReceiveAsync(asg, CancellationToken.None);
|
||||
|
||||
var text = Encoding.UTF8.GetString(bytes).Trim('\0');
|
||||
|
||||
var obj = JsonConvert.DeserializeObject<BasicWSModel>(text);
|
||||
|
||||
if (!string.IsNullOrWhiteSpace(obj.Action))
|
||||
try
|
||||
{
|
||||
await HandleRequest(text, obj.Action);
|
||||
byte[] buffer = new byte[1024 * 16];
|
||||
_ = await WebSocket.ReceiveAsync(buffer, CancellationTokenSource.Token);
|
||||
var text = Encoding.UTF8.GetString(buffer).Trim('\0');
|
||||
|
||||
var basicWsModel = JsonConvert.DeserializeObject<BasicWSModel>(text) ?? new();
|
||||
|
||||
if (!string.IsNullOrWhiteSpace(basicWsModel.Action))
|
||||
{
|
||||
await HandleRequest(text, basicWsModel.Action);
|
||||
}
|
||||
|
||||
active = ws.State == WebSocketState.Open;
|
||||
if (WebSocket.State != WebSocketState.Open)
|
||||
{
|
||||
CancellationTokenSource.Cancel();
|
||||
}
|
||||
}
|
||||
catch (WebSocketException e)
|
||||
{
|
||||
CancellationTokenSource.Cancel();
|
||||
}
|
||||
}
|
||||
|
||||
await NotificationServerService.UnRegisterClient(Client);
|
||||
}
|
||||
|
||||
private async Task HandleRequest(string text, string action)
|
||||
{
|
||||
if (!isAuth && action == "login")
|
||||
await Login(text);
|
||||
else if (!isAuth)
|
||||
await ws.SendAsync(Encoding.UTF8.GetBytes("{\"error\": \"Unauthorised\"}"), WebSocketMessageType.Text,
|
||||
WebSocketMessageFlags.EndOfMessage, CancellationToken.None);
|
||||
else switch (action)
|
||||
if (CurrentUser == null && action != "login")
|
||||
{
|
||||
await Send("{\"error\": \"Unauthorised\"}");
|
||||
}
|
||||
|
||||
switch (action)
|
||||
{
|
||||
case "login":
|
||||
await Login(text);
|
||||
break;
|
||||
case "received":
|
||||
await Received(text);
|
||||
break;
|
||||
case "read":
|
||||
await Read(text);
|
||||
break;
|
||||
default:
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
private async Task Send(string text)
|
||||
{
|
||||
await WebSocket.SendAsync(
|
||||
Encoding.UTF8.GetBytes(text),
|
||||
WebSocketMessageType.Text,
|
||||
WebSocketMessageFlags.EndOfMessage, CancellationTokenSource.Token
|
||||
);
|
||||
}
|
||||
|
||||
private async Task Login(string json)
|
||||
{
|
||||
var jwt = JsonConvert.DeserializeObject<Login>(json).token;
|
||||
var loginModel = JsonConvert.DeserializeObject<Login>(json) ?? new();
|
||||
|
||||
var dict = await OneTimeJwtService.Validate(jwt);
|
||||
var dict = await OneTimeJwtService.Validate(loginModel.Token);
|
||||
|
||||
if (dict == null)
|
||||
{
|
||||
string error = "{\"status\":false}";
|
||||
var bytes = Encoding.UTF8.GetBytes(error);
|
||||
await ws.SendAsync(bytes, WebSocketMessageType.Text, WebSocketMessageFlags.EndOfMessage, CancellationToken.None);
|
||||
await Send("{\"status\":false}");
|
||||
return;
|
||||
}
|
||||
|
||||
var _clientId = dict["clientId"];
|
||||
var clientId = int.Parse(_clientId);
|
||||
|
||||
var client = NotificationRepository.GetClients().Include(x => x.User).First(x => x.Id == clientId);
|
||||
|
||||
Client = client;
|
||||
await InitWebsocket();
|
||||
|
||||
string success = "{\"status\":true}";
|
||||
var byt = Encoding.UTF8.GetBytes(success);
|
||||
await ws.SendAsync(byt, WebSocketMessageType.Text, WebSocketMessageFlags.EndOfMessage, CancellationToken.None);
|
||||
if (!int.TryParse(dict["clientId"], out int clientId))
|
||||
{
|
||||
await Send("{\"status\":false}");
|
||||
return;
|
||||
}
|
||||
|
||||
private async Task InitWebsocket()
|
||||
{
|
||||
NotificationClientService.listenController = this;
|
||||
NotificationClientService.WebsocketReady(Client);
|
||||
Client = NotificationClientRepository
|
||||
.Get()
|
||||
.Include(x => x.User)
|
||||
.First(x => x.Id == clientId);
|
||||
|
||||
isAuth = true;
|
||||
CurrentUser = Client.User;
|
||||
|
||||
await NotificationServerService.RegisterClient(WebSocket, Client);
|
||||
|
||||
await Send("{\"status\":true}");
|
||||
}
|
||||
|
||||
private async Task Received(string json)
|
||||
{
|
||||
var id = JsonConvert.DeserializeObject<NotificationById>(json).notification;
|
||||
var id = JsonConvert.DeserializeObject<NotificationById>(json).Notification;
|
||||
|
||||
//TODO: Implement ws notification received
|
||||
}
|
||||
|
||||
private async Task Read(string json)
|
||||
{
|
||||
var id = JsonConvert.DeserializeObject<NotificationById>(json).notification;
|
||||
var model = JsonConvert.DeserializeObject<NotificationById>(json) ?? new();
|
||||
|
||||
await NotificationServerService.SendAction(NotificationClientService.User,
|
||||
JsonConvert.SerializeObject(new NotificationById() {Action = "hide", notification = id}));
|
||||
await NotificationServerService.SendAction(
|
||||
CurrentUser!,
|
||||
JsonConvert.SerializeObject(
|
||||
new NotificationById()
|
||||
{
|
||||
Action = "hide", Notification = model.Notification
|
||||
}
|
||||
)
|
||||
);
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,5 @@
|
||||
using Logging.Net;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Services;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
|
||||
|
||||
@@ -1,12 +1,6 @@
|
||||
using System.Text;
|
||||
using Logging.Net;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Services;
|
||||
using Moonlight.App.Services.Files;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
|
||||
namespace Moonlight.App.Http.Controllers.Api.Moonlight;
|
||||
|
||||
@@ -14,13 +8,10 @@ namespace Moonlight.App.Http.Controllers.Api.Moonlight;
|
||||
[Route("api/moonlight/resources")]
|
||||
public class ResourcesController : Controller
|
||||
{
|
||||
private readonly SecurityLogService SecurityLogService;
|
||||
private readonly BucketService BucketService;
|
||||
|
||||
public ResourcesController(SecurityLogService securityLogService,
|
||||
BucketService bucketService)
|
||||
public ResourcesController(BucketService bucketService)
|
||||
{
|
||||
SecurityLogService = securityLogService;
|
||||
BucketService = bucketService;
|
||||
}
|
||||
|
||||
@@ -29,10 +20,7 @@ public class ResourcesController : Controller
|
||||
{
|
||||
if (name.Contains(".."))
|
||||
{
|
||||
await SecurityLogService.Log(SecurityLogType.PathTransversal, x =>
|
||||
{
|
||||
x.Add<string>(name);
|
||||
});
|
||||
Logger.Warn($"Detected an attempted path transversal. Path: {name}", "security");
|
||||
|
||||
return NotFound();
|
||||
}
|
||||
@@ -52,10 +40,7 @@ public class ResourcesController : Controller
|
||||
{
|
||||
if (name.Contains(".."))
|
||||
{
|
||||
await SecurityLogService.Log(SecurityLogType.PathTransversal, x =>
|
||||
{
|
||||
x.Add<string>(name);
|
||||
});
|
||||
Logger.Warn($"Detected an attempted path transversal. Path: {name}", "security");
|
||||
|
||||
return NotFound();
|
||||
}
|
||||
@@ -75,10 +60,7 @@ public class ResourcesController : Controller
|
||||
{
|
||||
if (name.Contains(".."))
|
||||
{
|
||||
await SecurityLogService.Log(SecurityLogType.PathTransversal, x =>
|
||||
{
|
||||
x.Add<string>(name);
|
||||
});
|
||||
Logger.Warn($"Detected an attempted path transversal. Path: {name}", "security");
|
||||
|
||||
return NotFound();
|
||||
}
|
||||
|
||||
@@ -1,10 +1,8 @@
|
||||
using Logging.Net;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Events;
|
||||
using Moonlight.App.Http.Requests.Daemon;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services;
|
||||
|
||||
namespace Moonlight.App.Http.Controllers.Api.Remote;
|
||||
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
namespace Moonlight.App.LogMigrator;
|
||||
|
||||
|
||||
8
Moonlight/App/Models/Forms/ServerImageDataModel.cs
Normal file
8
Moonlight/App/Models/Forms/ServerImageDataModel.cs
Normal file
@@ -0,0 +1,8 @@
|
||||
namespace Moonlight.App.Models.Forms;
|
||||
|
||||
public class ServerImageDataModel
|
||||
{
|
||||
public string OverrideStartup { get; set; }
|
||||
|
||||
public int DockerImageIndex { get; set; }
|
||||
}
|
||||
14
Moonlight/App/Models/Forms/ServerOverviewDataModel.cs
Normal file
14
Moonlight/App/Models/Forms/ServerOverviewDataModel.cs
Normal file
@@ -0,0 +1,14 @@
|
||||
using System.ComponentModel.DataAnnotations;
|
||||
using Moonlight.App.Database.Entities;
|
||||
|
||||
namespace Moonlight.App.Models.Forms;
|
||||
|
||||
public class ServerOverviewDataModel
|
||||
{
|
||||
[Required(ErrorMessage = "You need to enter a name")]
|
||||
[MaxLength(32, ErrorMessage = "The name cannot be longer that 32 characters")]
|
||||
public string Name { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "You need to specify a owner")]
|
||||
public User Owner { get; set; }
|
||||
}
|
||||
15
Moonlight/App/Models/Forms/ServerResourcesDataModel.cs
Normal file
15
Moonlight/App/Models/Forms/ServerResourcesDataModel.cs
Normal file
@@ -0,0 +1,15 @@
|
||||
using System.ComponentModel.DataAnnotations;
|
||||
|
||||
namespace Moonlight.App.Models.Forms;
|
||||
|
||||
public class ServerResourcesDataModel
|
||||
{
|
||||
[Required(ErrorMessage = "You need to specify the cpu cores")]
|
||||
public int Cpu { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "You need to specify the memory")]
|
||||
public long Memory { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "You need to specify the disk")]
|
||||
public long Disk { get; set; }
|
||||
}
|
||||
6
Moonlight/App/Models/Forms/UserPreferencesDataModel.cs
Normal file
6
Moonlight/App/Models/Forms/UserPreferencesDataModel.cs
Normal file
@@ -0,0 +1,6 @@
|
||||
namespace Moonlight.App.Models.Forms;
|
||||
|
||||
public class UserPreferencesDataModel
|
||||
{
|
||||
public bool StreamerMode { get; set; } = false;
|
||||
}
|
||||
19
Moonlight/App/Models/Misc/ActiveNotificationClient.cs
Normal file
19
Moonlight/App/Models/Misc/ActiveNotificationClient.cs
Normal file
@@ -0,0 +1,19 @@
|
||||
using System.Net.WebSockets;
|
||||
using System.Text;
|
||||
using Moonlight.App.Database.Entities.Notification;
|
||||
|
||||
namespace Moonlight.App.Models.Misc;
|
||||
|
||||
public class ActiveNotificationClient
|
||||
{
|
||||
public WebSocket WebSocket { get; set; }
|
||||
public NotificationClient Client { get; set; }
|
||||
|
||||
public async Task SendAction(string action)
|
||||
{
|
||||
await WebSocket.SendAsync(
|
||||
Encoding.UTF8.GetBytes(action),
|
||||
WebSocketMessageType.Text,
|
||||
WebSocketMessageFlags.EndOfMessage, CancellationToken.None);
|
||||
}
|
||||
}
|
||||
8
Moonlight/App/Models/Misc/MalwareScanResult.cs
Normal file
8
Moonlight/App/Models/Misc/MalwareScanResult.cs
Normal file
@@ -0,0 +1,8 @@
|
||||
namespace Moonlight.App.Models.Misc;
|
||||
|
||||
public class MalwareScanResult
|
||||
{
|
||||
public string Title { get; set; } = "";
|
||||
public string Description { get; set; } = "";
|
||||
public string Author { get; set; } = "";
|
||||
}
|
||||
7
Moonlight/App/Models/Misc/ServerGroup.cs
Normal file
7
Moonlight/App/Models/Misc/ServerGroup.cs
Normal file
@@ -0,0 +1,7 @@
|
||||
namespace Moonlight.App.Models.Misc;
|
||||
|
||||
public class ServerGroup
|
||||
{
|
||||
public string Name { get; set; } = "";
|
||||
public List<string> Servers { get; set; } = new();
|
||||
}
|
||||
@@ -1,6 +1,8 @@
|
||||
namespace Moonlight.App.Models.Notifications;
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.Models.Notifications;
|
||||
|
||||
public class Login : BasicWSModel
|
||||
{
|
||||
public string token { get; set; }
|
||||
[JsonProperty("token")] public string Token { get; set; } = "";
|
||||
}
|
||||
@@ -1,6 +1,9 @@
|
||||
namespace Moonlight.App.Models.Notifications;
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.Models.Notifications;
|
||||
|
||||
public class NotificationById : BasicWSModel
|
||||
{
|
||||
public int notification { get; set; }
|
||||
[JsonProperty("notification")]
|
||||
public int Notification { get; set; }
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using System.Text;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Helpers;
|
||||
@@ -87,6 +86,13 @@ public class DiscordOAuth2Provider : OAuth2Provider
|
||||
|
||||
var email = getData.GetValue<string>("email");
|
||||
var id = getData.GetValue<ulong>("id");
|
||||
var verified = getData.GetValue<bool>("verified");
|
||||
|
||||
if (!verified)
|
||||
{
|
||||
Logger.Warn("A user tried to use an unverified discord account to login", "security");
|
||||
throw new DisplayException("You can only use verified discord accounts for oauth signin");
|
||||
}
|
||||
|
||||
// Handle data
|
||||
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
using System.Text;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.ApiClients.Google.Requests;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Exceptions;
|
||||
|
||||
83
Moonlight/App/Services/Addon/ServerAddonPluginService.cs
Normal file
83
Moonlight/App/Services/Addon/ServerAddonPluginService.cs
Normal file
@@ -0,0 +1,83 @@
|
||||
using Moonlight.App.ApiClients.Modrinth;
|
||||
using Moonlight.App.ApiClients.Modrinth.Resources;
|
||||
using Moonlight.App.Exceptions;
|
||||
using FileAccess = Moonlight.App.Helpers.Files.FileAccess;
|
||||
using Version = Moonlight.App.ApiClients.Modrinth.Resources.Version;
|
||||
|
||||
namespace Moonlight.App.Services.Addon;
|
||||
|
||||
public class ServerAddonPluginService
|
||||
{
|
||||
private readonly ModrinthApiHelper ModrinthApiHelper;
|
||||
private readonly ServerService ServerService;
|
||||
|
||||
public ServerAddonPluginService(ModrinthApiHelper modrinthApiHelper)
|
||||
{
|
||||
ModrinthApiHelper = modrinthApiHelper;
|
||||
}
|
||||
|
||||
public async Task<Project[]> GetPluginsForVersion(string version, string search = "")
|
||||
{
|
||||
string resource;
|
||||
var filter =
|
||||
"[[\"categories:\'bukkit\'\",\"categories:\'paper\'\",\"categories:\'spigot\'\"],[\"versions:" + version + "\"],[\"project_type:mod\"]]";
|
||||
|
||||
if (string.IsNullOrEmpty(search))
|
||||
resource = "search?limit=21&index=relevance&facets=" + filter;
|
||||
else
|
||||
resource = $"search?query={search}&limit=21&index=relevance&facets=" + filter;
|
||||
|
||||
var result = await ModrinthApiHelper.Get<Pagination>(resource);
|
||||
|
||||
return result.Hits;
|
||||
}
|
||||
|
||||
public async Task InstallPlugin(FileAccess fileAccess, string version, Project project, Action<string>? onStateUpdated = null)
|
||||
{
|
||||
// Resolve plugin download
|
||||
|
||||
onStateUpdated?.Invoke($"Resolving {project.Slug}");
|
||||
|
||||
var filter = "game_versions=[\"" + version + "\"]&loaders=[\"bukkit\", \"paper\", \"spigot\"]";
|
||||
|
||||
var versions = await ModrinthApiHelper.Get<Version[]>(
|
||||
$"project/{project.Slug}/version?" + filter);
|
||||
|
||||
if (!versions.Any())
|
||||
throw new DisplayException("No plugin download for your minecraft version found");
|
||||
|
||||
var installVersion = versions.OrderByDescending(x => x.DatePublished).First();
|
||||
var fileToInstall = installVersion.Files.First();
|
||||
|
||||
// Download plugin in a stream cached mode
|
||||
|
||||
var httpClient = new HttpClient();
|
||||
var stream = await httpClient.GetStreamAsync(fileToInstall.Url);
|
||||
var dataStream = new MemoryStream(1024 * 1024 * 40);
|
||||
await stream.CopyToAsync(dataStream);
|
||||
stream.Close();
|
||||
dataStream.Position = 0;
|
||||
|
||||
// Install plugin
|
||||
|
||||
await fileAccess.SetDir("/");
|
||||
|
||||
try
|
||||
{
|
||||
await fileAccess.MkDir("plugins");
|
||||
}
|
||||
catch (Exception)
|
||||
{
|
||||
// Ignored
|
||||
}
|
||||
|
||||
await fileAccess.SetDir("plugins");
|
||||
|
||||
onStateUpdated?.Invoke($"Installing {project.Slug}");
|
||||
await fileAccess.Upload(fileToInstall.Filename, dataStream);
|
||||
|
||||
await dataStream.DisposeAsync();
|
||||
|
||||
//TODO: At some point of time, create a dependency resolver
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using MineStatLib;
|
||||
using Moonlight.App.ApiClients.Daemon.Resources;
|
||||
using Moonlight.App.ApiClients.Wings;
|
||||
@@ -85,7 +84,30 @@ public class CleanupService
|
||||
var cpuMetrics = await nodeService.GetCpuMetrics(node);
|
||||
var memoryMetrics = await nodeService.GetMemoryMetrics(node);
|
||||
|
||||
if (cpuMetrics.CpuUsage > maxCpu || (Formatter.BytesToGb(memoryMetrics.Total) - (Formatter.BytesToGb(memoryMetrics.Used))) < minMemory)
|
||||
bool executeCleanup;
|
||||
|
||||
if (cpuMetrics.CpuUsage > maxCpu)
|
||||
{
|
||||
Logger.Debug($"{node.Name}: CPU Usage is too high");
|
||||
Logger.Debug($"Usage: {cpuMetrics.CpuUsage}");
|
||||
Logger.Debug($"Max CPU: {maxCpu}");
|
||||
executeCleanup = true;
|
||||
}
|
||||
else if (Formatter.BytesToGb(memoryMetrics.Total) - Formatter.BytesToGb(memoryMetrics.Used) <
|
||||
minMemory / 1024D)
|
||||
{
|
||||
Logger.Debug($"{node.Name}: Memory Usage is too high");
|
||||
Logger.Debug($"Memory (Total): {Formatter.BytesToGb(memoryMetrics.Total)}");
|
||||
Logger.Debug($"Memory (Used): {Formatter.BytesToGb(memoryMetrics.Used)}");
|
||||
Logger.Debug(
|
||||
$"Memory (Free): {Formatter.BytesToGb(memoryMetrics.Total) - Formatter.BytesToGb(memoryMetrics.Used)}");
|
||||
Logger.Debug($"Min Memory: {minMemory}");
|
||||
executeCleanup = true;
|
||||
}
|
||||
else
|
||||
executeCleanup = false;
|
||||
|
||||
if (executeCleanup)
|
||||
{
|
||||
var dockerMetrics = await nodeService.GetDockerMetrics(node);
|
||||
|
||||
@@ -140,6 +162,7 @@ public class CleanupService
|
||||
|
||||
if (players == 0)
|
||||
{
|
||||
Logger.Debug($"Restarted {server.Name} ({server.Uuid}) on node {node.Name}");
|
||||
await serverService.SetPowerState(server, PowerSignal.Restart);
|
||||
|
||||
ServersCleaned++;
|
||||
@@ -165,10 +188,12 @@ public class CleanupService
|
||||
|
||||
if (handleJ2S)
|
||||
{
|
||||
Logger.Debug($"Restarted (cleanup) {server.Name} ({server.Uuid}) on node {node.Name}");
|
||||
await serverService.SetPowerState(server, PowerSignal.Restart);
|
||||
}
|
||||
else
|
||||
{
|
||||
Logger.Debug($"Stopped {server.Name} ({server.Uuid}) on node {node.Name}");
|
||||
await serverService.SetPowerState(server, PowerSignal.Stop);
|
||||
}
|
||||
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
using Discord;
|
||||
using Discord.Webhook;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Events;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Services.Files;
|
||||
|
||||
namespace Moonlight.App.Services.Background;
|
||||
|
||||
196
Moonlight/App/Services/Background/MalwareScanService.cs
Normal file
196
Moonlight/App/Services/Background/MalwareScanService.cs
Normal file
@@ -0,0 +1,196 @@
|
||||
using Moonlight.App.ApiClients.Daemon.Resources;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Events;
|
||||
using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories;
|
||||
|
||||
namespace Moonlight.App.Services.Background;
|
||||
|
||||
public class MalwareScanService
|
||||
{
|
||||
private Repository<Server> ServerRepository;
|
||||
private Repository<Node> NodeRepository;
|
||||
private NodeService NodeService;
|
||||
private ServerService ServerService;
|
||||
|
||||
private readonly EventSystem Event;
|
||||
private readonly IServiceScopeFactory ServiceScopeFactory;
|
||||
|
||||
public bool IsRunning { get; private set; }
|
||||
public readonly Dictionary<Server, MalwareScanResult[]> ScanResults;
|
||||
public string Status { get; private set; } = "N/A";
|
||||
|
||||
public MalwareScanService(IServiceScopeFactory serviceScopeFactory, EventSystem eventSystem)
|
||||
{
|
||||
ServiceScopeFactory = serviceScopeFactory;
|
||||
Event = eventSystem;
|
||||
|
||||
ScanResults = new();
|
||||
}
|
||||
|
||||
public Task Start()
|
||||
{
|
||||
if (IsRunning)
|
||||
throw new DisplayException("Malware scan is already running");
|
||||
|
||||
Task.Run(Run);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
private async Task Run()
|
||||
{
|
||||
IsRunning = true;
|
||||
Status = "Clearing last results";
|
||||
await Event.Emit("malwareScan.status", IsRunning);
|
||||
|
||||
lock (ScanResults)
|
||||
{
|
||||
ScanResults.Clear();
|
||||
}
|
||||
|
||||
await Event.Emit("malwareScan.result");
|
||||
|
||||
using var scope = ServiceScopeFactory.CreateScope();
|
||||
|
||||
// Load services from di scope
|
||||
NodeRepository = scope.ServiceProvider.GetRequiredService<Repository<Node>>();
|
||||
ServerRepository = scope.ServiceProvider.GetRequiredService<Repository<Server>>();
|
||||
NodeService = scope.ServiceProvider.GetRequiredService<NodeService>();
|
||||
ServerService = scope.ServiceProvider.GetRequiredService<ServerService>();
|
||||
|
||||
var nodes = NodeRepository.Get().ToArray();
|
||||
var containers = new List<Container>();
|
||||
|
||||
// Fetch and summarize all running containers from all nodes
|
||||
Logger.Verbose("Fetching and summarizing all running containers from all nodes");
|
||||
|
||||
Status = "Fetching and summarizing all running containers from all nodes";
|
||||
await Event.Emit("malwareScan.status", IsRunning);
|
||||
|
||||
foreach (var node in nodes)
|
||||
{
|
||||
var metrics = await NodeService.GetDockerMetrics(node);
|
||||
|
||||
foreach (var container in metrics.Containers)
|
||||
{
|
||||
containers.Add(container);
|
||||
}
|
||||
}
|
||||
|
||||
var containerServerMapped = new Dictionary<Server, Container>();
|
||||
|
||||
// Map all the containers to their corresponding server if existing
|
||||
Logger.Verbose("Mapping all the containers to their corresponding server if existing");
|
||||
|
||||
Status = "Mapping all the containers to their corresponding server if existing";
|
||||
await Event.Emit("malwareScan.status", IsRunning);
|
||||
|
||||
foreach (var container in containers)
|
||||
{
|
||||
if (Guid.TryParse(container.Name, out Guid uuid))
|
||||
{
|
||||
var server = ServerRepository
|
||||
.Get()
|
||||
.FirstOrDefault(x => x.Uuid == uuid);
|
||||
|
||||
if(server == null)
|
||||
continue;
|
||||
|
||||
containerServerMapped.Add(server, container);
|
||||
}
|
||||
}
|
||||
|
||||
// Perform scan
|
||||
var resultsMapped = new Dictionary<Server, MalwareScanResult[]>();
|
||||
foreach (var mapping in containerServerMapped)
|
||||
{
|
||||
Logger.Verbose($"Scanning server {mapping.Key.Name} for malware");
|
||||
|
||||
Status = $"Scanning server {mapping.Key.Name} for malware";
|
||||
await Event.Emit("malwareScan.status", IsRunning);
|
||||
|
||||
var results = await PerformScanOnServer(mapping.Key, mapping.Value);
|
||||
|
||||
if (results.Any())
|
||||
{
|
||||
resultsMapped.Add(mapping.Key, results);
|
||||
Logger.Verbose($"{results.Length} findings on server {mapping.Key.Name}");
|
||||
}
|
||||
}
|
||||
|
||||
Logger.Verbose($"Scan complete. Detected {resultsMapped.Count} servers with findings");
|
||||
|
||||
IsRunning = false;
|
||||
Status = $"Scan complete. Detected {resultsMapped.Count} servers with findings";
|
||||
await Event.Emit("malwareScan.status", IsRunning);
|
||||
|
||||
lock (ScanResults)
|
||||
{
|
||||
foreach (var mapping in resultsMapped)
|
||||
{
|
||||
ScanResults.Add(mapping.Key, mapping.Value);
|
||||
}
|
||||
}
|
||||
|
||||
await Event.Emit("malwareScan.result");
|
||||
}
|
||||
|
||||
private async Task<MalwareScanResult[]> PerformScanOnServer(Server server, Container container)
|
||||
{
|
||||
var results = new List<MalwareScanResult>();
|
||||
|
||||
// TODO: Move scans to an universal format / api
|
||||
|
||||
// Define scans here
|
||||
|
||||
async Task ScanSelfBot()
|
||||
{
|
||||
var access = await ServerService.CreateFileAccess(server, null!);
|
||||
var fileElements = await access.Ls();
|
||||
|
||||
if (fileElements.Any(x => x.Name == "tokens.txt"))
|
||||
{
|
||||
results.Add(new ()
|
||||
{
|
||||
Title = "Found SelfBot",
|
||||
Description = "Detected suspicious 'tokens.txt' file which may contain tokens for a selfbot",
|
||||
Author = "Marcel Baumgartner"
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
async Task ScanFakePlayerPlugins()
|
||||
{
|
||||
var access = await ServerService.CreateFileAccess(server, null!);
|
||||
var fileElements = await access.Ls();
|
||||
|
||||
if (fileElements.Any(x => !x.IsFile && x.Name == "plugins")) // Check for plugins folder
|
||||
{
|
||||
await access.Cd("plugins");
|
||||
fileElements = await access.Ls();
|
||||
|
||||
foreach (var fileElement in fileElements)
|
||||
{
|
||||
if (fileElement.Name.ToLower().Contains("fake"))
|
||||
{
|
||||
results.Add(new()
|
||||
{
|
||||
Title = "Fake player plugin",
|
||||
Description = $"Suspicious plugin file: {fileElement.Name}",
|
||||
Author = "Marcel Baumgartner"
|
||||
});
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Execute scans
|
||||
await ScanSelfBot();
|
||||
await ScanFakePlayerPlugins();
|
||||
|
||||
return results.ToArray();
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using System.Text;
|
||||
using Logging.Net;
|
||||
using Microsoft.Extensions.Primitives;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Services.Files;
|
||||
@@ -42,8 +41,6 @@ public class ConfigService : IConfiguration
|
||||
|
||||
public void Reload()
|
||||
{
|
||||
Logger.Info($"Reading config from '{PathBuilder.File("storage", "configs", "config.json")}'");
|
||||
|
||||
Configuration = new ConfigurationBuilder().AddJsonStream(
|
||||
new MemoryStream(Encoding.ASCII.GetBytes(
|
||||
File.ReadAllText(
|
||||
@@ -51,8 +48,6 @@ public class ConfigService : IConfiguration
|
||||
)
|
||||
)
|
||||
)).Build();
|
||||
|
||||
Logger.Info("Reloaded configuration file");
|
||||
}
|
||||
|
||||
public IEnumerable<IConfigurationSection> GetChildren()
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
using Discord;
|
||||
using Discord.WebSocket;
|
||||
using Logging.Net;
|
||||
|
||||
namespace Moonlight.App.Services.DiscordBot.Commands;
|
||||
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
using Discord;
|
||||
using Discord.WebSocket;
|
||||
using Logging.Net;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Repositories.Servers;
|
||||
|
||||
@@ -1,8 +1,7 @@
|
||||
using System.Diagnostics;
|
||||
using Discord;
|
||||
using Discord.Commands;
|
||||
using Discord.WebSocket;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Services.DiscordBot.Commands;
|
||||
using Moonlight.App.Services.DiscordBot.Modules;
|
||||
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
using System.Diagnostics;
|
||||
using Discord.WebSocket;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
namespace Moonlight.App.Services.DiscordBot.Modules;
|
||||
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
using Discord;
|
||||
using Discord.WebSocket;
|
||||
using Logging.Net;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.ApiClients.Wings;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Repositories.Servers;
|
||||
|
||||
|
||||
@@ -1,18 +1,19 @@
|
||||
using CloudFlare.Client;
|
||||
using CloudFlare.Client.Api.Authentication;
|
||||
using CloudFlare.Client.Api.Display;
|
||||
using CloudFlare.Client.Api.Parameters.Data;
|
||||
using CloudFlare.Client.Api.Result;
|
||||
using CloudFlare.Client.Api.Zones;
|
||||
using CloudFlare.Client.Api.Zones.DnsRecord;
|
||||
using CloudFlare.Client.Enumerators;
|
||||
using Logging.Net;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories.Domains;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using DnsRecord = Moonlight.App.Models.Misc.DnsRecord;
|
||||
using MatchType = CloudFlare.Client.Enumerators.MatchType;
|
||||
|
||||
namespace Moonlight.App.Services;
|
||||
|
||||
@@ -21,18 +22,15 @@ public class DomainService
|
||||
private readonly DomainRepository DomainRepository;
|
||||
private readonly SharedDomainRepository SharedDomainRepository;
|
||||
private readonly CloudFlareClient Client;
|
||||
private readonly AuditLogService AuditLogService;
|
||||
private readonly string AccountId;
|
||||
|
||||
public DomainService(
|
||||
ConfigService configService,
|
||||
DomainRepository domainRepository,
|
||||
SharedDomainRepository sharedDomainRepository,
|
||||
AuditLogService auditLogService)
|
||||
SharedDomainRepository sharedDomainRepository)
|
||||
{
|
||||
DomainRepository = domainRepository;
|
||||
SharedDomainRepository = sharedDomainRepository;
|
||||
AuditLogService = auditLogService;
|
||||
|
||||
var config = configService
|
||||
.GetSection("Moonlight")
|
||||
@@ -97,9 +95,36 @@ public class DomainService
|
||||
{
|
||||
var domain = EnsureData(d);
|
||||
|
||||
var records = GetData(
|
||||
await Client.Zones.DnsRecords.GetAsync(domain.SharedDomain.CloudflareId)
|
||||
var records = new List<CloudFlare.Client.Api.Zones.DnsRecord.DnsRecord>();
|
||||
|
||||
// Load paginated
|
||||
// TODO: Find an alternative option. This way to load the records is NOT optimal
|
||||
// and can result in long loading time when there are many dns records.
|
||||
// As cloudflare does not offer a way to search dns records which starts
|
||||
// with a specific string we are not able to filter it using the api (client)
|
||||
var initialResponse = await Client.Zones.DnsRecords.GetAsync(domain.SharedDomain.CloudflareId);
|
||||
|
||||
records.AddRange(GetData(initialResponse));
|
||||
|
||||
// Check if there are more pages
|
||||
while (initialResponse.ResultInfo.Page < initialResponse.ResultInfo.TotalPage)
|
||||
{
|
||||
// Get the next page of data
|
||||
var nextPageResponse = await Client.Zones.DnsRecords.GetAsync(
|
||||
domain.SharedDomain.CloudflareId,
|
||||
displayOptions: new()
|
||||
{
|
||||
Page = initialResponse.ResultInfo.Page + 1
|
||||
}
|
||||
);
|
||||
var nextPageRecords = GetData(nextPageResponse);
|
||||
|
||||
// Append the records from the next page to the existing records
|
||||
records.AddRange(nextPageRecords);
|
||||
|
||||
// Update the initial response to the next page response
|
||||
initialResponse = nextPageResponse;
|
||||
}
|
||||
|
||||
var rname = $"{domain.Name}.{domain.SharedDomain.Name}";
|
||||
var dname = $".{rname}";
|
||||
@@ -149,7 +174,11 @@ public class DomainService
|
||||
if (dnsRecord.Type == DnsRecordType.Srv)
|
||||
{
|
||||
var parts = dnsRecord.Name.Split(".");
|
||||
Enum.TryParse(parts[1], out Protocol protocol);
|
||||
|
||||
Protocol protocol = Protocol.Tcp;
|
||||
|
||||
if (parts[1].Contains("udp"))
|
||||
protocol = Protocol.Udp;
|
||||
|
||||
var valueParts = dnsRecord.Content.Split(" ");
|
||||
|
||||
@@ -191,11 +220,7 @@ public class DomainService
|
||||
}));
|
||||
}
|
||||
|
||||
await AuditLogService.Log(AuditLogType.AddDomainRecord, x =>
|
||||
{
|
||||
x.Add<Domain>(d.Id);
|
||||
x.Add<DnsRecord>(dnsRecord.Name);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
public async Task UpdateDnsRecord(Domain d, DnsRecord dnsRecord)
|
||||
@@ -225,11 +250,7 @@ public class DomainService
|
||||
}));
|
||||
}
|
||||
|
||||
await AuditLogService.Log(AuditLogType.UpdateDomainRecord, x =>
|
||||
{
|
||||
x.Add<Domain>(d.Id);
|
||||
x.Add<DnsRecord>(dnsRecord.Name);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
public async Task DeleteDnsRecord(Domain d, DnsRecord dnsRecord)
|
||||
@@ -240,11 +261,7 @@ public class DomainService
|
||||
await Client.Zones.DnsRecords.DeleteAsync(domain.SharedDomain.CloudflareId, dnsRecord.Id)
|
||||
);
|
||||
|
||||
await AuditLogService.Log(AuditLogType.DeleteDomainRecord, x =>
|
||||
{
|
||||
x.Add<Domain>(d.Id);
|
||||
x.Add<DnsRecord>(dnsRecord.Name);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
private Domain EnsureData(Domain domain)
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
namespace Moonlight.App.Services.Files;
|
||||
|
||||
|
||||
@@ -1,93 +0,0 @@
|
||||
using Moonlight.App.Database.Entities.LogsEntries;
|
||||
using Moonlight.App.Models.Log;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories.LogEntries;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.Services.LogServices;
|
||||
|
||||
public class AuditLogService
|
||||
{
|
||||
private readonly AuditLogEntryRepository Repository;
|
||||
private readonly IHttpContextAccessor HttpContextAccessor;
|
||||
|
||||
public AuditLogService(
|
||||
AuditLogEntryRepository repository,
|
||||
IHttpContextAccessor httpContextAccessor)
|
||||
{
|
||||
Repository = repository;
|
||||
HttpContextAccessor = httpContextAccessor;
|
||||
}
|
||||
|
||||
public Task Log(AuditLogType type, Action<AuditLogParameters> data)
|
||||
{
|
||||
var ip = GetIp();
|
||||
var al = new AuditLogParameters();
|
||||
data(al);
|
||||
|
||||
var entry = new AuditLogEntry()
|
||||
{
|
||||
Ip = ip,
|
||||
Type = type,
|
||||
System = false,
|
||||
JsonData = al.Build()
|
||||
};
|
||||
|
||||
Repository.Add(entry);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public Task LogSystem(AuditLogType type, Action<AuditLogParameters> data)
|
||||
{
|
||||
var al = new AuditLogParameters();
|
||||
data(al);
|
||||
|
||||
var entry = new AuditLogEntry()
|
||||
{
|
||||
Type = type,
|
||||
System = true,
|
||||
JsonData = al.Build()
|
||||
};
|
||||
|
||||
Repository.Add(entry);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
private string GetIp()
|
||||
{
|
||||
if (HttpContextAccessor.HttpContext == null)
|
||||
return "N/A";
|
||||
|
||||
if(HttpContextAccessor.HttpContext.Request.Headers.ContainsKey("X-Real-IP"))
|
||||
{
|
||||
return HttpContextAccessor.HttpContext.Request.Headers["X-Real-IP"]!;
|
||||
}
|
||||
|
||||
return HttpContextAccessor.HttpContext.Connection.RemoteIpAddress!.ToString();
|
||||
}
|
||||
|
||||
public class AuditLogParameters
|
||||
{
|
||||
private List<LogData> Data = new List<LogData>();
|
||||
|
||||
public void Add<T>(object? data)
|
||||
{
|
||||
if(data == null)
|
||||
return;
|
||||
|
||||
Data.Add(new LogData()
|
||||
{
|
||||
Type = typeof(T),
|
||||
Value = data.ToString()
|
||||
});
|
||||
}
|
||||
|
||||
internal string Build()
|
||||
{
|
||||
return JsonConvert.SerializeObject(Data);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,118 +0,0 @@
|
||||
using System.Diagnostics;
|
||||
using System.Reflection;
|
||||
using Moonlight.App.Database.Entities.LogsEntries;
|
||||
using Moonlight.App.Models.Log;
|
||||
using Moonlight.App.Repositories.LogEntries;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.Services.LogServices;
|
||||
|
||||
public class ErrorLogService
|
||||
{
|
||||
private readonly ErrorLogEntryRepository Repository;
|
||||
private readonly IHttpContextAccessor HttpContextAccessor;
|
||||
|
||||
public ErrorLogService(ErrorLogEntryRepository repository, IHttpContextAccessor httpContextAccessor)
|
||||
{
|
||||
Repository = repository;
|
||||
HttpContextAccessor = httpContextAccessor;
|
||||
}
|
||||
|
||||
public Task Log(Exception exception, Action<ErrorLogParameters> data)
|
||||
{
|
||||
var ip = GetIp();
|
||||
var al = new ErrorLogParameters();
|
||||
data(al);
|
||||
|
||||
var entry = new ErrorLogEntry()
|
||||
{
|
||||
Ip = ip,
|
||||
System = false,
|
||||
JsonData = al.Build(),
|
||||
Class = NameOfCallingClass(),
|
||||
Stacktrace = exception.ToStringDemystified()
|
||||
};
|
||||
|
||||
Repository.Add(entry);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public Task LogSystem(Exception exception, Action<ErrorLogParameters> data)
|
||||
{
|
||||
var al = new ErrorLogParameters();
|
||||
data(al);
|
||||
|
||||
var entry = new ErrorLogEntry()
|
||||
{
|
||||
System = true,
|
||||
JsonData = al.Build(),
|
||||
Class = NameOfCallingClass(),
|
||||
Stacktrace = exception.ToStringDemystified()
|
||||
};
|
||||
|
||||
Repository.Add(entry);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
private string NameOfCallingClass(int skipFrames = 4)
|
||||
{
|
||||
string fullName;
|
||||
Type? declaringType;
|
||||
|
||||
do
|
||||
{
|
||||
MethodBase method = new StackFrame(skipFrames, false).GetMethod()!;
|
||||
declaringType = method.DeclaringType;
|
||||
if (declaringType == null)
|
||||
{
|
||||
return method.Name;
|
||||
}
|
||||
skipFrames++;
|
||||
if (declaringType.Name.Contains("<"))
|
||||
fullName = declaringType.ReflectedType!.Name;
|
||||
else
|
||||
fullName = declaringType.Name;
|
||||
}
|
||||
while (declaringType.Module.Name.Equals("mscorlib.dll", StringComparison.OrdinalIgnoreCase) | fullName.Contains("Log"));
|
||||
|
||||
return fullName;
|
||||
}
|
||||
|
||||
private string GetIp()
|
||||
{
|
||||
if (HttpContextAccessor.HttpContext == null)
|
||||
return "N/A";
|
||||
|
||||
if(HttpContextAccessor.HttpContext.Request.Headers.ContainsKey("X-Real-IP"))
|
||||
{
|
||||
return HttpContextAccessor.HttpContext.Request.Headers["X-Real-IP"]!;
|
||||
}
|
||||
|
||||
return HttpContextAccessor.HttpContext.Connection.RemoteIpAddress!.ToString();
|
||||
}
|
||||
|
||||
public class ErrorLogParameters
|
||||
{
|
||||
private List<LogData> Data = new List<LogData>();
|
||||
|
||||
public void Add<T>(object? data)
|
||||
{
|
||||
if(data == null)
|
||||
return;
|
||||
|
||||
Data.Add(new LogData()
|
||||
{
|
||||
Type = typeof(T),
|
||||
Value = data.ToString()
|
||||
});
|
||||
}
|
||||
|
||||
internal string Build()
|
||||
{
|
||||
return JsonConvert.SerializeObject(Data);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,45 +0,0 @@
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
|
||||
namespace Moonlight.App.Services.LogServices;
|
||||
|
||||
public class LogService
|
||||
{
|
||||
public LogService()
|
||||
{
|
||||
Task.Run(ClearLog);
|
||||
}
|
||||
|
||||
private async Task ClearLog()
|
||||
{
|
||||
while (true)
|
||||
{
|
||||
await Task.Delay(TimeSpan.FromMinutes(15));
|
||||
|
||||
if (GetMessages().Length > 500)
|
||||
{
|
||||
if (Logger.UsedLogger is CacheLogger cacheLogger)
|
||||
{
|
||||
cacheLogger.Clear(250); //TODO: config
|
||||
}
|
||||
else
|
||||
{
|
||||
Logger.Warn("Log service cannot access cache. Is Logging.Net using CacheLogger?");
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public LogEntry[] GetMessages()
|
||||
{
|
||||
if (Logger.UsedLogger is CacheLogger cacheLogger)
|
||||
{
|
||||
return cacheLogger.GetMessages();
|
||||
}
|
||||
|
||||
Logger.Warn("Log service cannot access cache. Is Logging.Net using CacheLogger?");
|
||||
|
||||
return Array.Empty<LogEntry>();
|
||||
}
|
||||
}
|
||||
@@ -1,92 +0,0 @@
|
||||
using Moonlight.App.Database.Entities.LogsEntries;
|
||||
using Moonlight.App.Models.Log;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories.LogEntries;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
using Newtonsoft.Json;
|
||||
|
||||
namespace Moonlight.App.Services.LogServices;
|
||||
|
||||
public class SecurityLogService
|
||||
{
|
||||
private readonly SecurityLogEntryRepository Repository;
|
||||
private readonly IHttpContextAccessor HttpContextAccessor;
|
||||
|
||||
public SecurityLogService(SecurityLogEntryRepository repository, IHttpContextAccessor httpContextAccessor)
|
||||
{
|
||||
Repository = repository;
|
||||
HttpContextAccessor = httpContextAccessor;
|
||||
}
|
||||
|
||||
public Task Log(SecurityLogType type, Action<SecurityLogParameters> data)
|
||||
{
|
||||
var ip = GetIp();
|
||||
var al = new SecurityLogParameters();
|
||||
data(al);
|
||||
|
||||
var entry = new SecurityLogEntry()
|
||||
{
|
||||
Ip = ip,
|
||||
Type = type,
|
||||
System = false,
|
||||
JsonData = al.Build()
|
||||
};
|
||||
|
||||
Repository.Add(entry);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public Task LogSystem(SecurityLogType type, Action<SecurityLogParameters> data)
|
||||
{
|
||||
var al = new SecurityLogParameters();
|
||||
data(al);
|
||||
|
||||
var entry = new SecurityLogEntry()
|
||||
{
|
||||
Type = type,
|
||||
System = true,
|
||||
JsonData = al.Build()
|
||||
};
|
||||
|
||||
Repository.Add(entry);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
private string GetIp()
|
||||
{
|
||||
if (HttpContextAccessor.HttpContext == null)
|
||||
return "N/A";
|
||||
|
||||
if(HttpContextAccessor.HttpContext.Request.Headers.ContainsKey("X-Real-IP"))
|
||||
{
|
||||
return HttpContextAccessor.HttpContext.Request.Headers["X-Real-IP"]!;
|
||||
}
|
||||
|
||||
return HttpContextAccessor.HttpContext.Connection.RemoteIpAddress!.ToString();
|
||||
}
|
||||
|
||||
|
||||
public class SecurityLogParameters
|
||||
{
|
||||
private List<LogData> Data = new List<LogData>();
|
||||
|
||||
public void Add<T>(object? data)
|
||||
{
|
||||
if(data == null)
|
||||
return;
|
||||
|
||||
Data.Add(new LogData()
|
||||
{
|
||||
Type = typeof(T),
|
||||
Value = data.ToString()
|
||||
});
|
||||
}
|
||||
|
||||
internal string Build()
|
||||
{
|
||||
return JsonConvert.SerializeObject(Data);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using MimeKit;
|
||||
using MimeKit;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
@@ -1,5 +1,5 @@
|
||||
using System.Net;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
|
||||
namespace Moonlight.App.Services.Mail;
|
||||
|
||||
|
||||
@@ -1,4 +1,4 @@
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Helpers;
|
||||
using Octokit;
|
||||
using Repository = LibGit2Sharp.Repository;
|
||||
|
||||
@@ -33,9 +33,6 @@ public class MoonlightService
|
||||
|
||||
private async Task FetchChangeLog()
|
||||
{
|
||||
if(AppVersion == "unknown")
|
||||
return;
|
||||
|
||||
if (ConfigService.DebugMode)
|
||||
{
|
||||
ChangeLog.Add(new[]
|
||||
|
||||
@@ -72,7 +72,7 @@ public class NodeService
|
||||
{
|
||||
try
|
||||
{
|
||||
await GetSystemMetrics(node);
|
||||
await GetStatus(node);
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
@@ -1,43 +0,0 @@
|
||||
using System.Net.WebSockets;
|
||||
using System.Text;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Database.Entities.Notification;
|
||||
using Moonlight.App.Http.Controllers.Api.Moonlight.Notifications;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
|
||||
namespace Moonlight.App.Services.Notifications;
|
||||
|
||||
public class NotificationClientService
|
||||
{
|
||||
private readonly NotificationRepository NotificationRepository;
|
||||
private readonly NotificationServerService NotificationServerService;
|
||||
internal ListenController listenController;
|
||||
|
||||
public NotificationClientService(NotificationRepository notificationRepository, NotificationServerService notificationServerService)
|
||||
{
|
||||
NotificationRepository = notificationRepository;
|
||||
NotificationServerService = notificationServerService;
|
||||
}
|
||||
|
||||
public User User => NotificationClient.User;
|
||||
|
||||
public NotificationClient NotificationClient { get; set; }
|
||||
|
||||
public async Task SendAction(string action)
|
||||
{
|
||||
await listenController.ws.SendAsync(Encoding.UTF8.GetBytes(action), WebSocketMessageType.Text,
|
||||
WebSocketMessageFlags.EndOfMessage, CancellationToken.None);
|
||||
}
|
||||
|
||||
public void WebsocketReady(NotificationClient client)
|
||||
{
|
||||
NotificationClient = client;
|
||||
NotificationServerService.AddClient(this);
|
||||
}
|
||||
|
||||
public void WebsocketClosed()
|
||||
{
|
||||
NotificationServerService.RemoveClient(this);
|
||||
}
|
||||
}
|
||||
@@ -1,51 +1,75 @@
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using System.Net.WebSockets;
|
||||
using System.Text;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Database.Entities.Notification;
|
||||
using Moonlight.App.Events;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories;
|
||||
|
||||
namespace Moonlight.App.Services.Notifications;
|
||||
|
||||
public class NotificationServerService
|
||||
{
|
||||
private UserRepository UserRepository;
|
||||
private NotificationRepository NotificationRepository;
|
||||
private readonly List<ActiveNotificationClient> ActiveClients = new();
|
||||
|
||||
private readonly IServiceScopeFactory ServiceScopeFactory;
|
||||
private IServiceScope ServiceScope;
|
||||
private readonly EventSystem Event;
|
||||
|
||||
public NotificationServerService(IServiceScopeFactory serviceScopeFactory)
|
||||
public NotificationServerService(IServiceScopeFactory serviceScopeFactory, EventSystem eventSystem)
|
||||
{
|
||||
ServiceScopeFactory = serviceScopeFactory;
|
||||
Task.Run(Run);
|
||||
Event = eventSystem;
|
||||
}
|
||||
|
||||
private Task Run()
|
||||
public Task<ActiveNotificationClient[]> GetActiveClients()
|
||||
{
|
||||
ServiceScope = ServiceScopeFactory.CreateScope();
|
||||
|
||||
UserRepository = ServiceScope
|
||||
.ServiceProvider
|
||||
.GetRequiredService<UserRepository>();
|
||||
|
||||
NotificationRepository = ServiceScope
|
||||
.ServiceProvider
|
||||
.GetRequiredService<NotificationRepository>();
|
||||
|
||||
return Task.CompletedTask;
|
||||
lock (ActiveClients)
|
||||
{
|
||||
return Task.FromResult(ActiveClients.ToArray());
|
||||
}
|
||||
}
|
||||
|
||||
private List<NotificationClientService> connectedClients = new();
|
||||
|
||||
public List<NotificationClientService> GetConnectedClients(User user)
|
||||
public Task<ActiveNotificationClient[]> GetUserClients(User user)
|
||||
{
|
||||
return connectedClients.Where(x => x.User == user).ToList();
|
||||
lock (ActiveClients)
|
||||
{
|
||||
return Task.FromResult(
|
||||
ActiveClients
|
||||
.Where(x => x.Client.User.Id == user.Id)
|
||||
.ToArray()
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
public async Task SendAction(User user, string action)
|
||||
{
|
||||
var clients = NotificationRepository.GetClients().Include(x => x.User).Where(x => x.User == user).ToList();
|
||||
using var scope = ServiceScopeFactory.CreateScope();
|
||||
var notificationClientRepository =
|
||||
scope.ServiceProvider.GetRequiredService<Repository<NotificationClient>>();
|
||||
|
||||
var clients = notificationClientRepository
|
||||
.Get()
|
||||
.Include(x => x.User)
|
||||
.Where(x => x.User == user)
|
||||
.ToList();
|
||||
|
||||
foreach (var client in clients)
|
||||
{
|
||||
ActiveNotificationClient[] connectedUserClients;
|
||||
|
||||
lock (ActiveClients)
|
||||
{
|
||||
connectedUserClients = ActiveClients
|
||||
.Where(x => x.Client.Id == user.Id)
|
||||
.ToArray();
|
||||
}
|
||||
|
||||
if (connectedUserClients.Length > 0)
|
||||
{
|
||||
await connectedUserClients[0].SendAction(action);
|
||||
}
|
||||
else
|
||||
{
|
||||
var notificationAction = new NotificationAction()
|
||||
{
|
||||
@@ -53,27 +77,37 @@ public class NotificationServerService
|
||||
NotificationClient = client
|
||||
};
|
||||
|
||||
var connected = connectedClients.Where(x => x.NotificationClient.Id == client.Id).ToList();
|
||||
var notificationActionsRepository =
|
||||
scope.ServiceProvider.GetRequiredService<Repository<NotificationAction>>();
|
||||
|
||||
if (connected.Count > 0)
|
||||
{
|
||||
var clientService = connected[0];
|
||||
await clientService.SendAction(action);
|
||||
}
|
||||
else
|
||||
{
|
||||
NotificationRepository.AddAction(notificationAction);
|
||||
notificationActionsRepository.Add(notificationAction);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public void AddClient(NotificationClientService notificationClientService)
|
||||
public async Task RegisterClient(WebSocket webSocket, NotificationClient notificationClient)
|
||||
{
|
||||
connectedClients.Add(notificationClientService);
|
||||
var newClient = new ActiveNotificationClient()
|
||||
{
|
||||
WebSocket = webSocket,
|
||||
Client = notificationClient
|
||||
};
|
||||
|
||||
lock (ActiveClients)
|
||||
{
|
||||
ActiveClients.Add(newClient);
|
||||
}
|
||||
|
||||
public void RemoveClient(NotificationClientService notificationClientService)
|
||||
await Event.Emit("notifications.addClient", notificationClient);
|
||||
}
|
||||
|
||||
public async Task UnRegisterClient(NotificationClient client)
|
||||
{
|
||||
connectedClients.Remove(notificationClientService);
|
||||
lock (ActiveClients)
|
||||
{
|
||||
ActiveClients.RemoveAll(x => x.Client == client);
|
||||
}
|
||||
|
||||
await Event.Emit("notifications.removeClient", client);
|
||||
}
|
||||
}
|
||||
@@ -4,9 +4,7 @@ using JWT.Builder;
|
||||
using JWT.Exceptions;
|
||||
using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
|
||||
namespace Moonlight.App.Services;
|
||||
|
||||
@@ -14,15 +12,12 @@ public class OneTimeJwtService
|
||||
{
|
||||
private readonly ConfigService ConfigService;
|
||||
private readonly RevokeRepository RevokeRepository;
|
||||
private readonly SecurityLogService SecurityLogService;
|
||||
|
||||
public OneTimeJwtService(ConfigService configService,
|
||||
RevokeRepository revokeRepository,
|
||||
SecurityLogService securityLogService)
|
||||
RevokeRepository revokeRepository)
|
||||
{
|
||||
ConfigService = configService;
|
||||
RevokeRepository = revokeRepository;
|
||||
SecurityLogService = securityLogService;
|
||||
}
|
||||
|
||||
public string Generate(Action<Dictionary<string, string>> options, TimeSpan? validTime = null)
|
||||
@@ -76,10 +71,7 @@ public class OneTimeJwtService
|
||||
}
|
||||
catch (SignatureVerificationException)
|
||||
{
|
||||
await SecurityLogService.LogSystem(SecurityLogType.ManipulatedJwt, x =>
|
||||
{
|
||||
x.Add<string>(token);
|
||||
});
|
||||
Logger.Warn($"Detected a manipulated JWT: {token}", "security");
|
||||
return null;
|
||||
}
|
||||
catch (Exception e)
|
||||
|
||||
@@ -12,7 +12,6 @@ using Moonlight.App.Helpers.Wings;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Repositories.Servers;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using FileAccess = Moonlight.App.Helpers.Files.FileAccess;
|
||||
|
||||
namespace Moonlight.App.Services;
|
||||
@@ -29,9 +28,6 @@ public class ServerService
|
||||
private readonly UserService UserService;
|
||||
private readonly ConfigService ConfigService;
|
||||
private readonly WingsJwtHelper WingsJwtHelper;
|
||||
private readonly SecurityLogService SecurityLogService;
|
||||
private readonly AuditLogService AuditLogService;
|
||||
private readonly ErrorLogService ErrorLogService;
|
||||
private readonly NodeService NodeService;
|
||||
private readonly DateTimeService DateTimeService;
|
||||
private readonly EventSystem Event;
|
||||
@@ -45,9 +41,6 @@ public class ServerService
|
||||
UserService userService,
|
||||
ConfigService configService,
|
||||
WingsJwtHelper wingsJwtHelper,
|
||||
SecurityLogService securityLogService,
|
||||
AuditLogService auditLogService,
|
||||
ErrorLogService errorLogService,
|
||||
NodeService nodeService,
|
||||
NodeAllocationRepository nodeAllocationRepository,
|
||||
DateTimeService dateTimeService,
|
||||
@@ -62,9 +55,6 @@ public class ServerService
|
||||
UserService = userService;
|
||||
ConfigService = configService;
|
||||
WingsJwtHelper = wingsJwtHelper;
|
||||
SecurityLogService = securityLogService;
|
||||
AuditLogService = auditLogService;
|
||||
ErrorLogService = errorLogService;
|
||||
NodeService = nodeService;
|
||||
NodeAllocationRepository = nodeAllocationRepository;
|
||||
DateTimeService = dateTimeService;
|
||||
@@ -106,11 +96,7 @@ public class ServerService
|
||||
Action = rawSignal
|
||||
});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.ChangePowerState, x =>
|
||||
{
|
||||
x.Add<Server>(server.Uuid);
|
||||
x.Add<PowerSignal>(rawSignal);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
public async Task<ServerBackup> CreateBackup(Server server)
|
||||
@@ -139,12 +125,7 @@ public class ServerService
|
||||
Ignore = ""
|
||||
});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.CreateBackup,
|
||||
x =>
|
||||
{
|
||||
x.Add<Server>(server.Uuid);
|
||||
x.Add<ServerBackup>(backup.Uuid);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
|
||||
return backup;
|
||||
}
|
||||
@@ -181,12 +162,7 @@ public class ServerService
|
||||
Adapter = "wings"
|
||||
});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.RestoreBackup,
|
||||
x =>
|
||||
{
|
||||
x.Add<Server>(server.Uuid);
|
||||
x.Add<ServerBackup>(serverBackup.Uuid);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
public async Task DeleteBackup(Server server, ServerBackup serverBackup)
|
||||
@@ -219,13 +195,7 @@ public class ServerService
|
||||
|
||||
await Event.Emit("wings.backups.delete", backup);
|
||||
|
||||
await AuditLogService.Log(AuditLogType.DeleteBackup,
|
||||
x =>
|
||||
{
|
||||
x.Add<Server>(server.Uuid);
|
||||
x.Add<ServerBackup>(backup.Uuid);
|
||||
}
|
||||
);
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
public async Task<string> DownloadBackup(Server s, ServerBackup serverBackup)
|
||||
@@ -238,12 +208,7 @@ public class ServerService
|
||||
claims.Add("backup_uuid", serverBackup.Uuid.ToString());
|
||||
});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.DownloadBackup,
|
||||
x =>
|
||||
{
|
||||
x.Add<Server>(server.Uuid);
|
||||
x.Add<ServerBackup>(serverBackup.Uuid);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
|
||||
if (server.Node.Ssl)
|
||||
return $"https://{server.Node.Fqdn}:{server.Node.HttpPort}/download/backup?token={token}";
|
||||
@@ -345,17 +310,14 @@ public class ServerService
|
||||
StartOnCompletion = false
|
||||
});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.CreateServer, x => { x.Add<Server>(newServerData.Uuid); });
|
||||
//TODO: AuditLog
|
||||
|
||||
return newServerData;
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
await ErrorLogService.Log(e, x =>
|
||||
{
|
||||
x.Add<Server>(newServerData.Uuid);
|
||||
x.Add<Node>(node.Id);
|
||||
});
|
||||
Logger.Error("Error creating server on wings");
|
||||
Logger.Error(e);
|
||||
|
||||
ServerRepository.Delete(newServerData); //TODO Remove unsinged table stuff
|
||||
|
||||
@@ -369,7 +331,10 @@ public class ServerService
|
||||
|
||||
await WingsApiHelper.Post(server.Node, $"api/servers/{server.Uuid}/reinstall", null);
|
||||
|
||||
await AuditLogService.Log(AuditLogType.ReinstallServer, x => { x.Add<Server>(server.Uuid); });
|
||||
server.Installing = true;
|
||||
ServerRepository.Update(server);
|
||||
|
||||
//TODO: AuditLog
|
||||
}
|
||||
|
||||
public async Task<Server> SftpServerLogin(int serverId, int id, string password)
|
||||
@@ -378,7 +343,7 @@ public class ServerService
|
||||
|
||||
if (server == null)
|
||||
{
|
||||
await SecurityLogService.LogSystem(SecurityLogType.SftpBruteForce, x => { x.Add<int>(id); });
|
||||
Logger.Warn($"Detected an sftp bruteforce attempt. ID: {id} Password: {password}", "security");
|
||||
throw new Exception("Server not found");
|
||||
}
|
||||
|
||||
@@ -404,6 +369,8 @@ public class ServerService
|
||||
|
||||
public async Task Delete(Server s)
|
||||
{
|
||||
throw new DisplayException("Deleting servers is currently disabled");
|
||||
|
||||
var backups = await GetBackups(s);
|
||||
|
||||
foreach (var backup in backups)
|
||||
@@ -446,4 +413,65 @@ public class ServerService
|
||||
|
||||
return await NodeService.IsHostUp(server.Node);
|
||||
}
|
||||
|
||||
public async Task ArchiveServer(Server server)
|
||||
{
|
||||
if (server.IsArchived)
|
||||
throw new DisplayException("Unable to archive an already archived server");
|
||||
|
||||
// Archive server
|
||||
|
||||
var backup = await CreateBackup(server);
|
||||
server.IsArchived = true;
|
||||
server.Archive = backup;
|
||||
|
||||
ServerRepository.Update(server);
|
||||
|
||||
await Event.WaitForEvent<ServerBackup>("wings.backups.create", this, x => backup.Id == x.Id);
|
||||
|
||||
// Reset server
|
||||
|
||||
var access = await CreateFileAccess(server, null!);
|
||||
var files = await access.Ls();
|
||||
foreach (var file in files)
|
||||
{
|
||||
try
|
||||
{
|
||||
await access.Delete(file);
|
||||
}
|
||||
catch (Exception)
|
||||
{
|
||||
// ignored
|
||||
}
|
||||
}
|
||||
|
||||
await Event.Emit($"server.{server.Uuid}.archiveStatusChanged", server);
|
||||
}
|
||||
|
||||
public async Task UnArchiveServer(Server s)
|
||||
{
|
||||
if (!s.IsArchived)
|
||||
throw new DisplayException("Unable to unarchive a server which is not archived");
|
||||
|
||||
var server = ServerRepository
|
||||
.Get()
|
||||
.Include(x => x.Archive)
|
||||
.First(x => x.Id == s.Id);
|
||||
|
||||
if (server.Archive == null)
|
||||
throw new DisplayException("Archive from server not found");
|
||||
|
||||
if (!server.Archive.Created)
|
||||
throw new DisplayException("Creating the server archive is in progress");
|
||||
|
||||
await RestoreBackup(server, server.Archive);
|
||||
|
||||
await Event.WaitForEvent<ServerBackup>("wings.backups.restore", this,
|
||||
x => x.Id == server.Archive.Id);
|
||||
|
||||
server.IsArchived = false;
|
||||
ServerRepository.Update(server);
|
||||
|
||||
await Event.Emit($"server.{server.Uuid}.archiveStatusChanged", server);
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Services.Files;
|
||||
using Moonlight.App.Services.Files;
|
||||
|
||||
namespace Moonlight.App.Services.Sessions;
|
||||
|
||||
|
||||
@@ -2,12 +2,10 @@
|
||||
using JWT.Algorithms;
|
||||
using JWT.Builder;
|
||||
using JWT.Exceptions;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using UAParser;
|
||||
|
||||
namespace Moonlight.App.Services.Sessions;
|
||||
@@ -16,8 +14,6 @@ public class IdentityService
|
||||
{
|
||||
private readonly UserRepository UserRepository;
|
||||
private readonly CookieService CookieService;
|
||||
private readonly SecurityLogService SecurityLogService;
|
||||
private readonly ErrorLogService ErrorLogService;
|
||||
private readonly IHttpContextAccessor HttpContextAccessor;
|
||||
private readonly string Secret;
|
||||
|
||||
@@ -27,15 +23,11 @@ public class IdentityService
|
||||
CookieService cookieService,
|
||||
UserRepository userRepository,
|
||||
IHttpContextAccessor httpContextAccessor,
|
||||
ConfigService configService,
|
||||
SecurityLogService securityLogService,
|
||||
ErrorLogService errorLogService)
|
||||
ConfigService configService)
|
||||
{
|
||||
CookieService = cookieService;
|
||||
UserRepository = userRepository;
|
||||
HttpContextAccessor = httpContextAccessor;
|
||||
SecurityLogService = securityLogService;
|
||||
ErrorLogService = errorLogService;
|
||||
|
||||
Secret = configService
|
||||
.GetSection("Moonlight")
|
||||
@@ -90,15 +82,13 @@ public class IdentityService
|
||||
}
|
||||
catch (SignatureVerificationException)
|
||||
{
|
||||
await SecurityLogService.Log(SecurityLogType.ManipulatedJwt, x =>
|
||||
{
|
||||
x.Add<string>(token);
|
||||
});
|
||||
Logger.Warn($"Detected a manipulated JWT: {token}", "security");
|
||||
return null;
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
await ErrorLogService.Log(e, x => {});
|
||||
Logger.Error("Error reading jwt");
|
||||
Logger.Error(e);
|
||||
return null;
|
||||
}
|
||||
|
||||
@@ -134,7 +124,8 @@ public class IdentityService
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
await ErrorLogService.Log(e, x => {});
|
||||
Logger.Error("Unexpected error while processing token");
|
||||
Logger.Error(e);
|
||||
return null;
|
||||
}
|
||||
}
|
||||
@@ -159,8 +150,17 @@ public class IdentityService
|
||||
|
||||
try
|
||||
{
|
||||
var userAgent = HttpContextAccessor.HttpContext.Request.Headers.UserAgent.ToString();
|
||||
|
||||
if (userAgent.Contains("Moonlight.App"))
|
||||
{
|
||||
var version = userAgent.Remove(0, "Moonlight.App/".Length).Split(' ').FirstOrDefault();
|
||||
|
||||
return "Moonlight App " + version;
|
||||
}
|
||||
|
||||
var uaParser = Parser.GetDefault();
|
||||
var info = uaParser.Parse(HttpContextAccessor.HttpContext.Request.Headers.UserAgent);
|
||||
var info = uaParser.Parse(userAgent);
|
||||
|
||||
return $"{info.OS} - {info.Device}";
|
||||
}
|
||||
|
||||
38
Moonlight/App/Services/Sessions/KeyListenerService.cs
Normal file
38
Moonlight/App/Services/Sessions/KeyListenerService.cs
Normal file
@@ -0,0 +1,38 @@
|
||||
using Microsoft.JSInterop;
|
||||
|
||||
namespace Moonlight.App.Services.Sessions;
|
||||
|
||||
public class KeyListenerService
|
||||
{
|
||||
private readonly IJSRuntime _jsRuntime;
|
||||
private DotNetObjectReference<KeyListenerService> _objRef;
|
||||
|
||||
public event EventHandler<string> KeyPressed;
|
||||
|
||||
public KeyListenerService(IJSRuntime jsRuntime)
|
||||
{
|
||||
_jsRuntime = jsRuntime;
|
||||
}
|
||||
|
||||
public async Task Initialize()
|
||||
{
|
||||
_objRef = DotNetObjectReference.Create(this);
|
||||
await _jsRuntime.InvokeVoidAsync("moonlight.keyListener.register", _objRef);
|
||||
}
|
||||
|
||||
[JSInvokable]
|
||||
public void OnKeyPress(string key)
|
||||
{
|
||||
KeyPressed?.Invoke(this, key);
|
||||
}
|
||||
|
||||
public async ValueTask DisposeAsync()
|
||||
{
|
||||
try
|
||||
{
|
||||
await _jsRuntime.InvokeVoidAsync("moonlight.keyListener.unregister", _objRef);
|
||||
_objRef.Dispose();
|
||||
}
|
||||
catch (Exception) { /* ignored */}
|
||||
}
|
||||
}
|
||||
@@ -78,7 +78,7 @@ public class SmartTranslateService
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
Logging.Net.Logger.Error(ex);
|
||||
Logger.Error(ex);
|
||||
return key;
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
using Logging.Net;
|
||||
using Moonlight.App.Database;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
|
||||
@@ -66,8 +65,6 @@ public class StatisticsCaptureService
|
||||
AddEntry("databasesCount", databasesRepo.Get().Count());
|
||||
AddEntry("sessionsCount", sessionService.GetAll().Length);
|
||||
}
|
||||
|
||||
Logger.Log("Statistics are weird");
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
using Logging.Net;
|
||||
using Microsoft.AspNetCore.Components.Forms;
|
||||
using Microsoft.AspNetCore.Components.Forms;
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Events;
|
||||
using Moonlight.App.Services.Files;
|
||||
|
||||
@@ -1,7 +1,5 @@
|
||||
using Moonlight.App.Database.Entities;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
using OtpNet;
|
||||
|
||||
@@ -11,16 +9,13 @@ public class TotpService
|
||||
{
|
||||
private readonly IdentityService IdentityService;
|
||||
private readonly UserRepository UserRepository;
|
||||
private readonly AuditLogService AuditLogService;
|
||||
|
||||
public TotpService(
|
||||
IdentityService identityService,
|
||||
UserRepository userRepository,
|
||||
AuditLogService auditLogService)
|
||||
UserRepository userRepository)
|
||||
{
|
||||
IdentityService = identityService;
|
||||
UserRepository = userRepository;
|
||||
AuditLogService = auditLogService;
|
||||
}
|
||||
|
||||
public Task<bool> Verify(string secret, string code)
|
||||
@@ -44,24 +39,24 @@ public class TotpService
|
||||
return user!.TotpSecret;
|
||||
}
|
||||
|
||||
public async Task Enable()
|
||||
public async Task GenerateSecret()
|
||||
{
|
||||
var user = (await IdentityService.Get())!;
|
||||
|
||||
user.TotpSecret = GenerateSecret();
|
||||
user.TotpSecret = Base32Encoding.ToString(KeyGeneration.GenerateRandomKey(20));;
|
||||
|
||||
UserRepository.Update(user);
|
||||
|
||||
await AuditLogService.Log(AuditLogType.EnableTotp, x =>
|
||||
{
|
||||
x.Add<User>(user.Email);
|
||||
});
|
||||
}
|
||||
|
||||
public async Task EnforceTotpLogin()
|
||||
public async Task Enable(string code)
|
||||
{
|
||||
var user = (await IdentityService.Get())!;
|
||||
|
||||
if (!await Verify(user.TotpSecret, code))
|
||||
{
|
||||
throw new DisplayException("The 2fa code you entered is invalid");
|
||||
}
|
||||
|
||||
user.TotpEnabled = true;
|
||||
UserRepository.Update(user);
|
||||
}
|
||||
@@ -71,17 +66,10 @@ public class TotpService
|
||||
var user = (await IdentityService.Get())!;
|
||||
|
||||
user.TotpEnabled = false;
|
||||
user.TotpSecret = "";
|
||||
|
||||
UserRepository.Update(user);
|
||||
|
||||
await AuditLogService.Log(AuditLogType.DisableTotp,x =>
|
||||
{
|
||||
x.Add<User>(user.Email);
|
||||
});
|
||||
}
|
||||
|
||||
private string GenerateSecret()
|
||||
{
|
||||
return Base32Encoding.ToString(KeyGeneration.GenerateRandomKey(20));
|
||||
//TODO: AuditLog
|
||||
}
|
||||
}
|
||||
@@ -5,7 +5,6 @@ using Moonlight.App.Exceptions;
|
||||
using Moonlight.App.Helpers;
|
||||
using Moonlight.App.Models.Misc;
|
||||
using Moonlight.App.Repositories;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using Moonlight.App.Services.Mail;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
|
||||
@@ -15,8 +14,6 @@ public class UserService
|
||||
{
|
||||
private readonly UserRepository UserRepository;
|
||||
private readonly TotpService TotpService;
|
||||
private readonly SecurityLogService SecurityLogService;
|
||||
private readonly AuditLogService AuditLogService;
|
||||
private readonly MailService MailService;
|
||||
private readonly IdentityService IdentityService;
|
||||
private readonly IpLocateService IpLocateService;
|
||||
@@ -28,8 +25,6 @@ public class UserService
|
||||
UserRepository userRepository,
|
||||
TotpService totpService,
|
||||
ConfigService configService,
|
||||
SecurityLogService securityLogService,
|
||||
AuditLogService auditLogService,
|
||||
MailService mailService,
|
||||
IdentityService identityService,
|
||||
IpLocateService ipLocateService,
|
||||
@@ -37,8 +32,6 @@ public class UserService
|
||||
{
|
||||
UserRepository = userRepository;
|
||||
TotpService = totpService;
|
||||
SecurityLogService = securityLogService;
|
||||
AuditLogService = auditLogService;
|
||||
MailService = mailService;
|
||||
IdentityService = identityService;
|
||||
IpLocateService = ipLocateService;
|
||||
@@ -85,10 +78,7 @@ public class UserService
|
||||
|
||||
await MailService.SendMail(user!, "register", values => {});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.Register, x =>
|
||||
{
|
||||
x.Add<User>(user.Email);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
|
||||
return await GenerateToken(user);
|
||||
}
|
||||
@@ -102,11 +92,7 @@ public class UserService
|
||||
|
||||
if (user == null)
|
||||
{
|
||||
await SecurityLogService.Log(SecurityLogType.LoginFail, x =>
|
||||
{
|
||||
x.Add<User>(email);
|
||||
x.Add<string>(password);
|
||||
});
|
||||
Logger.Warn($"Failed login attempt. Email: {email} Password: {password}", "security");
|
||||
throw new DisplayException("Email and password combination not found");
|
||||
}
|
||||
|
||||
@@ -115,11 +101,7 @@ public class UserService
|
||||
return user.TotpEnabled;
|
||||
}
|
||||
|
||||
await SecurityLogService.Log(SecurityLogType.LoginFail, x =>
|
||||
{
|
||||
x.Add<User>(email);
|
||||
x.Add<string>(password);
|
||||
});
|
||||
Logger.Warn($"Failed login attempt. Email: {email} Password: {password}", "security");
|
||||
throw new DisplayException("Email and password combination not found");;
|
||||
}
|
||||
|
||||
@@ -144,28 +126,18 @@ public class UserService
|
||||
|
||||
if (totpCodeValid)
|
||||
{
|
||||
await AuditLogService.Log(AuditLogType.Login, x =>
|
||||
{
|
||||
x.Add<User>(email);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
return await GenerateToken(user, true);
|
||||
}
|
||||
else
|
||||
{
|
||||
await SecurityLogService.Log(SecurityLogType.LoginFail, x =>
|
||||
{
|
||||
x.Add<User>(email);
|
||||
x.Add<string>(password);
|
||||
});
|
||||
Logger.Warn($"Failed login attempt. Email: {email} Password: {password}", "security");
|
||||
throw new DisplayException("2FA code invalid");
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
await AuditLogService.Log(AuditLogType.Login, x =>
|
||||
{
|
||||
x.Add<User>(email);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
return await GenerateToken(user!, true);
|
||||
}
|
||||
}
|
||||
@@ -178,10 +150,7 @@ public class UserService
|
||||
|
||||
if (isSystemAction)
|
||||
{
|
||||
await AuditLogService.LogSystem(AuditLogType.ChangePassword, x=>
|
||||
{
|
||||
x.Add<User>(user.Email);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
else
|
||||
{
|
||||
@@ -194,10 +163,7 @@ public class UserService
|
||||
values.Add("Location", location);
|
||||
});
|
||||
|
||||
await AuditLogService.Log(AuditLogType.ChangePassword, x =>
|
||||
{
|
||||
x.Add<User>(user.Email);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
}
|
||||
}
|
||||
|
||||
@@ -207,28 +173,18 @@ public class UserService
|
||||
|
||||
if (user == null)
|
||||
{
|
||||
await SecurityLogService.LogSystem(SecurityLogType.SftpBruteForce, x =>
|
||||
{
|
||||
x.Add<int>(id);
|
||||
});
|
||||
Logger.Warn($"Detected an sftp bruteforce attempt. ID: {id} Password: {password}", "security");
|
||||
|
||||
throw new Exception("Invalid username");
|
||||
}
|
||||
|
||||
if (BCrypt.Net.BCrypt.Verify(password, user.Password))
|
||||
{
|
||||
await AuditLogService.LogSystem(AuditLogType.Login, x =>
|
||||
{
|
||||
x.Add<User>(user.Email);
|
||||
});
|
||||
//TODO: AuditLog
|
||||
return user;
|
||||
}
|
||||
|
||||
await SecurityLogService.LogSystem(SecurityLogType.SftpBruteForce, x =>
|
||||
{
|
||||
x.Add<int>(id);
|
||||
x.Add<string>(password);
|
||||
});
|
||||
Logger.Warn($"Detected an sftp bruteforce attempt. ID: {id} Password: {password}", "security");
|
||||
throw new Exception("Invalid userid or password");
|
||||
}
|
||||
|
||||
@@ -271,7 +227,7 @@ public class UserService
|
||||
var newPassword = StringHelper.GenerateString(16);
|
||||
await ChangePassword(user, newPassword, true);
|
||||
|
||||
await AuditLogService.Log(AuditLogType.PasswordReset, x => {});
|
||||
//TODO: AuditLog
|
||||
|
||||
var location = await IpLocateService.GetLocation();
|
||||
|
||||
|
||||
@@ -1,4 +1,5 @@
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using DnsClient;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Moonlight.App.ApiClients.CloudPanel;
|
||||
using Moonlight.App.ApiClients.CloudPanel.Requests;
|
||||
using Moonlight.App.Database.Entities;
|
||||
@@ -18,7 +19,8 @@ public class WebSpaceService
|
||||
|
||||
private readonly CloudPanelApiHelper CloudPanelApiHelper;
|
||||
|
||||
public WebSpaceService(Repository<CloudPanel> cloudPanelRepository, Repository<WebSpace> webSpaceRepository, CloudPanelApiHelper cloudPanelApiHelper, Repository<MySqlDatabase> databaseRepository)
|
||||
public WebSpaceService(Repository<CloudPanel> cloudPanelRepository, Repository<WebSpace> webSpaceRepository,
|
||||
CloudPanelApiHelper cloudPanelApiHelper, Repository<MySqlDatabase> databaseRepository)
|
||||
{
|
||||
CloudPanelRepository = cloudPanelRepository;
|
||||
WebSpaceRepository = webSpaceRepository;
|
||||
@@ -121,6 +123,52 @@ public class WebSpaceService
|
||||
{
|
||||
var webspace = EnsureData(w);
|
||||
|
||||
var dns = new LookupClient(new LookupClientOptions()
|
||||
{
|
||||
CacheFailedResults = false,
|
||||
UseCache = false
|
||||
});
|
||||
|
||||
var ipOfWebspaceQuery = await dns.QueryAsync(
|
||||
webspace.Domain,
|
||||
QueryType.A
|
||||
);
|
||||
|
||||
var ipOfWebspaceWwwQuery = await dns.QueryAsync(
|
||||
"www." + webspace.Domain,
|
||||
QueryType.CNAME
|
||||
);
|
||||
|
||||
var ipOfWebspace = ipOfWebspaceQuery.Answers.ARecords().FirstOrDefault();
|
||||
var ipOfWebspaceWww = ipOfWebspaceWwwQuery.Answers.CnameRecords().FirstOrDefault();
|
||||
|
||||
if (ipOfWebspace == null)
|
||||
throw new DisplayException($"Unable to find any a records for {webspace.Domain}", true);
|
||||
|
||||
if (ipOfWebspaceWww == null)
|
||||
throw new DisplayException($"Unable to find any cname records for www.{webspace.Domain}", true);
|
||||
|
||||
var ipOfHostQuery = await dns.QueryAsync(
|
||||
webspace.CloudPanel.Host,
|
||||
QueryType.A
|
||||
);
|
||||
|
||||
var ipOfHost = ipOfHostQuery.Answers.ARecords().FirstOrDefault();
|
||||
|
||||
|
||||
if (ipOfHost == null)
|
||||
throw new DisplayException("Unable to find a record of host system");
|
||||
|
||||
if (ipOfHost.Address.ToString() != ipOfWebspace.Address.ToString())
|
||||
throw new DisplayException("The dns records of your webspace do not point to the host system");
|
||||
|
||||
Logger.Debug($"{ipOfWebspaceWww.CanonicalName.Value}");
|
||||
|
||||
if (ipOfWebspaceWww.CanonicalName.Value != webspace.CloudPanel.Host + ".")
|
||||
throw new DisplayException(
|
||||
$"The dns record www.{webspace.Domain} does not point to {webspace.CloudPanel.Host}", true);
|
||||
|
||||
|
||||
await CloudPanelApiHelper.Post(webspace.CloudPanel, "letsencrypt/install/certificate", new InstallLetsEncrypt()
|
||||
{
|
||||
DomainName = webspace.Domain
|
||||
@@ -180,7 +228,8 @@ public class WebSpaceService
|
||||
var webspace = EnsureData(w);
|
||||
|
||||
return Task.FromResult<FileAccess>(
|
||||
new SftpFileAccess(webspace.CloudPanel.Host, webspace.UserName, webspace.Password, 22, true, $"/htdocs/{webspace.Domain}")
|
||||
new SftpFileAccess(webspace.CloudPanel.Host, webspace.UserName, webspace.Password, 22, true,
|
||||
$"/htdocs/{webspace.Domain}")
|
||||
);
|
||||
}
|
||||
|
||||
|
||||
@@ -21,11 +21,11 @@
|
||||
<PackageReference Include="CurrieTechnologies.Razor.SweetAlert2" Version="5.4.0" />
|
||||
<PackageReference Include="Discord.Net" Version="3.10.0" />
|
||||
<PackageReference Include="Discord.Net.Webhook" Version="3.10.0" />
|
||||
<PackageReference Include="DnsClient" Version="1.7.0" />
|
||||
<PackageReference Include="FluentFTP" Version="46.0.2" />
|
||||
<PackageReference Include="GravatarSharp.Core" Version="1.0.1.2" />
|
||||
<PackageReference Include="JWT" Version="10.0.2" />
|
||||
<PackageReference Include="LibGit2Sharp" Version="0.27.2" />
|
||||
<PackageReference Include="Logging.Net" Version="1.1.3" />
|
||||
<PackageReference Include="MailKit" Version="4.0.0" />
|
||||
<PackageReference Include="Mappy.Net" Version="1.0.2" />
|
||||
<PackageReference Include="Markdig" Version="0.31.0" />
|
||||
@@ -46,9 +46,12 @@
|
||||
<PackageReference Include="Pomelo.EntityFrameworkCore.MySql" Version="7.0.0" />
|
||||
<PackageReference Include="QRCoder" Version="1.4.3" />
|
||||
<PackageReference Include="RestSharp" Version="109.0.0-preview.1" />
|
||||
<PackageReference Include="Serilog" Version="3.0.0" />
|
||||
<PackageReference Include="Serilog.Sinks.Console" Version="4.1.1-dev-00910" />
|
||||
<PackageReference Include="Serilog.Sinks.File" Version="5.0.1-dev-00947" />
|
||||
<PackageReference Include="SSH.NET" Version="2020.0.2" />
|
||||
<PackageReference Include="UAParser" Version="3.1.47" />
|
||||
<PackageReference Include="XtermBlazor" Version="1.6.1" />
|
||||
<PackageReference Include="XtermBlazor" Version="1.8.1" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
@@ -79,4 +82,22 @@
|
||||
<Folder Include="storage\resources\public\background\" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\DotnetFileSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\DotnetVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\FabricVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\ForgeVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\JavaFileSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\JavaRuntimeVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\JavascriptFileSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\JavascriptVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\Join2StartSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\PaperVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\PythonFileSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\PythonVersionSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\ServerDeleteSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\ServerRenameSetting.razor" />
|
||||
<AdditionalFiles Include="Shared\Views\Server\Settings\ServerResetSetting.razor" />
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
||||
|
||||
@@ -103,11 +103,11 @@
|
||||
<script src="/_content/CurrieTechnologies.Razor.SweetAlert2/sweetAlert2.min.js"></script>
|
||||
<script src="/_content/Blazor.ContextMenu/blazorContextMenu.min.js"></script>
|
||||
|
||||
<script src="https://cdn.jsdelivr.net/npm/@@shopify/draggable@1.0.0-beta.11/lib/draggable.bundle.js"></script>
|
||||
|
||||
<script src="https://www.google.com/recaptcha/api.js"></script>
|
||||
|
||||
<script src="https://cdn.jsdelivr.net/npm/xterm-addon-fit@0.5.0/lib/xterm-addon-fit.min.js"></script>
|
||||
<script src="https://cdn.jsdelivr.net/npm/xterm-addon-search@0.8.2/lib/xterm-addon-search.min.js"></script>
|
||||
<script src="https://cdn.jsdelivr.net/npm/xterm-addon-web-links@0.5.0/lib/xterm-addon-web-links.min.js"></script>
|
||||
<script src="https://cdn.jsdelivr.net/npm/xterm-addon-fit@0.7.0/lib/xterm-addon-fit.min.js"></script>
|
||||
|
||||
<script src="/_content/BlazorMonaco/lib/monaco-editor/min/vs/loader.js"></script>
|
||||
<script>require.config({ paths: { 'vs': '/_content/BlazorMonaco/lib/monaco-editor/min/vs' } });</script>
|
||||
|
||||
@@ -2,9 +2,9 @@ using BlazorDownloadFile;
|
||||
using BlazorTable;
|
||||
using CurrieTechnologies.Razor.SweetAlert2;
|
||||
using HealthChecks.UI.Client;
|
||||
using Logging.Net;
|
||||
using Moonlight.App.ApiClients.CloudPanel;
|
||||
using Moonlight.App.ApiClients.Daemon;
|
||||
using Moonlight.App.ApiClients.Modrinth;
|
||||
using Moonlight.App.ApiClients.Paper;
|
||||
using Moonlight.App.ApiClients.Wings;
|
||||
using Moonlight.App.Database;
|
||||
@@ -18,17 +18,19 @@ using Moonlight.App.Repositories.Domains;
|
||||
using Moonlight.App.Repositories.LogEntries;
|
||||
using Moonlight.App.Repositories.Servers;
|
||||
using Moonlight.App.Services;
|
||||
using Moonlight.App.Services.Addon;
|
||||
using Moonlight.App.Services.Background;
|
||||
using Moonlight.App.Services.DiscordBot;
|
||||
using Moonlight.App.Services.Files;
|
||||
using Moonlight.App.Services.Interop;
|
||||
using Moonlight.App.Services.LogServices;
|
||||
using Moonlight.App.Services.Mail;
|
||||
using Moonlight.App.Services.Minecraft;
|
||||
using Moonlight.App.Services.Notifications;
|
||||
using Moonlight.App.Services.Sessions;
|
||||
using Moonlight.App.Services.Statistics;
|
||||
using Moonlight.App.Services.SupportChat;
|
||||
using Serilog;
|
||||
using Serilog.Sinks.SystemConsole.Themes;
|
||||
|
||||
namespace Moonlight
|
||||
{
|
||||
@@ -36,14 +38,31 @@ namespace Moonlight
|
||||
{
|
||||
public static async Task Main(string[] args)
|
||||
{
|
||||
Logger.UsedLogger = new CacheLogger();
|
||||
// This will also copy all default config files
|
||||
var configService = new ConfigService(new StorageService());
|
||||
|
||||
if (configService.DebugMode)
|
||||
{
|
||||
Log.Logger = new LoggerConfiguration()
|
||||
.MinimumLevel.Verbose()
|
||||
.Enrich.FromLogContext()
|
||||
.WriteTo.Console(
|
||||
outputTemplate: "{Timestamp:HH:mm:ss} [{Level:u3}] {SourceContext} {Message:lj}{NewLine}{Exception}")
|
||||
.CreateLogger();
|
||||
}
|
||||
else
|
||||
{
|
||||
Log.Logger = new LoggerConfiguration()
|
||||
.MinimumLevel.Information()
|
||||
.Enrich.FromLogContext()
|
||||
.WriteTo.Console(
|
||||
outputTemplate: "{Timestamp:HH:mm:ss} [{Level:u3}] {SourceContext} {Message:lj}{NewLine}{Exception}")
|
||||
.CreateLogger();
|
||||
}
|
||||
|
||||
Logger.Info($"Working dir: {Directory.GetCurrentDirectory()}");
|
||||
|
||||
Logger.Info("Running pre-init tasks");
|
||||
|
||||
// This will also copy all default config files
|
||||
var configService = new ConfigService(new StorageService());
|
||||
var databaseCheckupService = new DatabaseCheckupService(configService);
|
||||
|
||||
await databaseCheckupService.Perform();
|
||||
@@ -116,7 +135,6 @@ namespace Moonlight
|
||||
builder.Services.AddScoped<OneTimeJwtService>();
|
||||
builder.Services.AddSingleton<NotificationServerService>();
|
||||
builder.Services.AddScoped<NotificationAdminService>();
|
||||
builder.Services.AddScoped<NotificationClientService>();
|
||||
builder.Services.AddScoped<ModalService>();
|
||||
builder.Services.AddScoped<SmartDeployService>();
|
||||
builder.Services.AddScoped<WebSpaceService>();
|
||||
@@ -132,15 +150,13 @@ namespace Moonlight
|
||||
builder.Services.AddScoped<IpBanService>();
|
||||
builder.Services.AddSingleton<OAuth2Service>();
|
||||
builder.Services.AddScoped<DynamicBackgroundService>();
|
||||
builder.Services.AddScoped<ServerAddonPluginService>();
|
||||
builder.Services.AddScoped<KeyListenerService>();
|
||||
|
||||
builder.Services.AddScoped<SubscriptionService>();
|
||||
builder.Services.AddScoped<SubscriptionAdminService>();
|
||||
|
||||
// Loggers
|
||||
builder.Services.AddScoped<SecurityLogService>();
|
||||
builder.Services.AddScoped<AuditLogService>();
|
||||
builder.Services.AddScoped<ErrorLogService>();
|
||||
builder.Services.AddScoped<LogService>();
|
||||
builder.Services.AddScoped<MailService>();
|
||||
builder.Services.AddSingleton<TrashMailDetectorService>();
|
||||
|
||||
@@ -159,12 +175,14 @@ namespace Moonlight
|
||||
builder.Services.AddSingleton<HostSystemHelper>();
|
||||
builder.Services.AddScoped<DaemonApiHelper>();
|
||||
builder.Services.AddScoped<CloudPanelApiHelper>();
|
||||
builder.Services.AddScoped<ModrinthApiHelper>();
|
||||
|
||||
// Background services
|
||||
builder.Services.AddSingleton<DiscordBotService>();
|
||||
builder.Services.AddSingleton<StatisticsCaptureService>();
|
||||
builder.Services.AddSingleton<DiscordNotificationService>();
|
||||
builder.Services.AddSingleton<CleanupService>();
|
||||
builder.Services.AddSingleton<MalwareScanService>();
|
||||
|
||||
// Other
|
||||
builder.Services.AddSingleton<MoonlightService>();
|
||||
@@ -203,6 +221,7 @@ namespace Moonlight
|
||||
_ = app.Services.GetRequiredService<DiscordBotService>();
|
||||
_ = app.Services.GetRequiredService<StatisticsCaptureService>();
|
||||
_ = app.Services.GetRequiredService<DiscordNotificationService>();
|
||||
_ = app.Services.GetRequiredService<MalwareScanService>();
|
||||
|
||||
_ = app.Services.GetRequiredService<MoonlightService>();
|
||||
|
||||
|
||||
@@ -31,6 +31,20 @@
|
||||
},
|
||||
"applicationUrl": "http://moonlight.testy:5118;https://localhost:7118;http://localhost:5118",
|
||||
"dotnetRunMessages": true
|
||||
},
|
||||
"Watch": {
|
||||
"commandName": "Executable",
|
||||
"executablePath": "dotnet",
|
||||
"workingDirectory": "$(ProjectDir)",
|
||||
"hotReloadEnabled": true,
|
||||
"hotReloadProfile": "aspnetcore",
|
||||
"commandLineArgs": "watch run",
|
||||
"launchBrowser": true,
|
||||
"environmentVariables": {
|
||||
"ASPNETCORE_ENVIRONMENT": "Development",
|
||||
"ML_DEBUG": "true"
|
||||
},
|
||||
"applicationUrl": "http://moonlight.testy:5118;https://localhost:7118;http://localhost:5118"
|
||||
}
|
||||
}
|
||||
}
|
||||
31
Moonlight/Shared/Components/Alerts/NotFoundAlert.razor
Normal file
31
Moonlight/Shared/Components/Alerts/NotFoundAlert.razor
Normal file
@@ -0,0 +1,31 @@
|
||||
<div class="mx-auto">
|
||||
<div class="card">
|
||||
<div class="d-flex justify-content-center pt-5">
|
||||
<img height="300" width="300" src="/assets/media/svg/notfound.svg" alt="Not found"/>
|
||||
</div>
|
||||
<span class="card-title text-center fs-3">
|
||||
<TL>The requested resource was not found</TL>
|
||||
</span>
|
||||
<p class="card-body text-center fs-4 text-gray-800">
|
||||
<TL>We were not able to find the requested resource. This can have following reasons</TL>
|
||||
|
||||
<div class="mt-4 d-flex flex-column align-items-center">
|
||||
<li class="d-flex align-items-center py-2">
|
||||
<span class="bullet me-5"></span> <TL>The resource was deleted</TL>
|
||||
</li>
|
||||
<li class="d-flex align-items-center py-2">
|
||||
<span class="bullet me-5"></span> <TL>You have to permission to access this resource</TL>
|
||||
</li>
|
||||
<li class="d-flex align-items-center py-2">
|
||||
<span class="bullet me-5"></span> <TL>You may have entered invalid data</TL>
|
||||
</li>
|
||||
<li class="d-flex align-items-center py-2">
|
||||
<span class="bullet me-5"></span> <TL>A unknown bug occured</TL>
|
||||
</li>
|
||||
<li class="d-flex align-items-center py-2">
|
||||
<span class="bullet me-5"></span> <TL>An api was down and not proper handled</TL>
|
||||
</li>
|
||||
</div>
|
||||
</p>
|
||||
</div>
|
||||
</div>
|
||||
@@ -8,11 +8,11 @@
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Moonlight.App.Services
|
||||
@using Moonlight.App.Exceptions
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.Database.Entities
|
||||
@using Moonlight.App.Models.Misc
|
||||
@using Moonlight.App.Services.Sessions
|
||||
@using System.ComponentModel.DataAnnotations
|
||||
@using Moonlight.App.Helpers
|
||||
@using Moonlight.App.Models.Forms
|
||||
|
||||
@inject AlertService AlertService
|
||||
@@ -96,7 +96,7 @@
|
||||
{
|
||||
<SmartForm Model="TotpData" OnValidSubmit="DoLogin">
|
||||
<div class="fv-row mb-8 fv-plugins-icon-container">
|
||||
<InputText @bind-Value="TotpData.Code" type="number" class="form-control bg-transparent"></InputText>
|
||||
<InputText @bind-Value="TotpData.Code" type="number" class="form-control bg-transparent" placeholder="@(SmartTranslateService.Translate("2fa code"))"></InputText>
|
||||
</div>
|
||||
<div class="d-grid mb-10">
|
||||
<button type="submit" class="btn btn-primary">
|
||||
|
||||
@@ -1,66 +0,0 @@
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.Services.LogServices
|
||||
@using Moonlight.App.Services.Sessions
|
||||
|
||||
@inherits ErrorBoundary
|
||||
|
||||
@inject ErrorLogService ErrorLogService
|
||||
|
||||
@if (CurrentException is null)
|
||||
{
|
||||
@ChildContent
|
||||
}
|
||||
else if (ErrorContent is not null)
|
||||
{
|
||||
<div class="card card-flush h-md-100">
|
||||
<div class="card-body d-flex flex-column justify-content-between mt-9 bgi-no-repeat bgi-size-cover bgi-position-x-center pb-0">
|
||||
<div class="mb-10">
|
||||
<div class="fs-2hx fw-bold text-gray-800 text-center mb-13">
|
||||
<span class="me-2">
|
||||
<TL>Ooops. This component is crashed</TL>
|
||||
</span>
|
||||
</div>
|
||||
<div class="text-center">
|
||||
<TL>This component is crashed. The error has been reported to the moonlight team</TL>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
}
|
||||
else
|
||||
{
|
||||
<div class="card card-flush h-md-100">
|
||||
<div class="card-body d-flex flex-column justify-content-between mt-9 bgi-no-repeat bgi-size-cover bgi-position-x-center pb-0">
|
||||
<div class="mb-10">
|
||||
<div class="fs-2hx fw-bold text-gray-800 text-center mb-13">
|
||||
<span class="me-2">
|
||||
<TL>Ooops. This component is crashed</TL>
|
||||
</span>
|
||||
</div>
|
||||
<div class="text-center">
|
||||
<TL>This component is crashed. The error has been reported to the moonlight team</TL>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
}
|
||||
|
||||
@code
|
||||
{
|
||||
List<Exception> receivedExceptions = new();
|
||||
|
||||
protected override async Task OnErrorAsync(Exception exception)
|
||||
{
|
||||
receivedExceptions.Add(exception);
|
||||
|
||||
await ErrorLogService.Log(exception, x => {});
|
||||
|
||||
await base.OnErrorAsync(exception);
|
||||
}
|
||||
|
||||
public new void Recover()
|
||||
{
|
||||
receivedExceptions.Clear();
|
||||
base.Recover();
|
||||
}
|
||||
}
|
||||
@@ -1,5 +1,5 @@
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.Services.Sessions
|
||||
@using Moonlight.App.Services.Sessions
|
||||
@using Moonlight.App.Helpers
|
||||
|
||||
@inherits ErrorBoundary
|
||||
|
||||
|
||||
@@ -1,5 +1,5 @@
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.Exceptions
|
||||
@using Moonlight.App.Exceptions
|
||||
@using Moonlight.App.Helpers
|
||||
@using Moonlight.App.Services
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Moonlight.App.Services.Sessions
|
||||
|
||||
@@ -1,12 +1,15 @@
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Moonlight.App.Exceptions
|
||||
@using Moonlight.App.Services
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.ApiClients.CloudPanel
|
||||
@using Moonlight.App.ApiClients.Daemon
|
||||
@using Moonlight.App.ApiClients.Modrinth
|
||||
@using Moonlight.App.ApiClients.Wings
|
||||
@using Moonlight.App.Helpers
|
||||
@inherits ErrorBoundaryBase
|
||||
|
||||
@inject AlertService AlertService
|
||||
@inject ConfigService ConfigService
|
||||
@inject SmartTranslateService SmartTranslateService
|
||||
|
||||
@if (Crashed)
|
||||
@@ -37,15 +40,26 @@ else
|
||||
|
||||
protected override async Task OnErrorAsync(Exception exception)
|
||||
{
|
||||
Logger.Warn(exception);
|
||||
if (ConfigService.DebugMode)
|
||||
{
|
||||
Logger.Verbose(exception);
|
||||
}
|
||||
|
||||
if (exception is DisplayException displayException)
|
||||
{
|
||||
if (displayException.DoNotTranslate)
|
||||
{
|
||||
await AlertService.Error(
|
||||
displayException.Message
|
||||
);
|
||||
}
|
||||
else
|
||||
{
|
||||
await AlertService.Error(
|
||||
SmartTranslateService.Translate("Error"),
|
||||
SmartTranslateService.Translate(displayException.Message)
|
||||
);
|
||||
}
|
||||
}
|
||||
else if (exception is CloudflareException cloudflareException)
|
||||
{
|
||||
await AlertService.Error(
|
||||
@@ -56,7 +70,7 @@ else
|
||||
else if (exception is WingsException wingsException)
|
||||
{
|
||||
await AlertService.Error(
|
||||
SmartTranslateService.Translate("Error from daemon"),
|
||||
SmartTranslateService.Translate("Error from wings"),
|
||||
wingsException.Message
|
||||
);
|
||||
|
||||
@@ -64,6 +78,22 @@ else
|
||||
|
||||
Logger.Warn($"Wings exception status code: {wingsException.StatusCode}");
|
||||
}
|
||||
else if (exception is DaemonException daemonException)
|
||||
{
|
||||
await AlertService.Error(
|
||||
SmartTranslateService.Translate("Error from daemon"),
|
||||
daemonException.Message
|
||||
);
|
||||
|
||||
Logger.Warn($"Wings exception status code: {daemonException.StatusCode}");
|
||||
}
|
||||
else if (exception is ModrinthException modrinthException)
|
||||
{
|
||||
await AlertService.Error(
|
||||
SmartTranslateService.Translate("Error from modrinth"),
|
||||
modrinthException.Message
|
||||
);
|
||||
}
|
||||
else if (exception is CloudPanelException cloudPanelException)
|
||||
{
|
||||
await AlertService.Error(
|
||||
@@ -77,6 +107,7 @@ else
|
||||
}
|
||||
else
|
||||
{
|
||||
Logger.Warn(exception);
|
||||
Crashed = true;
|
||||
await InvokeAsync(StateHasChanged);
|
||||
}
|
||||
|
||||
@@ -0,0 +1,78 @@
|
||||
@using Moonlight.App.Helpers.Files
|
||||
@using Moonlight.App.Services.Interop
|
||||
|
||||
@inject ModalService ModalService
|
||||
|
||||
<div class="modal fade" id="connectionDetails" tabindex="-1" aria-labelledby="connectionDetails" style="display: none;" aria-hidden="true">
|
||||
<div class="modal-dialog modal-dialog-centered modal-dialog-scrollable">
|
||||
<div class="modal-content">
|
||||
<div class="modal-header">
|
||||
<h5 class="modal-title">
|
||||
<TL>Connection details</TL>
|
||||
</h5>
|
||||
<button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close"></button>
|
||||
</div>
|
||||
<div class="modal-body">
|
||||
<div class="row fv-row mb-7">
|
||||
<div class="col-md-3 text-md-start">
|
||||
<label class="fs-6 fw-semibold form-label mt-3">
|
||||
<TL>Host</TL>
|
||||
</label>
|
||||
</div>
|
||||
<div class="col-md-9">
|
||||
<input type="text" class="form-control form-control-solid disabled" disabled="disabled" value="@(Host)">
|
||||
</div>
|
||||
</div>
|
||||
<div class="row fv-row mb-7">
|
||||
<div class="col-md-3 text-md-start">
|
||||
<label class="fs-6 fw-semibold form-label mt-3">
|
||||
<TL>Port</TL>
|
||||
</label>
|
||||
</div>
|
||||
<div class="col-md-9">
|
||||
<input type="text" class="form-control form-control-solid disabled" disabled="disabled" value="@(Port)">
|
||||
</div>
|
||||
</div>
|
||||
<div class="row fv-row mb-7">
|
||||
<div class="col-md-3 text-md-start">
|
||||
<label class="fs-6 fw-semibold form-label mt-3">
|
||||
<TL>Username</TL>
|
||||
</label>
|
||||
</div>
|
||||
<div class="col-md-9">
|
||||
<input type="text" class="form-control form-control-solid disabled" disabled="disabled" value="@(Username)">
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="modal-footer">
|
||||
<button type="button" class="btn btn-secondary" data-bs-dismiss="modal">
|
||||
<TL>Close</TL>
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
@code
|
||||
{
|
||||
[Parameter]
|
||||
public FileAccess Access { get; set; }
|
||||
|
||||
private string Host = "";
|
||||
private string Username = "";
|
||||
private int Port;
|
||||
|
||||
protected override async Task OnParametersSetAsync()
|
||||
{
|
||||
Uri uri = new Uri(await Access.GetLaunchUrl());
|
||||
|
||||
Host = uri.Host;
|
||||
Port = uri.Port;
|
||||
Username = uri.UserInfo.Split(':')[0];
|
||||
}
|
||||
|
||||
public async Task Show()
|
||||
{
|
||||
await ModalService.Show("connectionDetails");
|
||||
}
|
||||
}
|
||||
@@ -1,10 +1,15 @@
|
||||
@using BlazorMonaco
|
||||
@using Moonlight.App.Services
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Moonlight.App.Services.Sessions
|
||||
@using Moonlight.Shared.Components.Partials
|
||||
|
||||
@inject SmartTranslateService TranslationService
|
||||
@inject KeyListenerService KeyListenerService
|
||||
@inject IJSRuntime JsRuntime
|
||||
|
||||
@implements IDisposable
|
||||
|
||||
<div class="card bg-black rounded">
|
||||
<div class="card-body">
|
||||
<MonacoEditor CssClass="h-100" @ref="Editor" Id="vseditor" ConstructionOptions="(x) => EditorOptions"/>
|
||||
@@ -65,6 +70,16 @@
|
||||
},
|
||||
AutoIndent = true
|
||||
};
|
||||
|
||||
KeyListenerService.KeyPressed += KeyPressed;
|
||||
}
|
||||
|
||||
private async void KeyPressed(object? sender, string e)
|
||||
{
|
||||
if (e == "saveShortcut")
|
||||
{
|
||||
await Submit();
|
||||
}
|
||||
}
|
||||
|
||||
protected override async Task OnAfterRenderAsync(bool firstRender)
|
||||
@@ -111,4 +126,10 @@
|
||||
{
|
||||
return await Editor.GetValue();
|
||||
}
|
||||
|
||||
public void Dispose()
|
||||
{
|
||||
Editor.Dispose();
|
||||
KeyListenerService.KeyPressed -= KeyPressed;
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
@using Moonlight.App.Helpers.Files
|
||||
@using Moonlight.App.Helpers
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.Services
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using BlazorDownloadFile
|
||||
@@ -17,7 +16,7 @@
|
||||
InitialData="@EditorInitialData"
|
||||
Language="@EditorLanguage"
|
||||
OnCancel="() => Cancel()"
|
||||
OnSubmit="(_) => Cancel(true)"
|
||||
OnSubmit="(_) => Save()"
|
||||
HideControls="false">
|
||||
</FileEditor>
|
||||
}
|
||||
@@ -27,7 +26,7 @@ else
|
||||
<div class="card-header border-0 my-2">
|
||||
<div class="card-title">
|
||||
<div class="d-flex flex-stack">
|
||||
<FilePath Access="Access" OnPathChanged="OnComponentStateChanged" />
|
||||
<FilePath Access="Access" OnPathChanged="OnComponentStateChanged"/>
|
||||
</div>
|
||||
</div>
|
||||
<div class="card-toolbar">
|
||||
@@ -35,7 +34,9 @@ else
|
||||
@if (View != null && View.SelectedFiles.Any())
|
||||
{
|
||||
<div class="fw-bold me-5">
|
||||
<span class="me-2">@(View.SelectedFiles.Length) <TL>selected</TL></span>
|
||||
<span class="me-2">
|
||||
@(View.SelectedFiles.Length) <TL>selected</TL>
|
||||
</span>
|
||||
</div>
|
||||
|
||||
<WButton Text="@(SmartTranslateService.Translate("Move"))"
|
||||
@@ -58,37 +59,46 @@ else
|
||||
}
|
||||
else
|
||||
{
|
||||
<button type="button" @onclick="Launch" class="btn btn-light-primary me-3">
|
||||
<span class="svg-icon svg-icon-muted svg-icon-2">
|
||||
<svg width="24" height="24" viewBox="0 0 24 24" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<path opacity="0.3" d="M5 16C3.3 16 2 14.7 2 13C2 11.3 3.3 10 5 10H5.1C5 9.7 5 9.3 5 9C5 6.2 7.2 4 10 4C11.9 4 13.5 5 14.3 6.5C14.8 6.2 15.4 6 16 6C17.7 6 19 7.3 19 9C19 9.4 18.9 9.7 18.8 10C18.9 10 18.9 10 19 10C20.7 10 22 11.3 22 13C22 14.7 20.7 16 19 16H5ZM8 13.6H16L12.7 10.3C12.3 9.89999 11.7 9.89999 11.3 10.3L8 13.6Z" fill="currentColor"/>
|
||||
<path d="M11 13.6V19C11 19.6 11.4 20 12 20C12.6 20 13 19.6 13 19V13.6H11Z" fill="currentColor"/>
|
||||
</svg>
|
||||
</span>
|
||||
<div class="btn-group me-3">
|
||||
<button type="button" @onclick="Launch" class="btn btn-light-primary">
|
||||
<TL>Launch WinSCP</TL>
|
||||
</button>
|
||||
<button type="button" class="btn btn-light-primary dropdown-toggle dropdown-toggle-split" data-bs-toggle="dropdown" aria-expanded="false">
|
||||
<span class="visually-hidden"></span>
|
||||
</button>
|
||||
<ul class="dropdown-menu">
|
||||
<li>
|
||||
<a class="dropdown-item btn" target="_blank" href="https://winscp.net/eng/downloads.php">
|
||||
<TL>Download WinSCP</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li>
|
||||
<button class="dropdown-item btn" @onclick="() => ConnectionDetailsModal.Show()">
|
||||
<TL>Show connection details</TL>
|
||||
</button>
|
||||
</li>
|
||||
</ul>
|
||||
</div>
|
||||
|
||||
<button type="button" @onclick="CreateFile" class="btn btn-light-primary me-3">
|
||||
<span class="svg-icon svg-icon-2">
|
||||
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24">
|
||||
<path fill="currentColor" d="M6 22h12a2 2 0 0 0 2-2V8l-6-6H6a2 2 0 0 0-2 2v16a2 2 0 0 0 2 2zm7-18 5 5h-5V4zM8 14h3v-3h2v3h3v2h-3v3h-2v-3H8v-2z"></path>
|
||||
</svg>
|
||||
</span>
|
||||
<div class="btn-group me-3">
|
||||
<button type="button" class="btn btn-light-primary dropdown-toggle" data-bs-toggle="dropdown" aria-expanded="false">
|
||||
<TL>New</TL>
|
||||
</button>
|
||||
<ul class="dropdown-menu">
|
||||
<li>
|
||||
<button @onclick="CreateFile" class="dropdown-item btn">
|
||||
<TL>New file</TL>
|
||||
</button>
|
||||
|
||||
<button type="button" @onclick="CreateFolder" class="btn btn-light-primary me-3">
|
||||
<span class="svg-icon svg-icon-2">
|
||||
<svg width="24" height="24" viewBox="0 0 24 24" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<path opacity="0.3" d="M10 4H21C21.6 4 22 4.4 22 5V7H10V4Z" fill="currentColor"></path>
|
||||
<path d="M10.4 3.60001L12 6H21C21.6 6 22 6.4 22 7V19C22 19.6 21.6 20 21 20H3C2.4 20 2 19.6 2 19V4C2 3.4 2.4 3 3 3H9.2C9.7 3 10.2 3.20001 10.4 3.60001ZM16 12H13V9C13 8.4 12.6 8 12 8C11.4 8 11 8.4 11 9V12H8C7.4 12 7 12.4 7 13C7 13.6 7.4 14 8 14H11V17C11 17.6 11.4 18 12 18C12.6 18 13 17.6 13 17V14H16C16.6 14 17 13.6 17 13C17 12.4 16.6 12 16 12Z" fill="currentColor"></path>
|
||||
<path opacity="0.3" d="M11 14H8C7.4 14 7 13.6 7 13C7 12.4 7.4 12 8 12H11V14ZM16 12H13V14H16C16.6 14 17 13.6 17 13C17 12.4 16.6 12 16 12Z" fill="currentColor"></path>
|
||||
</svg>
|
||||
</span>
|
||||
</li>
|
||||
<li>
|
||||
<button @onclick="CreateFolder" class="dropdown-item btn">
|
||||
<TL>New folder</TL>
|
||||
</button>
|
||||
</li>
|
||||
</ul>
|
||||
</div>
|
||||
|
||||
<FileUpload Access="Access" OnUploadComplete="OnComponentStateChanged" />
|
||||
<FileUpload Access="Access" OnUploadComplete="OnComponentStateChanged"/>
|
||||
}
|
||||
</div>
|
||||
</div>
|
||||
@@ -111,6 +121,8 @@ else
|
||||
Access="MoveAccess"
|
||||
OnSubmit="OnFileMoveSubmit">
|
||||
</FileSelectModal>
|
||||
|
||||
<ConnectionDetailsModal @ref="ConnectionDetailsModal" Access="Access"/>
|
||||
}
|
||||
|
||||
@code
|
||||
@@ -136,6 +148,9 @@ else
|
||||
// Config
|
||||
private ContextAction[] Actions = Array.Empty<ContextAction>();
|
||||
|
||||
// Connection details
|
||||
private ConnectionDetailsModal ConnectionDetailsModal;
|
||||
|
||||
protected override void OnInitialized()
|
||||
{
|
||||
MoveAccess = (FileAccess)Access.Clone();
|
||||
@@ -163,7 +178,7 @@ else
|
||||
}
|
||||
});
|
||||
|
||||
actions.Add(new ()
|
||||
actions.Add(new()
|
||||
{
|
||||
Id = "download",
|
||||
Name = "Download",
|
||||
@@ -201,7 +216,7 @@ else
|
||||
}
|
||||
});
|
||||
|
||||
actions.Add(new ()
|
||||
actions.Add(new()
|
||||
{
|
||||
Id = "decompress",
|
||||
Name = "Decompress",
|
||||
@@ -255,6 +270,13 @@ else
|
||||
return false;
|
||||
}
|
||||
|
||||
private async void Save()
|
||||
{
|
||||
var data = await Editor.GetData();
|
||||
await Access.Write(EditingFile, data);
|
||||
await ToastService.Success(SmartTranslateService.Translate("Successfully saved file"));
|
||||
}
|
||||
|
||||
private async void Cancel(bool save = false)
|
||||
{
|
||||
if (save)
|
||||
@@ -299,7 +321,7 @@ else
|
||||
if (string.IsNullOrEmpty(name))
|
||||
return;
|
||||
|
||||
await Access.Write(new FileData{IsFile = true, Name = name}, "");
|
||||
await Access.Write(new FileData { IsFile = true, Name = name }, "");
|
||||
await View!.Refresh();
|
||||
}
|
||||
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
@using Moonlight.App.Helpers.Files
|
||||
@using Logging.Net
|
||||
|
||||
<div class="badge badge-lg badge-light-primary">
|
||||
<div class="d-flex align-items-center flex-wrap">
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
@using Moonlight.App.Helpers.Files
|
||||
@using Moonlight.App.Services
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Logging.Net
|
||||
@using Moonlight.App.Helpers
|
||||
|
||||
@inject ToastService ToastService
|
||||
@inject SmartTranslateService SmartTranslateService
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
@using Moonlight.App.Helpers.Files
|
||||
@using Logging.Net
|
||||
@using BlazorContextMenu
|
||||
@using Moonlight.App.Helpers
|
||||
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
@typeparam T
|
||||
@using Logging.Net
|
||||
@inherits InputBase<T>
|
||||
|
||||
<div class="dropdown w-100">
|
||||
|
||||
@@ -1,7 +1,6 @@
|
||||
@using Moonlight.App.Helpers.Files
|
||||
@using Moonlight.App.Services
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Logging.Net
|
||||
|
||||
@inject ToastService ToastService
|
||||
@inject SmartTranslateService SmartTranslateService
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
@using Moonlight.App.Services.Interop
|
||||
@using Logging.Net
|
||||
|
||||
@inject ReCaptchaService ReCaptchaService
|
||||
|
||||
|
||||
@@ -2,6 +2,7 @@
|
||||
{
|
||||
<button class="btn @(CssClasses)" @onclick="Do">
|
||||
@Text
|
||||
@ChildContent
|
||||
</button>
|
||||
}
|
||||
else
|
||||
@@ -20,14 +21,17 @@ else
|
||||
public string CssClasses { get; set; } = "btn-primary";
|
||||
|
||||
[Parameter]
|
||||
public string Text { get; set; } = "Mache was";
|
||||
public string Text { get; set; } = "";
|
||||
|
||||
[Parameter]
|
||||
public string WorkingText { get; set; } = "Verarbeite...";
|
||||
public string WorkingText { get; set; } = "";
|
||||
|
||||
[Parameter]
|
||||
public Func<Task>? OnClick { get; set; }
|
||||
|
||||
[Parameter]
|
||||
public RenderFragment ChildContent { get; set; }
|
||||
|
||||
private async Task Do()
|
||||
{
|
||||
Working = true;
|
||||
|
||||
@@ -0,0 +1,51 @@
|
||||
@using Moonlight.App.Database.Entities
|
||||
<div class="card mb-5 mb-xl-10">
|
||||
<div class="card-body pt-0 pb-0">
|
||||
<ul class="nav nav-stretch nav-line-tabs nav-line-tabs-2x border-transparent fs-5 fw-bold">
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 0 ? "active" : "")" href="/admin/servers/view/@(Server.Id)">
|
||||
<TL>Overview</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 1 ? "active" : "")" href="/admin/servers/view/@(Server.Id)/image">
|
||||
<TL>Image</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 2 ? "active" : "")" href="/admin/servers/view/@(Server.Id)/resources">
|
||||
<TL>Resources</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 3 ? "active" : "")" href="/admin/servers/view/@(Server.Id)/allocations">
|
||||
<TL>Allocations</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 4 ? "active" : "")" href="/admin/servers/view/@(Server.Id)/archive">
|
||||
<TL>Archive</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 5 ? "active" : "")" href="/admin/servers/view/@(Server.Id)/debug">
|
||||
<TL>Debug</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 6 ? "active" : "")" href="/admin/servers/view/@(Server.Id)/delete">
|
||||
<TL>Delete</TL>
|
||||
</a>
|
||||
</li>
|
||||
</ul>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
@code
|
||||
{
|
||||
[Parameter]
|
||||
public int Index { get; set; }
|
||||
|
||||
[Parameter]
|
||||
public Server Server { get; set; }
|
||||
}
|
||||
@@ -15,8 +15,8 @@
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 2 ? "active" : "")" href="/admin/system/auditlog">
|
||||
<TL>AuditLog</TL>
|
||||
<a class="nav-link text-active-primary ms-0 me-10 py-5 @(Index == 2 ? "active" : "")" href="/admin/system/malware">
|
||||
<TL>Malware</TL>
|
||||
</a>
|
||||
</li>
|
||||
<li class="nav-item mt-2">
|
||||
|
||||
@@ -8,7 +8,7 @@
|
||||
<div class="d-flex justify-content-between align-items-start flex-wrap mb-2">
|
||||
<div class="d-flex flex-column">
|
||||
<div class="d-flex align-items-center mb-2">
|
||||
<a class="text-gray-900 fs-2 fw-bold me-1">@(User.FirstName) @(User.LastName)</a>
|
||||
<a class="text-gray-900 fs-2 fw-bold me-1 @(User.StreamerMode ? "blur" : "")">@(User.FirstName) @(User.LastName)</a>
|
||||
|
||||
@if (User.Status == UserStatus.Verified)
|
||||
{
|
||||
@@ -16,7 +16,7 @@
|
||||
}
|
||||
</div>
|
||||
<div class="d-flex flex-wrap fw-semibold fs-6 mb-4 pe-2">
|
||||
<span class="d-flex align-items-center text-gray-400 mb-2">
|
||||
<span class="d-flex align-items-center text-gray-400 mb-2 @(User.StreamerMode ? "blur" : "")">
|
||||
@(User.Email)
|
||||
</span>
|
||||
</div>
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user