-
Notifications
You must be signed in to change notification settings - Fork 291
/
Copy pathDefaultWindowsCommandLineParser.cs
79 lines (78 loc) · 3.06 KB
/
DefaultWindowsCommandLineParser.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
using System.Collections.Generic;
using System.Text;
namespace CommandLine.StringToCommandLine
{
/// <summary>
/// Parse commandlines like CommandLineToArgvW:
/// * 2n backslashes followed by a quotation mark produce n backslashes followed by a quotation mark.
/// * (2n) + 1 backslashes followed by a quotation mark again produce n backslashes followed by a quotation mark.
/// * n backslashes not followed by a quotation mark simply produce n backslashes.
/// * Unterminated quoted strings at the end of the line ignores the missing quote.
/// </summary>
public class DefaultWindowsCommandLineParser : StringToCommandLineParserBase
{
public override IEnumerable<string> Parse(string commandLine)
{
if (string.IsNullOrWhiteSpace(commandLine))
yield break;
var currentArg = new StringBuilder();
var quoting = false;
var emptyIsAnArgument = false;
var lastC = '\0';
// Iterate all characters from the input string
foreach (var c in commandLine)
{
if (c == '"')
{
var nrbackslash = 0;
for (var i = currentArg.Length - 1; i >= 0; i--)
{
if (currentArg[i] != '\\') break;
nrbackslash++;
}
//* 2n backslashes followed by a quotation mark produce n backslashes followed by a quotation mark.
//also cover nrbackslack == 0
if (nrbackslash%2 == 0)
{
if (nrbackslash > 0)
currentArg.Length = currentArg.Length - nrbackslash/2;
// Toggle quoted range
quoting = !quoting;
emptyIsAnArgument = true;
if (quoting && lastC == '"')
{
// Doubled quote within a quoted range is like escaping
currentArg.Append(c);
lastC = '\0'; //prevent double quoting
continue;
}
}
else
{
// * (2n) + 1 backslashes followed by a quotation mark again produce n backslashes followed by a quotation mark.
currentArg.Length = currentArg.Length - nrbackslash/2 - 1;
currentArg.Append(c);
}
}
else if (!quoting && char.IsWhiteSpace(c))
{
// Accept empty arguments only if they are quoted
if (currentArg.Length > 0 || emptyIsAnArgument)
yield return currentArg.ToString();
// Reset for next argument
currentArg.Clear();
emptyIsAnArgument = false;
}
else
{
// Copy character from input, no special meaning
currentArg.Append(c);
}
lastC = c;
}
// Save last argument
if (currentArg.Length > 0 || emptyIsAnArgument)
yield return currentArg.ToString();
}
}
}