我仍然是Scala开发中的菜鸟,但我发现 Option [T] 概念非常棒,特别是与Some和None一起使用时的模式匹配。我甚至在一个C#项目中实现它,我现在正在努力,但由于没有模式匹配,所以并不是真的那么棒。
真正的问题是,这个对象背后的理论在哪里?这是Scala特有的东西吗?功能语言?我在哪里可以找到更多相关信息?
答案 0 :(得分:13)
大部分时间我都认为它来自Haskell,名称为 Maybe monad
但经过一番研究后,我发现在SML论文中有一些关于选项类型的参考资料,正如@ShiDoiSi所说。而且,它具有Scala所具有的相同语义(Some / None)。 我能找到的最近的论文是that(大约'89)(见第6页的脚注)
答案 1 :(得分:8)
您不需要使用模式匹配来使用Option。我已经在下面用C#写了它。请注意,Fold
函数会处理任何模式匹配的内容。
通常不鼓励使用模式匹配来支持更高级别的组合器。例如,如果您的特定函数可以使用Select
编写,那么您将使用它而不是Fold
(这相当于模式匹配)。否则,假设无副作用的代码(因此,等式推理),您基本上将重新实现现有代码。这适用于所有语言,而不仅仅是Scala或C#。
using System;
using System.Collections;
using System.Collections.Generic;
namespace Example {
/// <summary>
/// An immutable list with a maximum length of 1.
/// </summary>
/// <typeparam name="A">The element type held by this homogenous structure.</typeparam>
/// <remarks>This data type is also used in place of a nullable type.</remarks>
public struct Option<A> : IEnumerable<A> {
private readonly bool e;
private readonly A a;
private Option(bool e, A a) {
this.e = e;
this.a = a;
}
public bool IsEmpty {
get {
return e;
}
}
public bool IsNotEmpty{
get {
return !e;
}
}
public X Fold<X>(Func<A, X> some, Func<X> empty) {
return IsEmpty ? empty() : some(a);
}
public void ForEach(Action<A> a) {
foreach(A x in this) {
a(x);
}
}
public Option<A> Where(Func<A, bool> p) {
var t = this;
return Fold(a => p(a) ? t : Empty, () => Empty);
}
public A ValueOr(Func<A> or) {
return IsEmpty ? or() : a;
}
public Option<A> OrElse(Func<Option<A>> o) {
return IsEmpty ? o() : this;
}
public bool All(Func<A, bool> f) {
return IsEmpty || f(a);
}
public bool Any(Func<A, bool> f) {
return !IsEmpty && f(a);
}
private A Value {
get {
if(e)
throw new Exception("Value on empty Option");
else
return a;
}
}
private class OptionEnumerator : IEnumerator<A> {
private bool z = true;
private readonly Option<A> o;
private Option<A> a;
internal OptionEnumerator(Option<A> o) {
this.o = o;
}
public void Dispose() {}
public void Reset() {
z = true;
}
public bool MoveNext() {
if(z) {
a = o;
z = false;
} else
a = Option<A>.Empty;
return !a.IsEmpty;
}
A IEnumerator<A>.Current {
get {
return o.Value;
}
}
public object Current {
get {
return o.Value;
}
}
}
private OptionEnumerator Enumerate() {
return new OptionEnumerator(this);
}
IEnumerator<A> IEnumerable<A>.GetEnumerator() {
return Enumerate();
}
IEnumerator IEnumerable.GetEnumerator() {
return Enumerate();
}
public static Option<A> Empty {
get {
return new Option<A>(true, default(A));
}
}
public static Option<A> Some(A t) {
return new Option<A>(false, t);
}
}
}
答案 2 :(得分:7)
维基百科是你的朋友:http://en.wikipedia.org/wiki/Option_type
不幸的是它并没有提供任何日期,但我敢打赌,它的ML来源早于Haskell的Maybe
。