lemmur-app-android/lib/comment_tree.dart

85 lines
2.2 KiB
Dart
Raw Normal View History

import 'package:lemmy_api_client/lemmy_api_client.dart';
import 'util/hot_rank.dart';
enum CommentSortType {
hot,
top,
// ignore: constant_identifier_names
new_,
old,
chat,
}
2020-10-23 00:42:42 +02:00
extension on CommentSortType {
/// returns a compare function for sorting a CommentTree according
/// to the comment sort type
int Function(CommentTree a, CommentTree b) get sortFunction {
switch (this) {
case CommentSortType.chat:
throw Exception('Sorting a CommentTree in chat mode is not supported'
' because it would restructure the whole tree');
case CommentSortType.hot:
return (b, a) =>
a.comment.computedHotRank.compareTo(b.comment.computedHotRank);
case CommentSortType.new_:
return (b, a) => a.comment.published.compareTo(b.comment.published);
case CommentSortType.old:
return (b, a) => b.comment.published.compareTo(a.comment.published);
case CommentSortType.top:
return (b, a) => a.comment.score.compareTo(b.comment.score);
}
throw Exception('unreachable');
}
}
class CommentTree {
CommentView comment;
List<CommentTree> children;
CommentTree(this.comment, [this.children]) {
children ??= [];
}
2020-10-23 00:42:42 +02:00
/// takes raw linear comments and turns them into a CommentTree
static List<CommentTree> fromList(List<CommentView> comments) {
CommentTree gatherChildren(CommentTree parent) {
2020-09-16 23:22:04 +02:00
for (final el in comments) {
if (el.parentId == parent.comment.id) {
parent.children.add(gatherChildren(CommentTree(el)));
}
}
return parent;
}
2020-10-23 00:42:42 +02:00
final topLevelParents =
comments.where((e) => e.parentId == null).map((e) => CommentTree(e));
2020-10-23 00:42:42 +02:00
final result = topLevelParents.map(gatherChildren).toList();
return result;
}
2020-10-23 00:42:42 +02:00
/// recursive sorter
void _sort(int compare(CommentTree a, CommentTree b)) {
children.sort(compare);
2020-09-16 23:22:04 +02:00
for (final el in children) {
el._sort(compare);
}
}
2020-10-23 00:42:42 +02:00
/// Sorts in-place a list of CommentTrees according to a given sortType
static List<CommentTree> sortList(
CommentSortType sortType, List<CommentTree> comms) {
2020-10-23 00:42:42 +02:00
comms.sort(sortType.sortFunction);
for (final el in comms) {
el._sort(sortType.sortFunction);
}
2020-10-23 00:42:42 +02:00
return comms;
}
}