1

我有这个字符串MIL_A_OP=LI_AND=SSB12=JL45==DO=90==IT=KR002112 ,我需要根据第一个 "="将其拆分为 2

所以我需要它来获得:

第一个字符串:MIL_A_OP

第二个字符串:LI_AND=SSB12=JL45==DO=90==IT

下面的代码是我所拥有的,但它给了我 MIL_A_OP 和 LI_AND,我想念其余的

try
{
    StreamReader file1 = new StreamReader(args[0]);
    string line1;
    while ((line1 = file1.ReadLine()) != null)
    {
        if (line1 != null && line1.Trim().Length > 0)//if line is not empty
        {
            int position_1 = line1.IndexOf('=');
            string s_position_1 = line1.Substring(position_1, 1);
            char[] c_position_1 = s_position_1.ToCharArray(0,1);
            string[] line_split1 = line1.Split(c_position_1[0]);
            Foo.f1.Add(line_split1[0], line_split1[1]);
        }
    }
    file1.Close();
}
catch (Exception e)
{
    Console.WriteLine("File " + args[0] + " could not be read");
    Console.WriteLine(e.Message);
}
4

3 回答 3

6

您希望允许您指定要返回的最大元素数的 Split() 方法的重载。试试这个:

string[] line_split1 = line1.Split( new char[]{'='}, 2 );

文档在这里

更新了 Matthew 的反馈。

于 2012-04-16T16:46:05.230 回答
5

尝试以下

string all = "MIL_A_OP=LI_AND=SSB12=JL45==DO=90==IT=KR002112";
int index = all.IndexOf('=');
if (index < 0) {
  throw new Exception("Bad data");
}
var first = all.Substring(0, index);
var second = all.Substring(index + 1, all.Length - (index + 1));
于 2012-04-16T16:46:05.773 回答
2

如果您的行始终包含 = 字符,则以下内容应该有效

string[] line_split1 = line.Split( new char[] {'='} , 2);

if (line_split1.Length != 2)
    throw new Exception ("Invalid format");
于 2012-04-16T16:54:21.970 回答