aboutsummaryrefslogtreecommitdiff
path: root/Minecraft.Server/Console/ServerCliParser.cpp
blob: 5888153fa058084a5c303fb39ddea0519b5796cf (plain)
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
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
#include "stdafx.h"

#include "ServerCliParser.h"

namespace ServerRuntime
{
	static void TokenizeLine(const std::string &line, std::vector<std::string> *tokens, bool *trailingSpace)
	{
		std::string current;
		bool inQuotes = false;
		bool escaped = false;

		tokens->clear();
		*trailingSpace = false;

		for (size_t i = 0; i < line.size(); ++i)
		{
			char ch = line[i];
			if (escaped)
			{
				// Keep escaped character literally (e.g. \" or \ ).
				current.push_back(ch);
				escaped = false;
				continue;
			}

			if (ch == '\\')
			{
				escaped = true;
				continue;
			}

			if (ch == '"')
			{
				// Double quotes group spaces into one token.
				inQuotes = !inQuotes;
				continue;
			}

			if (!inQuotes && (ch == ' ' || ch == '\t'))
			{
				if (!current.empty())
				{
					tokens->push_back(current);
					current.clear();
				}
				continue;
			}

			current.push_back(ch);
		}

		if (!current.empty())
		{
			tokens->push_back(current);
		}

		if (!line.empty())
		{
			char tail = line[line.size() - 1];
			// Trailing space means completion targets the next token slot.
			*trailingSpace = (!inQuotes && (tail == ' ' || tail == '\t'));
		}
	}

	ServerCliParsedLine ServerCliParser::Parse(const std::string &line)
	{
		ServerCliParsedLine parsed;
		parsed.raw = line;
		TokenizeLine(line, &parsed.tokens, &parsed.trailingSpace);
		return parsed;
	}

	ServerCliCompletionContext ServerCliParser::BuildCompletionContext(const std::string &line)
	{
		ServerCliCompletionContext context;
		context.parsed = Parse(line);

		if (context.parsed.tokens.empty())
		{
			context.currentTokenIndex = 0;
			context.prefix.clear();
			context.linePrefix.clear();
			return context;
		}

		if (context.parsed.trailingSpace)
		{
			// Cursor is after a separator, so complete a new token.
			context.currentTokenIndex = context.parsed.tokens.size();
			context.prefix.clear();
		}
		else
		{
			// Cursor is inside current token, so complete by its prefix.
			context.currentTokenIndex = context.parsed.tokens.size() - 1;
			context.prefix = context.parsed.tokens.back();
		}

		for (size_t i = 0; i < context.currentTokenIndex; ++i)
		{
			// linePrefix is the immutable left side reused by completion output.
			if (!context.linePrefix.empty())
			{
				context.linePrefix.push_back(' ');
			}
			context.linePrefix += context.parsed.tokens[i];
		}
		if (!context.linePrefix.empty())
		{
			context.linePrefix.push_back(' ');
		}

		return context;
	}
}