using System;
using System.Collections.Generic;
namespace ProtectionScan
{
///
/// Set of options for the test executable
///
internal sealed class Options
{
#region Properties
///
/// Enable debug output for relevant operations
///
public bool Debug { get; private set; } = false;
///
/// Set of input paths to use for operations
///
public List InputPaths { get; private set; } = [];
///
/// Scan archives during protection scanning
///
public bool ScanArchives { get; private set; } = true;
///
/// Scan file contents during protection scanning
///
public bool ScanContents { get; private set; } = true;
///
/// Scan file paths during protection scanning
///
public bool ScanPaths { get; private set; } = true;
///
/// Scan subdirectories during protection scanning
///
public bool ScanSubdirectories { get; set; } = true;
#endregion
///
/// Parse commandline arguments into an Options object
///
public static Options? ParseOptions(string[] args)
{
// If we have invalid arguments
if (args == null || args.Length == 0)
return null;
// Create an Options object
var options = new Options();
// Parse the options and paths
for (int index = 0; index < args.Length; index++)
{
string arg = args[index];
switch (arg)
{
case "-?":
case "-h":
case "--help":
return null;
case "-d":
case "--debug":
options.Debug = true;
break;
case "-na":
case "--no-archives":
options.ScanArchives = false;
break;
case "-nc":
case "--no-contents":
options.ScanContents = false;
break;
case "-np":
case "--no-paths":
options.ScanPaths = false;
break;
case "-ns":
case "--no-subdirs":
options.ScanSubdirectories = false;
break;
default:
options.InputPaths.Add(arg);
break;
}
}
// Validate we have any input paths to work on
if (options.InputPaths.Count == 0)
{
Console.WriteLine("At least one path is required!");
return null;
}
return options;
}
///
/// Display a basic help text
///
public static void DisplayHelp()
{
Console.WriteLine("Protection Scanner");
Console.WriteLine();
Console.WriteLine("ProtectionScan ...");
Console.WriteLine();
Console.WriteLine("Options:");
Console.WriteLine("-?, -h, --help Display this help text and quit");
Console.WriteLine("-d, --debug Enable debug mode");
Console.WriteLine("-nc, --no-contents Disable scanning for content checks");
Console.WriteLine("-na, --no-archives Disable scanning archives");
Console.WriteLine("-np, --no-paths Disable scanning for path checks");
Console.WriteLine("-ns, --no-subdirs Disable scanning subdirectories");
}
}
}