我正在制作一个控制3D打印机的小程序。当我发送一些东西时,它通常以ok
响应,但如果某些东西不合适,它会发送如下内容:
T:221.0 /220.0 @:0 W:1
如果它有适当的分隔符,我可以很容易地解析它,但由于字符串221.0 /220.0
,使用空格是不可靠的。因此,如果我使用空格作为分隔符,/220.0
可以被视为键值对,但没有键,因为它位于T
下。我计划获取每个冒号的索引,并在它后面简单地开始1个字符,但密钥长度也是可变的。例如:
T:221.0 /220.0 B@:127 @:0 W:1
B@
现在有两个字符。
我做了一些研究,但我找到的所有内容都有URL with data等正确的分隔符。
http://www.niederschlagsradar.de/images.aspx?jaar=-6&type=europa.cld&datum=201311161500&cultuur=en-GB&continent=europa
我计划得到每个冒号的索引,然后在找到一个冒号作为起点时向后搜索一个空格。同样,下一个键值对的起点将作为前一个键的一个结尾。但是,我不确定这是否是正确的方法。
主要问题: 如何在没有正确分隔符的情况下解析字符串?我没有特定的要求。无论是数组还是列表,键和值的单独变量或只是将所有内容都推送到数组中,以便
string[] data = {key1,value1,key2,value2,key3,value3};
更新:以下是第二个示例中的键值对:
Key:Value
T:221.0 /220.0
B@:127
@:0
W:1
更多样本:
T:221.0 /220.0 B:85.7 /120 B@:30W @:0 W:8
Key:Value
T:221.0 /220.0
B:85.7 /120
B@:30W
@:0
W:8
这是另一个更复杂的问题:
T:171.4 /220.0 B:90.3 /120 T1:171.4 /220.0 B@:30 @:12W W:6
Key:Value
T:171.4 /220.0 // Temperature of first nozzle heater
B:90.3 /120 // Temperature of the hot plate it's printing on
T1:171.4 /220.0 // Temperature of the second nozzle heater if it exists
B@:30 // Raw power consumption of hotbed (unit depends on config)
@:12W // Power of of nozzle in Watts (unit depends on config)
W:6 // Waiting time (in seconds). If the optimal conditions are met and this counts down to zero, printing resumes. Else, reset to 10.
示例字符串开头的空格是有意的。它确实以空间开头。对于那些感兴趣的人,这些是运行Marlin 3D打印固件的Arduino Mega的回复。这些是当打印机加热器不够热而不能挤出时的回复。
答案 0 :(得分:1)
From each colon position found,
search backwards until a whitespace character is found
search forward until a whitespace character is found
我不会将下一个键值对的起点与前一个结束点相关联,因为键值对之间可能存在多个空格。我只会从冒号位置开始确定键和值。
答案 1 :(得分:1)
我会遵循这个逻辑:
代码:
private List<KeyValuePair<string, string>> ParsePrinterResponse(string rawResponse)
{
List<KeyValuePair<string, string>> pairs = new List<KeyValuePair<string, string>>();
string[] colonItems = rawResponse.Trim().Split(new char[] { ':' }, StringSplitOptions.RemoveEmptyEntries);
if (colonItems.Length > 1)
{
string currentKey = colonItems[0], currentValue = "";
for (int i = 1; i < colonItems.Length; i++)
{
string currentItem = colonItems[i];
int spaceIndex = currentItem.LastIndexOf(" ");
if (spaceIndex < 0)
{
//end of string, whole item is the value
currentValue = currentItem;
}
else
{
//middle of string, left part is value, right part is next key
currentValue = currentItem.Substring(0, spaceIndex);
}
pairs.Add(new KeyValuePair<string, string>(currentKey, currentValue));
currentKey = currentItem.Substring(spaceIndex + 1);
}
}
return pairs;
}
使用示例:
errorBox.Lines = ParsePrinterResponse("T:171.4 /220.0 B:90.3 /120 T1:171.4 /220.0 B@:30 @:12W W:6").ConvertAll(p =>
{
return string.Format("{0}:{1}", p.Key, p.Value);
}).ToArray();