在 Effect-TS 中,可以将各种映射函数应用于 Option 内的值,以转换、替换或操作所包含的值。本文通过实际示例探讨了 Effect-TS 提供的不同映射函数。
使用 O.map 将转换函数应用于选项内的值。如果Option为Some,则应用该功能;否则,结果为 None。
import { Option as O, pipe } from 'effect'; function mapping_ex01() { const some = O.some(1); // Create an Option containing the value 1 const none = O.none(); // Create an Option representing no value const increment = (n: number) => n + 1; console.log(pipe(some, O.map(increment))); // Output: Some(2) (since some contains 1 and 1 + 1 = 2) console.log(pipe(none, O.map(increment))); // Output: None (since none is None) }
使用 O.as 将 Option 内的值替换为提供的常量值。
import { Option as O, pipe } from 'effect'; function mapping_ex02() { const some = O.some(1); // Create an Option containing the value 1 const none = O.none(); // Create an Option representing no value console.log(pipe(some, O.as('replaced'))); // Output: Some('replaced') (replaces 1 with 'replaced') console.log(pipe(none, O.as('replaced'))); // Output: None (since none is None) }
对于 some Option,输出为 Some('replaced'),对于 none Option,输出为 None,演示了 O.as 如何有效地替换原始值(如果存在)。
使用 O.asVoid 将 Option 内的值替换为 undefined。
import { Option as O, pipe } from 'effect'; function mapping_ex03() { const some = O.some(1); // Create an Option containing the value 1 const none = O.none(); // Create an Option representing no value console.log(pipe(some, O.asVoid)); // Output: Some(undefined) (replaces 1 with undefined) console.log(pipe(none, O.asVoid)); // Output: None (since none is None) }
说明:
对于 some Option,输出为 Some(undefined),对于 none Option,输出为 None,演示了 O.asVoid 如何有效地替换原始值(如果存在)。
使用 O.flatMap 应用一个转换函数,如果 Option 为 Some,则返回一个 Option 值,并将结果展平。
import { Option as O, pipe } from 'effect'; function mapping_ex04() { const some = O.some(1); // Create an Option containing the value 1 const none = O.none(); // Create an Option representing no value const doubleIfPositive = (n: number) => (n > 0 ? O.some(n * 2) : O.none()); console.log(pipe(some, O.flatMap(doubleIfPositive))); // Output: Some(2) (since some contains 1 and 1 > 0) console.log(pipe(none, O.flatMap(doubleIfPositive))); // Output: None (since none is None) }
some Option 的输出为 Some(2),none Option 的输出为 None,演示了 O.flatMap 如何压平转换的结果。
使用 O.flatMapNullable 应用一个转换函数,如果 Option 为 Some,则该函数可能会返回可为 null 的值,并将结果转换为 Option。
import { Option as O, pipe } from 'effect'; function mapping_ex05() { const some = O.some({ a: { b: { c: 1 } } }); // Create an Option containing a nested object const none = O.none(); // Create an Option representing no value const getCValue = (obj: { a?: { b?: { c?: number } } }) => obj.a?.b?.c ?? null; console.log(pipe(some, O.flatMapNullable(getCValue))); // Output: Some(1) (extracts the nested value) console.log(pipe(none, O.flatMapNullable(getCValue))); // Output: None (since none is None) }
对于 some Option 输出为 Some(1),对于 none Option 输出为 None,演示了 O.flatMapNullable 如何将转换结果转换为 Option。
以上是Effect-TS 选项中的映射操作的详细内容。更多信息请关注PHP中文网其他相关文章!