对于Delphi的语法,C#中的等价物是什么,如:
if (iIntVar in [2,96]) then
begin
//some code
end;
由于
答案 0 :(得分:8)
我更喜欢这里定义的方法:Comparing a variable to multiple values
以下是Chad帖子的转换:
public static bool In(this T obj, params T[] arr)
{
return arr.Contains(obj);
}
用法是
if (intVar.In(12, 42, 46, 74) )
{
//TODO: Something
}
或
if (42.In(x, y, z))
// do something
答案 1 :(得分:4)
没有这样的等价物。最接近的是集合的Contains()扩展方法。
示例:
var vals = new int[] {2, 96};
if(vals.Contains(iIntVar))
{
// some code
}
答案 2 :(得分:4)
在.Net中,.Contains是最接近的,但语法与你所写的相反。
您可以编写一个扩展方法,以便能够创建.In方法
public static bool In<T>(this T obj, IEnumerable<T> arr)
{
return arr.Contains(obj);
}
用法是
if (42.In(new[] { 12, 42, 46, 74 }) )
{
//TODO: Something
}
答案 3 :(得分:2)
您可以创建此扩展方法:
public static class ExtensionMethods
{
public static bool InRange(this int val, int lower, int upper)
{
return val >= lower && val <= upper;
}
}
然后你可以这样做:
int i = 56;
if (i.InRange(2, 96)) { /* ... */ }
答案 4 :(得分:2)
为了扩展Mason Wheeler在评论中所写的内容,这将是HashSet&lt; T&gt; .Contains(在.NET 3.5下)。
int i = 96;
var set = new HashSet<int> { 2, 96 };
if (set.Contains(i))
{
Console.WriteLine("Found!");
}
答案 5 :(得分:1)
您可以编写扩展方法
public static bool In(this int value, int[] range)
{
return (value >= range[0] && value <= range[1]);
}