Setting a Variable to a Switch's Result

From C# 8 onwards:

Yes, switch expressions were introduced in C# 8. In terms of syntax, the example would be:

var a = b switch
{
    c => d,
    e => f,
    _ => g
};

... where c and e would have to be valid patterns to match against b. _ represents the default case.

Before C# 8:

No, switch is a statement rather than an expression which can be evaluated.

Of course, you can extract it into another method:

int x = DoSwitch(y);

...

private int DoSwitch(int y)
{
    switch (y)
    {
        case 0: return 10;
        case 1: return 20;
        default: return 5;
    }
}

Alternatively, you could use a Dictionary if it's just a case of simple, constant mappings. If you can give us more information about what you're trying to achieve, we can probably help you work out the most idiomatic way of getting there.


No, you can't use a switch statement as an expression. Another way to write it is nested conditional operators:

var a = b == c ? d:
        b == e ? f:
                 g;

This is not possible in C#.

The closest would be to either move this into a method, or do the assignment in each case individual, ie:

int a;
switch(b)
{
 case c:
     a = d; break;
 case e:
     a = f; break;
 default:
     a = g; break;
};

Is it possible in any other language?

Yes. For example, most functional languages support something similar. For example, F#'s pattern matching provides a (much more powerful) version of this.