mirror of
https://git.teknik.io/Teknikode/Teknik.git
synced 2023-08-02 14:16:22 +02:00
Added service worker for handling routine tasks outside the scope of the main site.
This commit is contained in:
parent
80f14fd1f1
commit
933fb9d4cd
3
.gitignore
vendored
3
.gitignore
vendored
@ -265,4 +265,5 @@ __pycache__/
|
||||
/Teknik/App_Data/version.json
|
||||
|
||||
**/appsettings.*.json
|
||||
**/tempkey.rsa
|
||||
**/tempkey.rsa
|
||||
/ServiceWorker/Properties/launchSettings.json
|
||||
|
23
ServiceWorker/ArgumentOptions.cs
Normal file
23
ServiceWorker/ArgumentOptions.cs
Normal file
@ -0,0 +1,23 @@
|
||||
using CommandLine;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
|
||||
namespace ServiceWorker
|
||||
{
|
||||
public class ArgumentOptions
|
||||
{
|
||||
[Option('a', "all", Default = false, Required = false, HelpText = "Run All Processes")]
|
||||
public bool RunAll { get; set; }
|
||||
|
||||
[Option('c', "config", Required = false, HelpText = "The path to the teknik config file")]
|
||||
public string Config { get; set; }
|
||||
|
||||
[Option('s', "scan", Default = false, Required = false, HelpText = "Scan all uploads for viruses")]
|
||||
public bool ScanUploads { get; set; }
|
||||
|
||||
// Omitting long name, default --verbose
|
||||
[Option(HelpText = "Prints all messages to standard output.")]
|
||||
public bool Verbose { get; set; }
|
||||
}
|
||||
}
|
213
ServiceWorker/Program.cs
Normal file
213
ServiceWorker/Program.cs
Normal file
@ -0,0 +1,213 @@
|
||||
using CommandLine;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using nClam;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.IO;
|
||||
using System.Linq;
|
||||
using System.Reflection;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using Teknik.Areas.Stats.Models;
|
||||
using Teknik.Areas.Upload.Models;
|
||||
using Teknik.Areas.Users.Models;
|
||||
using Teknik.Areas.Users.Utility;
|
||||
using Teknik.Configuration;
|
||||
using Teknik.Data;
|
||||
using Teknik.Utilities;
|
||||
using Teknik.Utilities.Cryptography;
|
||||
|
||||
namespace ServiceWorker
|
||||
{
|
||||
public class Program
|
||||
{
|
||||
private static string currentPath = Path.GetDirectoryName(Assembly.GetEntryAssembly().Location);
|
||||
private static string virusFile = Path.Combine(currentPath, "virusLogs.txt");
|
||||
private static string errorFile = Path.Combine(currentPath, "errorLogs.txt");
|
||||
private static string configPath = currentPath;
|
||||
|
||||
private const string TAKEDOWN_REPORTER = "Teknik Automated System";
|
||||
|
||||
private static readonly object dbLock = new object();
|
||||
private static readonly object scanStatsLock = new object();
|
||||
|
||||
public static event Action<string> OutputEvent;
|
||||
|
||||
public static int Main(string[] args)
|
||||
{
|
||||
try
|
||||
{
|
||||
Parser.Default.ParseArguments<ArgumentOptions>(args).WithParsed(options =>
|
||||
{
|
||||
if (!string.IsNullOrEmpty(options.Config))
|
||||
configPath = options.Config;
|
||||
|
||||
if (Directory.Exists(configPath))
|
||||
{
|
||||
Config config = Config.Load(configPath);
|
||||
Output(string.Format("[{0}] Started Server Maintenance Process.", DateTime.Now));
|
||||
|
||||
var optionsBuilder = new DbContextOptionsBuilder<TeknikEntities>();
|
||||
optionsBuilder.UseSqlServer("Data Source=blog.db");
|
||||
|
||||
using (TeknikEntities db = new TeknikEntities(optionsBuilder.Options))
|
||||
{
|
||||
// Scan all the uploads for viruses, and remove the bad ones
|
||||
if (options.ScanUploads && config.UploadConfig.VirusScanEnable)
|
||||
{
|
||||
ScanUploads(config, db);
|
||||
}
|
||||
}
|
||||
|
||||
Output(string.Format("[{0}] Finished Server Maintenance Process.", DateTime.Now));
|
||||
}
|
||||
else
|
||||
{
|
||||
string msg = string.Format("[{0}] Config File does not exist.", DateTime.Now);
|
||||
File.AppendAllLines(errorFile, new List<string> { msg });
|
||||
Output(msg);
|
||||
}
|
||||
});
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
string msg = string.Format("[{0}] Exception: {1}", DateTime.Now, ex.GetFullMessage(true));
|
||||
File.AppendAllLines(errorFile, new List<string> { msg });
|
||||
Output(msg);
|
||||
}
|
||||
return -1;
|
||||
}
|
||||
|
||||
public static void ScanUploads(Config config, TeknikEntities db)
|
||||
{
|
||||
Output(string.Format("[{0}] Started Virus Scan.", DateTime.Now));
|
||||
List<Upload> uploads = db.Uploads.ToList();
|
||||
|
||||
int totalCount = uploads.Count();
|
||||
int totalScans = 0;
|
||||
int totalViruses = 0;
|
||||
List<Task> runningTasks = new List<Task>();
|
||||
foreach (Upload upload in uploads)
|
||||
{
|
||||
int currentScan = totalScans++;
|
||||
Task scanTask = Task.Factory.StartNew(async () =>
|
||||
{
|
||||
var virusDetected = await ScanUpload(config, db, upload, totalCount, currentScan);
|
||||
if (virusDetected)
|
||||
totalViruses++;
|
||||
});
|
||||
if (scanTask != null)
|
||||
{
|
||||
runningTasks.Add(scanTask);
|
||||
}
|
||||
}
|
||||
bool running = true;
|
||||
|
||||
while (running)
|
||||
{
|
||||
running = runningTasks.Exists(s => s != null && !s.IsCompleted && !s.IsCanceled && !s.IsFaulted);
|
||||
}
|
||||
|
||||
Output(string.Format("Scanning Complete. {0} Scanned | {1} Viruses Found | {2} Total Files", totalScans, totalViruses, totalCount));
|
||||
}
|
||||
|
||||
private static async Task<bool> ScanUpload(Config config, TeknikEntities db, Upload upload, int totalCount, int currentCount)
|
||||
{
|
||||
bool virusDetected = false;
|
||||
string subDir = upload.FileName[0].ToString();
|
||||
string filePath = Path.Combine(config.UploadConfig.UploadDirectory, subDir, upload.FileName);
|
||||
if (File.Exists(filePath))
|
||||
{
|
||||
// If the IV is set, and Key is set, then scan it
|
||||
if (!string.IsNullOrEmpty(upload.Key) && !string.IsNullOrEmpty(upload.IV))
|
||||
{
|
||||
byte[] keyBytes = Encoding.UTF8.GetBytes(upload.Key);
|
||||
byte[] ivBytes = Encoding.UTF8.GetBytes(upload.IV);
|
||||
|
||||
|
||||
long maxUploadSize = config.UploadConfig.MaxUploadSize;
|
||||
if (upload.User != null)
|
||||
{
|
||||
maxUploadSize = config.UploadConfig.MaxUploadSizeBasic;
|
||||
IdentityUserInfo userInfo = await IdentityHelper.GetIdentityUserInfo(config, upload.User.Username);
|
||||
if (userInfo.AccountType == AccountType.Premium)
|
||||
{
|
||||
maxUploadSize = config.UploadConfig.MaxUploadSizePremium;
|
||||
}
|
||||
}
|
||||
|
||||
using (FileStream fs = new FileStream(filePath, FileMode.Open, FileAccess.Read))
|
||||
using (AesCounterStream aesStream = new AesCounterStream(fs, false, keyBytes, ivBytes))
|
||||
{
|
||||
ClamClient clam = new ClamClient(config.UploadConfig.ClamServer, config.UploadConfig.ClamPort);
|
||||
clam.MaxStreamSize = maxUploadSize;
|
||||
ClamScanResult scanResult = await clam.SendAndScanFileAsync(fs);
|
||||
|
||||
switch (scanResult.Result)
|
||||
{
|
||||
case ClamScanResults.Clean:
|
||||
string cleanMsg = string.Format("[{0}] Clean Scan: {1}/{2} Scanned | {3} - {4}", DateTime.Now, currentCount, totalCount, upload.Url, upload.FileName);
|
||||
Output(cleanMsg);
|
||||
break;
|
||||
case ClamScanResults.VirusDetected:
|
||||
string msg = string.Format("[{0}] Virus Detected: {1} - {2} - {3}", DateTime.Now, upload.Url, upload.FileName, scanResult.InfectedFiles.First().VirusName);
|
||||
Output(msg);
|
||||
lock (scanStatsLock)
|
||||
{
|
||||
virusDetected = true;
|
||||
File.AppendAllLines(virusFile, new List<string> { msg });
|
||||
}
|
||||
|
||||
lock (dbLock)
|
||||
{
|
||||
string urlName = upload.Url;
|
||||
// Delete from the DB
|
||||
db.Uploads.Remove(upload);
|
||||
|
||||
// Delete the File
|
||||
if (File.Exists(filePath))
|
||||
{
|
||||
File.Delete(filePath);
|
||||
}
|
||||
|
||||
// Add to transparency report if any were found
|
||||
Takedown report = new Takedown();
|
||||
report.Requester = TAKEDOWN_REPORTER;
|
||||
report.RequesterContact = config.SupportEmail;
|
||||
report.DateRequested = DateTime.Now;
|
||||
report.Reason = "Malware Found";
|
||||
report.ActionTaken = string.Format("Upload removed: {0}", urlName);
|
||||
report.DateActionTaken = DateTime.Now;
|
||||
db.Takedowns.Add(report);
|
||||
|
||||
// Save Changes
|
||||
db.SaveChanges();
|
||||
}
|
||||
break;
|
||||
case ClamScanResults.Error:
|
||||
string errorMsg = string.Format("[{0}] Scan Error: {1}", DateTime.Now, scanResult.RawResult);
|
||||
File.AppendAllLines(errorFile, new List<string> { errorMsg });
|
||||
Output(errorMsg);
|
||||
break;
|
||||
case ClamScanResults.Unknown:
|
||||
string unkMsg = string.Format("[{0}] Unknown Scan Result: {1}", DateTime.Now, scanResult.RawResult);
|
||||
File.AppendAllLines(errorFile, new List<string> { unkMsg });
|
||||
Output(unkMsg);
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
return virusDetected;
|
||||
}
|
||||
|
||||
public static void Output(string message)
|
||||
{
|
||||
Console.WriteLine(message);
|
||||
if (OutputEvent != null)
|
||||
{
|
||||
OutputEvent(message);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
18
ServiceWorker/ServiceWorker.csproj
Normal file
18
ServiceWorker/ServiceWorker.csproj
Normal file
@ -0,0 +1,18 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>netcoreapp2.1</TargetFramework>
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="CommandLineParser.NS20" Version="2.3.1" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<ProjectReference Include="..\Configuration\Configuration.csproj" />
|
||||
<ProjectReference Include="..\Teknik\Teknik.csproj" />
|
||||
<ProjectReference Include="..\Utilities\Utilities.csproj" />
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
@ -26,6 +26,8 @@ Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "MailService", "MailService\
|
||||
EndProject
|
||||
Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "GitService", "GitService\GitService.csproj", "{014879B1-DDD5-4F8C-9597-6D7960912CF0}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "ServiceWorker", "ServiceWorker\ServiceWorker.csproj", "{0B712243-994C-4AC3-893C-B86B59F63F53}"
|
||||
EndProject
|
||||
Global
|
||||
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
||||
Debug|Any CPU = Debug|Any CPU
|
||||
@ -75,6 +77,12 @@ Global
|
||||
{014879B1-DDD5-4F8C-9597-6D7960912CF0}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{014879B1-DDD5-4F8C-9597-6D7960912CF0}.Test|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{014879B1-DDD5-4F8C-9597-6D7960912CF0}.Test|Any CPU.Build.0 = Release|Any CPU
|
||||
{0B712243-994C-4AC3-893C-B86B59F63F53}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{0B712243-994C-4AC3-893C-B86B59F63F53}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{0B712243-994C-4AC3-893C-B86B59F63F53}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{0B712243-994C-4AC3-893C-B86B59F63F53}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{0B712243-994C-4AC3-893C-B86B59F63F53}.Test|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{0B712243-994C-4AC3-893C-B86B59F63F53}.Test|Any CPU.Build.0 = Debug|Any CPU
|
||||
EndGlobalSection
|
||||
GlobalSection(SolutionProperties) = preSolution
|
||||
HideSolutionNode = FALSE
|
||||
|
@ -37,11 +37,6 @@ namespace Teknik.Controllers
|
||||
protected readonly Config _config;
|
||||
protected readonly TeknikEntities _dbContext;
|
||||
|
||||
//protected virtual new TeknikPrincipal User
|
||||
//{
|
||||
// get { return HttpContext.User as TeknikPrincipal; }
|
||||
//}
|
||||
|
||||
public DefaultController(ILogger<Logger> logger, Config config, TeknikEntities dbContext)
|
||||
{
|
||||
_logger = logger;
|
||||
|
@ -1,11 +0,0 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Teknik.Data
|
||||
{
|
||||
public static class DbInitializer
|
||||
{
|
||||
}
|
||||
}
|
@ -237,6 +237,9 @@ namespace Teknik
|
||||
// Create and Migrate the database
|
||||
dbContext.Database.Migrate();
|
||||
|
||||
// Run the overall migration calls
|
||||
TeknikMigration.RunMigration();
|
||||
|
||||
// Initiate Logging
|
||||
loggerFactory.AddLogger(config);
|
||||
|
||||
|
19
Teknik/TeknikMigration.cs
Normal file
19
Teknik/TeknikMigration.cs
Normal file
@ -0,0 +1,19 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Teknik
|
||||
{
|
||||
public static class TeknikMigration
|
||||
{
|
||||
public static bool RunMigration()
|
||||
{
|
||||
bool success = false;
|
||||
|
||||
// Transfer User security info to
|
||||
|
||||
return success;
|
||||
}
|
||||
}
|
||||
}
|
Loading…
Reference in New Issue
Block a user