Higher-order functions for Swift/Dart/JS

1,204 阅读1分钟

Map

Swift

[1, 2, 3].map { $0 * $0 }
[1, 2, 3].map { value in value * value}

flatMap

数组降维

[[1,2,3], [4,5]].flatMap { $0 }  // [1,2,3,4,5]

不解包运算可选值

let num: Int? = 8
num.flatMap { $0 * 2 } // Optional(16)

compactMap

去除 nil

[1,nil,3].compactMap{ $0 } // [1, 2]

Dart

[1, 2, 3].map(((value) => value * value));

JavaScript

[1, 2, 3].map(function(value){
    return value * value;
})
    
// ES6
[1, 2, 3].map((value) => value * value);

Filter

Swift

[1,2,3].filter { $0 != 2 }

Dart

[1, 2, 3].where(((value) => value != 2));

JavaScript

[1, 2, 3].filter(function(value){
    return value != 2;
})
    
// ES6
[1, 2, 3].filter((value) => value != 2);

Reduce

Swift

[1,2,3].reduce(0, +)
[1,2,3].reduce(0, { initial, next in initial + next })

Dart

[1, 2, 3].fold(0, (inital, next) => inital + next);
[1, 2, 3].reduce((inital, next) => inital + next);

JavaScript

[1, 2, 3].reduce(function(inital, next) { 
    return inital + next
});

// ES6
[1, 2, 3].reduce((inital, next) => inital + next);