简体   繁体   中英

C# equivalent for Delphi's in

What is the equivalent in C# for Delphi's in syntax, like:


  if (iIntVar in [2,96]) then 
  begin
    //some code
  end;

Thanks

I prefer a method like defined here: Comparing a variable to multiple values

Here's the conversion of Chad's post:

public static bool In(this T obj, params T[] arr)
{
    return arr.Contains(obj);
}

And usage would be

if (intVar.In(12, 42, 46, 74) ) 
{ 
    //TODO: Something 
} 

or

if (42.In(x, y, z))
    // do something

There is no such equivalent. The closest is the Contains() extension method of a collection.

Example:

var vals = new int[] {2, 96};
if(vals.Contains(iIntVar))
{
  // some code
}

In .Net, .Contains is the closest, but the syntax is the opposite of what you wrote.

You could write an extension method to be able to create a .In method

public static bool In<T>(this T obj, IEnumerable<T> arr)
 {
  return arr.Contains(obj);
 }

And usage would be

if (42.In(new[] { 12, 42, 46, 74 }) )
{
    //TODO: Something
}

You can create this extension method:

public static class ExtensionMethods
{
    public static bool InRange(this int val, int lower, int upper)
    {
        return val >= lower && val <= upper;
    }
}

then you can do this:

int i = 56;
if (i.InRange(2, 96)) { /* ... */ }

To expand upon what Mason Wheeler wrote in a comment, this would be HashSet<T>.Contains (under .NET 3.5).

int i = 96;
var set = new HashSet<int> { 2, 96 };

if (set.Contains(i))
{
   Console.WriteLine("Found!");
}

You could write an extension method

 public static bool In(this int value, int[] range)
    {
        return (value >= range[0] && value <= range[1]);
    }

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM