如何在c#控制台应用程序中检查输入数据类型..
Class A
{
object o=Console.ReadLine();
//logic here to check data type and print
//e.g type of Integer, Decimal, String etc
}
如果我提供23
的输入,那么它会打印'Integer'
如果我提供23.9
的输入,那么它会打印'Decimal'
如果我提供"abcd"
的输入,那么它会打印'String'
我想做的是...... 像
这样的东西Class A
{
Type t=Typeof(Console.ReadLine().GetType);
Console.WriteLine(t.Name);
}
答案 0 :(得分:1)
我不知道任何魔法,但你可以搜索包管理器/ github。您将不得不解析输入字符串。 .Net Fiddle.
string o = Console.ReadLine();
string finalType = "String";
if (!string.IsNullOrEmpty(o)){
// Check integer before Decimal
int tryInt;
decimal tryDec;
if (Int32.TryParse(o, out tryInt)){
finalType = "Integer";
}
else if (Decimal.TryParse(o, out tryDec)){
finalType = "Decimal";
}
}
Console.WriteLine(finalType);
答案 1 :(得分:0)
首先应检查输入字符串是否用双引号括起来。如果是这样,打印字符串。
然后使用long.TryParse来检查你是否可以解析为long。如果是这样,请打印整数。
然后使用decimal.TryParse查看是否可以将其解析为十进制。如果是这样,请打印十进制。
这是你的意思吗?
答案 2 :(得分:0)
您需要解析传入的数据。根据您需要处理的类型数量,您可以选择不同的路线:
TryParse()
的静态方法。您可以使用此方法查看是否可以将输入字符串解析为每种类型。如果您处理的数量非常有限,这只是一个很好的解决方案。答案 3 :(得分:0)
供将来的读者使用...我有类似的任务,并且提出了以下解决方案: *来自控制台的任何输入都被视为字符串类型。在C#中,您需要尽可能将输入解析为特定类型。
var input = Console.ReadLine();
// `typeToCheck`.TryParse(input, out _) - Will return True if parsing is possible.
if (Int32.TryParse(input, out _))
{
Console.WriteLine($"{input} is integer type");
}
else if (double.TryParse(input, out _))
{
Console.WriteLine($"{input} is floating point type");
}
else if (bool.TryParse(input, out _))
{
Console.WriteLine($"{input} is boolean type");
}
else if (char.TryParse(input, out _))
{
Console.WriteLine($"{input} is character type");
}
else // since you cannot parse to string ... if the previous statements came up false -> IT's STRING Type.
{
Console.WriteLine($"{input} is string type");
}