web-dev-qa-db-fra.com

Liste de fléchettes valeur min / max

Comment obtenir les valeurs min et max d'une liste dans Dart.

[1, 2, 3, 4, 5].min //returns 1
[1, 2, 3, 4, 5].max //returns 5

Je suis sûr que je pourrais a) écrire une fonction courte ou b) copier puis trier la liste et sélectionner la dernière valeur,

mais je cherche s'il y a une solution plus native s'il y en a.

38
basheps

En supposant que la liste n'est pas vide, vous pouvez utiliser Iterable.reduce :

import 'Dart:math';

main(){
  print([1,2,8,6].reduce(max)); // 8
  print([1,2,8,6].reduce(min)); // 1
}
63
Alexandre Ardhuin

Si vous ne souhaitez pas importer Dart: math et souhaite toujours utiliser reduce:

main() {
  List list = [2,8,1,6]; // List should not be empty.
  print(list.reduce((curr, next) => curr > next? curr: next)); // 8 --> Max
  print(list.reduce((curr, next) => curr < next? curr: next)); // 1 --> Min
}

Vous pouvez maintenant y parvenir avec n extension à partir de Dart 2.6 :

import 'Dart:math';

void main() {
  [1, 2, 3, 4, 5].min; // returns 1
  [1, 2, 3, 4, 5].max; // returns 5
}

extension FancyIterable on Iterable<int> {
  int get max => reduce(math.max);

  int get min => reduce(math.min);
}

Manière inefficace:

var n = [9, -2, 5, 6, 3, 4, 0];
n.sort();
print('Max: ${n.last}');  // Max: 9
print('Min: ${n[0]}');  // Min: -2

Sans importer la bibliothèque 'Dart: math':

var n = [9, -2, 5, 6, 3, 4, 0];

int minN = n[0];
int maxN = n[0];
n.skip(1).forEach((b) {
  minN = minN.compareTo(b) >= 0 ? b : minN;
  maxN = maxN.compareTo(b) >= 0 ? maxN : b;

});
print('Max: $maxN');  // Max: 9
print('Min: $minN');  // Min: -2
0
Szczerski