我正在生成一个从/到坐标点的列表,以及这些点之间的距离/时间。
举例说明:最终产品的标题如下所示

writer.WriteLine("fromX" + ";" + "fromY" + ";" + "toX" + ";" + "toY" + ";" + "distance" + ";" + "time");


点到点的计算过程如下:

A -> A
A -> B
A -> C
..
B -> A
B -> B
B -> C


等等

距离和时间是按计算得出的,位于单独的文件中。但是,此文件中的每一行都包含相同起点和每个端点之间的距离/时间,因此例如:

0;0;11289;950;9732;899;9886;725;32893;2195;38010;2478;46188;3330;


目标是在最终产品中具有以下符号:

point A;point A;0;0
point A;point B;11289;950
point A;point C;9732;899


等等

如您所见,我需要在每个第二个值处分割距离+时间线。

目前,我有以下代码:

    List<string> locationsList = new List<string>();
    using (var reader = new StreamReader(File.OpenRead("locations.csv")))
    {
        while (reader.Peek() != -1)
            locationsList.Add(reader.ReadLine());
    }

    List<string> distanceTime = new List<string>();
    using (var reader = new StreamReader(File.OpenRead("distance.csv")))
    {
        while (reader.Peek() != -1)
            distanceTime.Add(reader.ReadLine());
    }


    using (var writer = new System.IO.StreamWriter("Output.csv"))
    {
        writer.WriteLine("fromX" + ";" + "fromY" + ";" + "toX" + ";" + "toY" + "distance" + ";" + "time")

        foreach (var fromLine in locationsList)
        {
            splitFrom = fromLine.Split(';');

            fromX = splitFrom[0].Trim();
            fromY = splitFrom[1].Trim();

            foreach (var toLine in locationsList)
            {
                splitTo = toLine.Split(';');

                toX = splitTo[0].Trim();
                toY = splitTo[1].Trim();

                writer.WriteLine(fromX + ";" + fromY + ";" + toX + ";" + toY);
            }

        }

        MessageBox.Show("Done");
    }


可能必须使用foreach循环来扩展它,该循环从distanceTime-list读取一行,将其拆分,获取每个前两个值,并将它们与起点和终点一起写入。
问题是我不知道如何在第二个值后进行分割。
你有什么建议吗?

最佳答案

您实际上不需要每一秒钟都用';'分割,只需要一个稍微不同的for循环即可:

using System;

class Program {
    static void Main(string[] args) {
        string line = "0;0;11289;950;9732;899;9886;725;32893;2195;38010;2478;46188;3330;";
        string[] values = line.Split(';');
        char pointName = 'A';
        for (int i = 0; i < values.Length - 1; i += 2) {
            string endProductLine = string.Format("point A;point {0};{1};{2}", pointName, values[i], values[i + 1]);
            Console.WriteLine(endProductLine);
            pointName++;
        }
    }
}

关于c# - C#,在2之后分割;在同一行中,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30103100/

10-13 09:45