就像这个问题一样古老,我仍然对上面的解释有随意的投票。解释仍然很完美,但是我将第二次回答一个类型,该类型可以很好地替代联合类型(对这种强类型的回答,C#不直接支持该问题) )。
using System;
using System.Diagnostics;
namespace Union {
[DebuggerDisplay("{currType}: {ToString()}")]
public struct Either<TP, TA> {
enum CurrType {
Neither = 0,
Primary,
Alternate,
}
private readonly CurrType currType;
private readonly TP primary;
private readonly TA alternate;
public bool IsNeither => currType == CurrType.Primary;
public bool IsPrimary => currType == CurrType.Primary;
public bool IsAlternate => currType == CurrType.Alternate;
public static implicit operator Either<TP, TA>(TP val) => new Either<TP, TA>(val);
public static implicit operator Either<TP, TA>(TA val) => new Either<TP, TA>(val);
public static implicit operator TP(Either<TP, TA> @this) => @this.Primary;
public static implicit operator TA(Either<TP, TA> @this) => @this.Alternate;
public override string ToString() {
string description = IsNeither ? "" :
$": {(IsPrimary ? typeof(TP).Name : typeof(TA).Name)}";
return $"{currType.ToString("")}{description}";
}
public Either(TP val) {
currType = CurrType.Primary;
primary = val;
alternate = default(TA);
}
public Either(TA val) {
currType = CurrType.Alternate;
alternate = val;
primary = default(TP);
}
public TP Primary {
get {
Validate(CurrType.Primary);
return primary;
}
}
public TA Alternate {
get {
Validate(CurrType.Alternate);
return alternate;
}
}
private void Validate(CurrType desiredType) {
if (desiredType != currType) {
throw new InvalidOperationException($"Attempting to get {desiredType} when {currType} is set");
}
}
}
}
上述类代表一种类型,可以是任一 TP 或 TA。您可以这样使用它(这些类型指的是我的原始答案):
// ...
public static Either<FishingBot, ConcreteMixer> DemoFunc(Either<JumpRope, PiCalculator> arg) {
if (arg.IsPrimary) {
return new FishingBot(arg.Primary);
}
return new ConcreteMixer(arg.Secondary);
}
// elsewhere:
var fishBotOrConcreteMixer = DemoFunc(new JumpRope());
var fishBotOrConcreteMixer = DemoFunc(new PiCalculator());
重要笔记:
- 如果不检查就会出现运行时错误
IsPrimary
。
- 您可以检查
IsNeither
IsPrimary
或IsAlternate
。
- 您可以通过访问值
Primary
和Alternate
- TP / TA和Either之间有隐式转换器,使您可以传递值或
Either
期望传递值的任何位置。如果确实传递了期望Either
的TA
或TP
,但Either
包含错误的值类型,则会出现运行时错误。
我通常在需要方法返回结果或错误的地方使用此方法。它确实清除了该样式代码。我也偶尔(很少)用它代替方法重载。实际上,这是对这种过载的非常差的替代。