Compare commits

..

1 Commits

Author SHA1 Message Date
f4220d0851 updated readme 2023-01-09 17:36:42 +01:00
21 changed files with 135 additions and 554 deletions

View File

@ -4,25 +4,16 @@ A Reminder based on todo.txt synced via nextcloud
## Current todos: ## Current todos:
- [x] make repeat-datatype (like: daily, weekly on mo/th/fr, bi-monthly, etc.) - [ ] make repeat-datatype (like: daily, weekly on mo/th/fr, bi-monthly, etc.)
- [x] define isomorphism for 'repeat:'-meta-tag - [ ] define isomorphism for 'repeat:'-meta-tag
- [x] add interface for repeat-datatype in addReminder.dart - [ ] add interface for repeat-datatype in addReminder.dart
- [x] save/load data to/from disk - [x] save/load data to/from disk
- [x] adding/removing tasks - [ ] respect ordering that was used when starting the app when saving.
- [x] respect ordering that was used when starting the app when saving.
- [ ] add Nextcloud-login for getting a Token - [ ] add Nextcloud-login for getting a Token
- [ ] use webdav for synchronizing with Nextcloud using that token - [ ] use webdav for synchronizing with Nextcloud using that token
- [ ] sorting by "next up", "priority" - [ ] sorting by "next up", "priority"
- [ ] respect 'color:'-meta-tag (usual formats like "#aabbcc", html-colors like "red") - [ ] respect 'color:'-meta-tag (usual formats like "#aabbcc", html-colors like "red")
- [ ] use color in rendering todos - [ ] use color in rendering todos
- [ ] make application-settings
- [ ] store/load settings
- [ ] setting for number of days into the future
- [ ] theme
- [x] light/dark mode
- [ ] color theme by system colors
- [ ] own primary/secondary color theme
- [ ] fancy pop-animation & sound for the checkbox
## Current looks: ## Current looks:
@ -30,15 +21,4 @@ A Reminder based on todo.txt synced via nextcloud
![](img/2023-01-08_application.png) ![](img/2023-01-08_application.png)
### Adding Tasks ### Adding Tasks
![](img/2023-01-08_addTask.png) ![](img/2023-01-08_addTask.png)
(still missing repeat-options, currently defaults to daily.)
### Details/Removing tasks
![](img/2023-01-10_Task_details.png)
### Complex repeat patterns
![](img/2023-01-10_repeat_patterns.png)
### Light/Dark theme
![](img/2023-01-13_theme_light.png)
![](img/2023-01-13_theme_dark.png)

Binary file not shown.

Before

Width:  |  Height:  |  Size: 27 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 44 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 39 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 40 KiB

View File

@ -1,12 +1,6 @@
import 'package:date_field/date_field.dart';
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:gap/gap.dart';
import 'package:nextcloud_reminder/repeating_task.dart'; import 'package:nextcloud_reminder/repeating_task.dart';
import 'package:nextcloud_reminder/types/repeat.dart';
import 'package:nextcloud_reminder/types/tasks.dart'; import 'package:nextcloud_reminder/types/tasks.dart';
import 'package:tuple/tuple.dart';
class AddTaskWidget extends StatefulWidget { class AddTaskWidget extends StatefulWidget {
const AddTaskWidget({super.key, this.restorationId, required this.onSave}); const AddTaskWidget({super.key, this.restorationId, required this.onSave});
@ -20,14 +14,11 @@ class AddTaskWidget extends StatefulWidget {
//TODO: make _repeat changeable. //TODO: make _repeat changeable.
class _AddTaskWidgetState extends State<AddTaskWidget> { class _AddTaskWidgetState extends State<AddTaskWidget> with RestorationMixin {
final _formKey = GlobalKey<FormState>(); final _formKey = GlobalKey<FormState>();
final _titleController = TextEditingController(); final _titleController = TextEditingController();
static _emptyRepetition() { final int _repeat = 1;
return Tuple2(TextEditingController(text: "1"), ValueNotifier(DateInterval.daily)); final RestorableDateTime _beginDate = RestorableDateTime(DateTime.now());
}
final List<Tuple2<TextEditingController,ValueNotifier<DateInterval>>> _repeatEveryController = [_emptyRepetition()];
DateTime _beginDate = DateTime.now();
@override @override
void dispose() { void dispose() {
@ -35,86 +26,53 @@ class _AddTaskWidgetState extends State<AddTaskWidget> {
super.dispose(); super.dispose();
} }
String _prettyInterval(DateInterval d) { @override
switch (d) { String? get restorationId => widget.restorationId;
case DateInterval.daily: return "day";
case DateInterval.weekly: return "week"; late final RestorableRouteFuture<DateTime?> _restorableDatePickerRouteFuture =
case DateInterval.monthly: return "month"; RestorableRouteFuture<DateTime?>(
case DateInterval.monday: return "monday"; onComplete: _selectDate,
case DateInterval.tuesday: return "tuesday"; onPresent: (NavigatorState navigator, Object? arguments) {
case DateInterval.wednesday: return "wednesday"; return navigator.restorablePush(
case DateInterval.thursday: return "thursday"; _datePickerRoute,
case DateInterval.friday: return "friday"; arguments: _beginDate.value.millisecondsSinceEpoch,
case DateInterval.saturday: return "saturday"; );
case DateInterval.sunday: return "sunday"; },
case DateInterval.dayOfMonth: return "day of the month"; );
case DateInterval.dayOfYear: return "day of the year";
static Route<DateTime> _datePickerRoute(
BuildContext context,
Object? arguments,
) {
return DialogRoute<DateTime>(
context: context,
builder: (BuildContext context) {
return DatePickerDialog(
restorationId: 'date_picker_dialog',
initialEntryMode: DatePickerEntryMode.calendarOnly,
initialDate: DateTime.fromMillisecondsSinceEpoch(arguments! as int),
firstDate: DateTime(2000),
lastDate: DateTime(2100),
);
},
);
}
@override
void restoreState(RestorationBucket? oldBucket, bool initialRestore) {
registerForRestoration(_beginDate, 'selected_date');
registerForRestoration(
_restorableDatePickerRouteFuture, 'date_picker_route_future');
}
void _selectDate(DateTime? newSelectedDate) {
if (newSelectedDate != null) {
setState(() {
_beginDate.value = newSelectedDate;
});
} }
} }
Widget _repeatBuilder(BuildContext context, Tuple2<TextEditingController,ValueNotifier<DateInterval>> data) {
return IntrinsicHeight(child: Row(
crossAxisAlignment: CrossAxisAlignment.center,
children: [
SizedBox(
width: 200,
child: TextFormField(
controller: data.item1,
decoration: InputDecoration(
prefix: const Text("Repeat every "),
suffix: () {
if (data.item1.value.text.isEmpty) return const Text("");
switch (data.item1.value.text.substring(data.item1.value.text.length - 1)) {
case "1":
return const Text("st");
case "2":
return const Text("nd");
case "3":
return const Text("rd");
default:
return const Text("th");
}}(),
border: const OutlineInputBorder()
),
textAlign: TextAlign.end,
keyboardType: const TextInputType.numberWithOptions(signed: false, decimal: false),
inputFormatters: [FilteringTextInputFormatter.digitsOnly],
onChanged: (_) {setState(() {
//nothing just rerender.
});},
),
),
const Gap(4),
Expanded(
//padding: const EdgeInsets.only(left: 30, right: 20),
child: DropdownButtonFormField<DateInterval>(
decoration: const InputDecoration(
border: OutlineInputBorder(),
),
items: DateInterval.values.map((v) => DropdownMenuItem(value: v, child: Text(_prettyInterval(v)))).toList(),
onChanged: (v) => setState(() {
data.item2.value = v ?? data.item2.value;
}),
value: data.item2.value,
),
),
PreferredSize(
preferredSize: const Size.square(40),
child: IconButton(
alignment: Alignment.topCenter,
onPressed: () => setState(() {
_repeatEveryController.remove(data);
}),
icon: Icon(Icons.remove, color: Theme.of(context).errorColor,)
)),
],
));
}
Widget _addPadding(Widget w) {
return Padding(padding: EdgeInsets.all(4), child: w);
}
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Scaffold( return Scaffold(
@ -126,7 +84,7 @@ class _AddTaskWidgetState extends State<AddTaskWidget> {
child: Column( child: Column(
crossAxisAlignment: CrossAxisAlignment.start, crossAxisAlignment: CrossAxisAlignment.start,
children: [ children: [
_addPadding(TextFormField( TextFormField(
// The validator receives the text that the user has entered. // The validator receives the text that the user has entered.
validator: (value) { validator: (value) {
if (value == null || value.isEmpty) { if (value == null || value.isEmpty) {
@ -134,56 +92,45 @@ class _AddTaskWidgetState extends State<AddTaskWidget> {
} }
return null; return null;
}, },
autofocus: true,
controller: _titleController, controller: _titleController,
decoration: const InputDecoration( decoration: const InputDecoration(
labelText: "Taskname" labelText: "Taskname"
), ),
)), ),
Container(
_addPadding(DateTimeField( decoration: const BoxDecoration(),
onDateSelected: (v) => setState(() { _beginDate = v; }), child: Row(
selectedDate: _beginDate, children: [
decoration: const InputDecoration( Text("Begin: ", style: Theme.of(context).textTheme.labelLarge),
suffixIcon: Icon(Icons.event_note), Expanded(
labelText: "Begin" child: Text("${_beginDate.value.year}-${_beginDate.value.month.toString().padLeft(2,'0')}-${_beginDate.value.day.toString().padLeft(2,'0')}")
),
IconButton(
onPressed: () => _restorableDatePickerRouteFuture.present(),
icon: Icon(Icons.date_range,
color: Theme.of(context).focusColor))
]
)
),
Padding(
padding: const EdgeInsets.symmetric(vertical: 16.0),
child: ElevatedButton(
onPressed: () {
// Validate returns true if the form is valid, or false otherwise.
if (_formKey.currentState!.validate()) {
// If the form is valid, display a snackbar. In the real world,
// you'd often call a server or save the information in a database.
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(content: Text('Task added.')),
);
widget.onSave(RepeatingTask(
task: Task(title: _titleController.text, begin: _beginDate.value), repeat: _repeat,));
Navigator.pop(context);
}
},
child: const Text('Submit'),
), ),
mode: DateTimeFieldPickerMode.date, ),
)),
] + _repeatEveryController.map((c) => _addPadding(_repeatBuilder(context,c))).toList()
+ [
_addPadding(_addPadding(Row(
children: [
ElevatedButton(onPressed: () => setState(() {
_repeatEveryController.add(_emptyRepetition());
}), child: const Text("add repetition")),
Expanded(child: Container()),
ElevatedButton(
onPressed: () {
// Validate returns true if the form is valid, or false otherwise.
if (_formKey.currentState!.validate()) {
// If the form is valid, display a snackbar. In the real world,
// you'd often call a server or save the information in a database.
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(content: Text('Task added.')),
);
var repeats = _repeatEveryController.map((e) => RepeatInterval(interval: e.item2.value, every: int.parse(e.item1.text))).toList();
var meta = repeats.map((e) => e.toString()).join("/");
widget.onSave(RepeatingTask(
task: TaskExtra(
title: _titleController.text,
begin: _beginDate,
meta: {"repeat": meta},
repeat: repeats,
)
));
Navigator.pop(context);
}
},
child: const Text('Submit'),
),
]
))),
], ],
), ),
) )

View File

@ -1,14 +1,12 @@
import 'dart:io'; import 'dart:io';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_window_close/flutter_window_close.dart';
import 'package:nextcloud_reminder/addReminder.dart'; import 'package:nextcloud_reminder/addReminder.dart';
import 'package:nextcloud_reminder/parser/todotxt.dart'; import 'package:nextcloud_reminder/parser/todotxt.dart';
import 'package:nextcloud_reminder/repeating_task.dart'; import 'package:nextcloud_reminder/repeating_task.dart';
import 'package:nextcloud_reminder/table.dart'; import 'package:nextcloud_reminder/table.dart';
import 'package:nextcloud_reminder/types/tasks.dart'; import 'package:nextcloud_reminder/types/tasks.dart';
import 'package:path_provider/path_provider.dart'; import 'package:path_provider/path_provider.dart';
import 'package:tuple/tuple.dart';
class HomeWidget extends StatefulWidget { class HomeWidget extends StatefulWidget {
const HomeWidget({super.key, required this.title}); const HomeWidget({super.key, required this.title});
@ -30,10 +28,11 @@ class HomeWidget extends StatefulWidget {
class _HomeWidgetState extends State<HomeWidget> with WidgetsBindingObserver { class _HomeWidgetState extends State<HomeWidget> with WidgetsBindingObserver {
late final ScrollTable _checkboxes; final ScrollTable _checkboxes = ScrollTable(title: "TODOs");
int _counter = 1;
late final Directory appDocDirectory; late final Directory appDocDirectory;
late final File todotxt = File('${appDocDirectory.path}/todo.txt'); late final File todotxt = File('${appDocDirectory.path}/todo.txt');
final List<TaskExtra> tasks = []; final List<Task> tasks = [];
void _loadTodos() { void _loadTodos() {
for (var element in tasks) { for (var element in tasks) {
@ -46,6 +45,7 @@ class _HomeWidgetState extends State<HomeWidget> with WidgetsBindingObserver {
appDocDirectory = (await getApplicationDocumentsDirectory()); appDocDirectory = (await getApplicationDocumentsDirectory());
if (await todotxt.exists()) { if (await todotxt.exists()) {
var data = await todotxt.readAsLines(); var data = await todotxt.readAsLines();
debugPrint(data.toString());
tasks.addAll(TodoParser.parse(data)); tasks.addAll(TodoParser.parse(data));
_loadTodos(); _loadTodos();
} else { } else {
@ -57,12 +57,7 @@ class _HomeWidgetState extends State<HomeWidget> with WidgetsBindingObserver {
void initState() { void initState() {
super.initState(); super.initState();
WidgetsBinding.instance.addObserver(this); WidgetsBinding.instance.addObserver(this);
_checkboxes = ScrollTable(title: "TODOs", deleteCallback: _removeTask);
initLazy(); initLazy();
FlutterWindowClose.setWindowShouldCloseHandler(() async {
saveData();
return true;
});
} }
@override @override
@ -81,26 +76,29 @@ class _HomeWidgetState extends State<HomeWidget> with WidgetsBindingObserver {
} }
void saveData() async { void saveData() async {
//TODO: better update lines instead of blindly overwriting. //TODO: better update lines instead of blindly overwriting.
List<TaskExtra> tmp = tasks; String data = tasks.map((t) => t.toString()).join("\n");
tmp.sort((a, b) => a.lineNumber != null && b.lineNumber != null ? a.lineNumber! - b.lineNumber! : -1,);
String data = tmp.map((t) => t.formatAsTask()).join("\n");
debugPrint("Saving:\n$data"); debugPrint("Saving:\n$data");
await todotxt.writeAsString(data); await todotxt.writeAsString(data);
} }
void _addDummyTask() {
setState(() {
// This call to setState tells the Flutter framework that something has
// changed in this State, which causes it to rerun the build method below
// so that the display can reflect the updated values. If we changed
// stuff without calling setState(), then the build method would not be
// called again, and so nothing would appear to happen.
_checkboxes.addTask(RepeatingTask(task: Task(title: "Dummy Task #$_counter", begin: DateTime.now()), repeat: _counter++));
});
}
void _addTask(RepeatingTask? t) { void _addTask(RepeatingTask? t) {
if (t != null) { if (t != null) {
setState(() { setState(() {
_checkboxes.addTask(t!); _checkboxes.addTask(t!);
tasks.add(TaskExtra.fromTask(t.task)); tasks.add(t.task);
}); });
} }
} }
void _removeTask(RepeatingTask t) {
setState(() {
tasks.remove(t.task);
});
}
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {

View File

@ -1,65 +1,23 @@
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:intl/date_symbol_data_local.dart';
import 'package:intl/intl_standalone.dart';
import 'package:nextcloud_reminder/homescreen.dart'; import 'package:nextcloud_reminder/homescreen.dart';
void main() { void main() {
findSystemLocale().then((value) => runApp(const TodoTxtReminderApp());
initializeDateFormatting(value).then((_) =>
runApp(const TodoTxtReminderApp())
));
} }
class TodoTxtReminderApp extends StatelessWidget { class TodoTxtReminderApp extends StatelessWidget {
const TodoTxtReminderApp({super.key}); const TodoTxtReminderApp({super.key});
static const primaryColor = Colors.pink;
static const secondaryColor = Colors.amber;
getInteractColor(Color a, Color b) {
return (Set<MaterialState> states) {
const Set<MaterialState> interactiveStates = <MaterialState>{
MaterialState.pressed,
MaterialState.hovered,
MaterialState.focused,
};
if (states.any(interactiveStates.contains)) {
return b;
}
return a;
};
}
Color getColor(Set<MaterialState> states) {
return getInteractColor(primaryColor, secondaryColor)(states);
}
// This widget is the root of your application. // This widget is the root of your application.
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
const inputDecorationTheme = InputDecorationTheme(border: OutlineInputBorder(), focusColor: secondaryColor);
return MaterialApp( return MaterialApp(
title: 'Nextcloud Reminder', title: 'Nextcloud Reminder',
theme: ThemeData( theme: ThemeData(
brightness: Brightness.light, // This is the theme of your application.
colorScheme: ThemeData.light().colorScheme.copyWith(primary: primaryColor, secondary: secondaryColor, background: primaryColor.shade50), primarySwatch: Colors.blue,
inputDecorationTheme: inputDecorationTheme,
checkboxTheme: ThemeData.light().checkboxTheme.copyWith(
fillColor: MaterialStateProperty.resolveWith(getColor),
checkColor: MaterialStateProperty.resolveWith(getInteractColor(Colors.white,Colors.black))
),
), ),
darkTheme: ThemeData(
brightness: Brightness.dark,
colorScheme: ThemeData.dark().colorScheme.copyWith(primary: primaryColor, secondary: secondaryColor, background: primaryColor.shade500.withAlpha(32)),
inputDecorationTheme: inputDecorationTheme,
checkboxTheme: ThemeData.dark().checkboxTheme.copyWith(
fillColor: MaterialStateProperty.resolveWith(getColor),
checkColor: MaterialStateProperty.resolveWith(getInteractColor(Colors.white,Colors.black))
),
),
themeMode: ThemeMode.system,
home: const HomeWidget(title: 'todo.txt reminder'), home: const HomeWidget(title: 'todo.txt reminder'),
); );
} }

View File

@ -9,18 +9,16 @@ abstract class TodoParser {
static final _todoParser = _definition.build(); static final _todoParser = _definition.build();
static List<TaskExtra> parse(List<String> input) { static List<Task> parse(List<String> input) {
final List<TaskExtra> ret = []; final List<Task> ret = [];
var line=1;
for (var element in input) { for (var element in input) {
var parsed = _todoParser.parse(element); var parsed = _todoParser.parse(element);
if (parsed.isSuccess) { if (parsed.isSuccess) {
ret.add(TaskExtra.fromTask(parsed.value, lineNumber: line)); ret.add(parsed.value);
} else { } else {
debugPrint(parsed.message); debugPrint(parsed.message);
debugPrint(element); debugPrint(element);
} }
line++;
} }
return ret; return ret;
} }

View File

@ -3,9 +3,10 @@ import 'package:nextcloud_reminder/task_item.dart';
import 'package:nextcloud_reminder/types/tasks.dart'; import 'package:nextcloud_reminder/types/tasks.dart';
class RepeatingTask extends StatefulWidget { class RepeatingTask extends StatefulWidget {
const RepeatingTask({super.key, required this.task}); const RepeatingTask({super.key, required this.task, this.repeat=1});
final TaskExtra task; final Task task;
final int repeat;
@override @override
State<StatefulWidget> createState() => _RepeatingTaskState(); State<StatefulWidget> createState() => _RepeatingTaskState();
@ -17,30 +18,14 @@ class _RepeatingTaskState extends State<RepeatingTask> {
@override @override
void initState() { void initState() {
super.initState(); super.initState();
_occurrences = List<TaskItem>.generate(10, (index) { _occurrences = List<TaskItem>.generate(10, (index) => TaskItem(done: index % widget.repeat == 0 ? false : null));
var start = widget.task.begin ?? DateTime.now();
var comparator = DateTime.now().add(Duration(days: index));
for (var r in widget.task.repeat) {
if (r.repeatHit(start, comparator)) return TaskItem(done: widget.task.done,);
}
if (widget.task.repeat.isEmpty && start.day == comparator.day && start.month == comparator.month && start.year == comparator.year) {
return TaskItem(done: widget.task.done,);
}
return const TaskItem(done: null);
});
} }
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Container( return Row(
decoration: BoxDecoration(border: Border(
bottom: BorderSide(color: Theme.of(context).colorScheme.background, width: 1),
),),
margin: const EdgeInsets.all(0.0),
child: Row(
crossAxisAlignment: CrossAxisAlignment.start, crossAxisAlignment: CrossAxisAlignment.start,
children: _occurrences, children: _occurrences,
) );
);
} }
} }

View File

@ -1,12 +1,8 @@
import 'dart:math';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:intl/intl.dart';
import 'package:nextcloud_reminder/repeating_task.dart'; import 'package:nextcloud_reminder/repeating_task.dart';
import 'package:nextcloud_reminder/types/tasks.dart';
class ScrollTable extends StatefulWidget { class ScrollTable extends StatefulWidget {
ScrollTable({super.key, required this.title, required this.deleteCallback}); ScrollTable({super.key, required this.title});
// This class is the configuration for the state. It holds the values (in this // This class is the configuration for the state. It holds the values (in this
// case the title) provided by the parent (in this case the App widget) and // case the title) provided by the parent (in this case the App widget) and
@ -15,7 +11,6 @@ class ScrollTable extends StatefulWidget {
final String title; final String title;
final _ScrollTableState _internalState = _ScrollTableState(); final _ScrollTableState _internalState = _ScrollTableState();
final ValueChanged<RepeatingTask> deleteCallback;
@override @override
State<ScrollTable> createState() => _internalState; State<ScrollTable> createState() => _internalState;
@ -29,7 +24,6 @@ class ScrollTable extends StatefulWidget {
class _ScrollTableState extends State<ScrollTable> { class _ScrollTableState extends State<ScrollTable> {
final List<RepeatingTask> _content = []; final List<RepeatingTask> _content = [];
final _contentStart = DateTime.now();
addTask(RepeatingTask task) { addTask(RepeatingTask task) {
setState(() { setState(() {
@ -37,115 +31,37 @@ class _ScrollTableState extends State<ScrollTable> {
}); });
} }
removeTask(RepeatingTask task) { List<Widget> _buildTitles() {
setState(() {
_content.remove(task);
});
widget.deleteCallback(task);
}
Future<void> _showDetailsAndRemoveTask(BuildContext context, RepeatingTask t) {
return showDialog(context: context,
barrierDismissible: true,
builder: (BuildContext context)
{
return AlertDialog(
title: const Text("Task details"),
content: SingleChildScrollView(
child: ListBody(
children: [ Text(t.task.title),
Text("Projects: ${t.task.projects.isEmpty ? "none" : t.task.projects.join(", ")}"),
Text("Contexts: ${t.task.contexts.isEmpty ? "none" : t.task.contexts.join(", ")}"),
Padding(padding: const EdgeInsets.only(top: 16),
child: Text(t.task.meta.isEmpty ? "" : "Meta:", style: Theme.of(context).textTheme.bodyLarge,)
),
] + List.of(t.task.meta.entries.map((e) => Text("${e.key}: ${e.value}"))),
),
),
actions: <Widget>[
TextButton(onPressed: () {
removeTask(t);
Navigator.of(context).pop();
},
style: TextButton.styleFrom(foregroundColor: Theme
.of(context)
.errorColor),
child: const Text("remove"),),
TextButton(onPressed: () => Navigator.of(context).pop(),
child: const Text("close")),
]
);
});
}
Widget _todoHeader(BuildContext context) {
return Container(
width: 200,
height: 60,
alignment: Alignment.bottomLeft,
padding: const EdgeInsets.only(left: 8, right: 8, bottom: 12),
decoration: BoxDecoration(color: Theme.of(context).colorScheme.background),
child: Text("TODO", style: Theme.of(context).textTheme.titleSmall?.copyWith(color: Theme.of(context).colorScheme.primary),),
);
}
Widget _datesHeader(BuildContext context) {
return Row(
children: List.generate(10, (i) => Container(
width: 60,
height: 60,
alignment: Alignment.bottomCenter,
padding: const EdgeInsets.only(left: 8, right: 8, bottom: 16),
decoration: BoxDecoration(color: Theme.of(context).colorScheme.background),
child: Transform.rotate(angle: -pi/3,
child: Text(DateFormat.Md().format(_contentStart.add(Duration(days: i))),
style: Theme.of(context).textTheme.titleMedium?.copyWith(color: Theme.of(context).colorScheme.primary),),
)
))
);
}
List<Widget> _buildTitles(BuildContext context) {
return List<Widget>.from(_content.map((RepeatingTask t) => return List<Widget>.from(_content.map((RepeatingTask t) =>
Container( Container(
alignment: Alignment.centerLeft, alignment: Alignment.center,
width: 200.0, width: 120.0,
height: 60.0, height: 60.0,
margin: const EdgeInsets.only(top: 1), color: Colors.white,
decoration: BoxDecoration(color: Theme.of(context).canvasColor, border: Border(bottom: BorderSide(color: Theme.of(context).colorScheme.background, width: 1),)), margin: const EdgeInsets.all(4.0),
child: SizedBox(width: 200, child: TextButton( child: Text(t.task.title, style: Theme
onPressed: () => _showDetailsAndRemoveTask(context,t), .of(context)
style: const ButtonStyle(alignment: AlignmentDirectional.centerStart), .textTheme
child: Text(t.task.title, .labelMedium),
softWrap: true, )));
textAlign: TextAlign.left,
style: Theme.of(context).textTheme.titleSmall,
)
)),
)
)
);
} }
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return SingleChildScrollView( return SingleChildScrollView(
child: Row( child: Row(
crossAxisAlignment: CrossAxisAlignment.center, crossAxisAlignment: CrossAxisAlignment.start,
children: <Widget>[ children: <Widget>[
Column( Column(
crossAxisAlignment: CrossAxisAlignment.start, crossAxisAlignment: CrossAxisAlignment.start,
//TODO: Text in container wie bei _buildTitles oben und width/height/margin/etc. festnageln. children: _buildTitles(),
children: List<Widget>.from([_todoHeader(context)]) + _buildTitles(context),
), ),
Flexible( Flexible(
child: SingleChildScrollView( child: SingleChildScrollView(
scrollDirection: Axis.horizontal, scrollDirection: Axis.horizontal,
child: Column( child: Column(
crossAxisAlignment: CrossAxisAlignment.start, crossAxisAlignment: CrossAxisAlignment.start,
children: [_datesHeader(context)] + List<Widget>.from(_content), children: _content,
), ),
), ),
) )

View File

@ -26,10 +26,8 @@ class _TaskItemState extends State<TaskItem>{
alignment: Alignment.center, alignment: Alignment.center,
width: 60.0, width: 60.0,
height: 60.0, height: 60.0,
decoration: BoxDecoration(border: Border( color: Colors.white,
left: BorderSide(color: Theme.of(context).colorScheme.background, width: 1) margin: const EdgeInsets.all(4.0),
),),
margin: const EdgeInsets.all(0.0),
child: _done == null ? null : Checkbox(value: _done, onChanged: (newState) => setState(() { child: _done == null ? null : Checkbox(value: _done, onChanged: (newState) => setState(() {
_done = newState!; _done = newState!;
})), })),

View File

@ -1,97 +0,0 @@
class RepeatInterval {
int every;
DateInterval interval;
RepeatInterval({required this.interval, this.every=1});
static RepeatInterval? fromString(String input) {
RegExpMatch? m = RegExp(r'(\d*)(\D+)').firstMatch(input);
if (m != null) {
DateInterval? di = _stringToInterval(m!.group(2)!);
if (di != null) {
return RepeatInterval(interval: di, every: m?.group(1) == "" ? 1 : int.parse(m!.group(1)!));
}
}
return null;
}
/// Does the RepeatInterval referencing from a hit b?
bool repeatHit(DateTime a, DateTime b) {
var daydiff = a.difference(b).inDays;
var weeks = (daydiff / 7).floor();
switch (interval) {
case DateInterval.daily: return daydiff % every == 0;
case DateInterval.weekly: return daydiff % (every*7) == 0;
case DateInterval.monthly: return a.day == b.day;
case DateInterval.monday: return weeks % every == 0 && b.weekday == DateTime.monday;
case DateInterval.tuesday: return weeks % every == 0 && b.weekday == DateTime.tuesday;
case DateInterval.wednesday: return weeks % every == 0 && b.weekday == DateTime.wednesday;
case DateInterval.thursday: return weeks % every == 0 && b.weekday == DateTime.thursday;
case DateInterval.friday: return weeks % every == 0 && b.weekday == DateTime.friday;
case DateInterval.saturday: return weeks % every == 0 && b.weekday == DateTime.saturday;
case DateInterval.sunday: return weeks % every == 0 && b.weekday == DateTime.sunday;
case DateInterval.dayOfMonth: return b.day == every;
case DateInterval.dayOfYear: return DateTime.now().difference(b).inDays == every;
}
}
@override
toString() {
return "$every${_intervalToString(interval)}";
}
static DateInterval? _stringToInterval(String input) {
switch (input) {
case "daily":
case "day": return DateInterval.daily;
case "weekly":
case "week": return DateInterval.weekly;
case "monthly":
case "month": return DateInterval.monthly;
case "mon": return DateInterval.monday;
case "tue": return DateInterval.tuesday;
case "wed": return DateInterval.wednesday;
case "thu": return DateInterval.thursday;
case "fri": return DateInterval.friday;
case "sat": return DateInterval.saturday;
case "sun": return DateInterval.sunday;
case "ofMonth": return DateInterval.dayOfMonth;
case "ofYear": return DateInterval.dayOfYear;
}
return null;
}
static String _intervalToString(DateInterval di) {
switch (di) {
case DateInterval.daily: return "day";
case DateInterval.weekly: return "week";
case DateInterval.monthly: return "month";
case DateInterval.monday: return "mon";
case DateInterval.tuesday: return "tue";
case DateInterval.wednesday: return "wed";
case DateInterval.thursday: return "thu";
case DateInterval.friday: return "fri";
case DateInterval.saturday: return "sat";
case DateInterval.sunday: return "sun";
case DateInterval.dayOfMonth: return "ofMonth";
case DateInterval.dayOfYear: return "ofYear";
}
}
}
enum DateInterval {
daily,
weekly,
monthly,
monday,
tuesday,
wednesday,
thursday,
friday,
saturday,
sunday,
dayOfMonth,
dayOfYear,
}

View File

@ -1,45 +1,3 @@
import 'package:collection/collection.dart';
import 'package:nextcloud_reminder/types/repeat.dart';
class TaskExtra extends Task {
TaskExtra({required super.title,
super.done = false,
super.contexts = const [],
super.projects = const [],
super.meta = const {},
super.priority,
super.begin,
super.end,
this.lineNumber,
this.repeat = const [],
});
TaskExtra.fromTask(Task t, {this.lineNumber})
: repeat = t.meta["repeat"]?.split("/").map(RepeatInterval.fromString).whereNotNull().toList() ?? []
, super(title: t.title,
done: t.done,
contexts: t.contexts,
projects: t.projects,
meta: t.meta,
priority: t.priority,
begin: t.begin,
end: t.end,
);
final int? lineNumber;
final List<RepeatInterval> repeat;
formatAsTask() {
return super.toString();
}
@override
String toString() {
return "$lineNumber: ${super.toString()}";
}
}
class Task { class Task {
final bool done; final bool done;
final DateTime? begin; final DateTime? begin;
@ -61,16 +19,12 @@ class Task {
this.end, this.end,
}); });
static String formatDate(DateTime dt) {
return "${dt!.year}-${dt!.month.toString().padLeft(2,'0')}-${dt!.day.toString().padLeft(2,'0')}";
}
@override @override
String toString() { String toString() {
return (done ? "x " : "") return (done ? "x " : "")
+ (priority == null ? "" : "(${priority!}) ") + (priority == null ? "" : "(${priority!}) ")
+ (begin == null ? "" : "${Task.formatDate(begin!)} ") + (begin == null ? "" : "${begin!.year}-${begin!.month}-${begin!.day} ")
+ (end == null ? "" : "${Task.formatDate(end!)} ") + (end == null ? "" : "${end!.year}-${end!.month}-${end!.day} ")
+ ("$title ") + ("$title ")
+ meta.entries.map((entry) => "${entry.key}:${entry.value}").join(" ") + meta.entries.map((entry) => "${entry.key}:${entry.value}").join(" ")
; ;

View File

@ -6,10 +6,6 @@
#include "generated_plugin_registrant.h" #include "generated_plugin_registrant.h"
#include <flutter_window_close/flutter_window_close_plugin.h>
void fl_register_plugins(FlPluginRegistry* registry) { void fl_register_plugins(FlPluginRegistry* registry) {
g_autoptr(FlPluginRegistrar) flutter_window_close_registrar =
fl_plugin_registry_get_registrar_for_plugin(registry, "FlutterWindowClosePlugin");
flutter_window_close_plugin_register_with_registrar(flutter_window_close_registrar);
} }

View File

@ -3,7 +3,6 @@
# #
list(APPEND FLUTTER_PLUGIN_LIST list(APPEND FLUTTER_PLUGIN_LIST
flutter_window_close
) )
list(APPEND FLUTTER_FFI_PLUGIN_LIST list(APPEND FLUTTER_FFI_PLUGIN_LIST

View File

@ -5,10 +5,8 @@
import FlutterMacOS import FlutterMacOS
import Foundation import Foundation
import flutter_window_close
import path_provider_macos import path_provider_macos
func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) { func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) {
FlutterWindowClosePlugin.register(with: registry.registrar(forPlugin: "FlutterWindowClosePlugin"))
PathProviderPlugin.register(with: registry.registrar(forPlugin: "PathProviderPlugin")) PathProviderPlugin.register(with: registry.registrar(forPlugin: "PathProviderPlugin"))
} }

View File

@ -30,7 +30,7 @@ packages:
source: hosted source: hosted
version: "1.1.1" version: "1.1.1"
collection: collection:
dependency: "direct main" dependency: transitive
description: description:
name: collection name: collection
url: "https://pub.dartlang.org" url: "https://pub.dartlang.org"
@ -43,13 +43,6 @@ packages:
url: "https://pub.dartlang.org" url: "https://pub.dartlang.org"
source: hosted source: hosted
version: "1.0.5" version: "1.0.5"
date_field:
dependency: "direct main"
description:
name: date_field
url: "https://pub.dartlang.org"
source: hosted
version: "3.0.2"
fake_async: fake_async:
dependency: transitive dependency: transitive
description: description:
@ -88,39 +81,6 @@ packages:
description: flutter description: flutter
source: sdk source: sdk
version: "0.0.0" version: "0.0.0"
flutter_web_plugins:
dependency: transitive
description: flutter
source: sdk
version: "0.0.0"
flutter_window_close:
dependency: "direct main"
description:
name: flutter_window_close
url: "https://pub.dartlang.org"
source: hosted
version: "0.2.2"
gap:
dependency: "direct main"
description:
name: gap
url: "https://pub.dartlang.org"
source: hosted
version: "2.0.1"
intl:
dependency: "direct main"
description:
name: intl
url: "https://pub.dartlang.org"
source: hosted
version: "0.17.0"
js:
dependency: transitive
description:
name: js
url: "https://pub.dartlang.org"
source: hosted
version: "0.6.4"
lints: lints:
dependency: transitive dependency: transitive
description: description:

View File

@ -3,7 +3,7 @@ description: A Reminder based on todo.txt synced via nextcloud
# The following line prevents the package from being accidentally published to # The following line prevents the package from being accidentally published to
# pub.dev using `flutter pub publish`. This is preferred for private packages. # pub.dev using `flutter pub publish`. This is preferred for private packages.
publish_to: 'https://gitea.dresselhaus.cloud/api/packages/drezil/pub' # Remove this line if you wish to publish to pub.dev publish_to: 'none' # Remove this line if you wish to publish to pub.dev
# The following defines the version and build number for your application. # The following defines the version and build number for your application.
# A version number is three numbers separated by dots, like 1.2.43 # A version number is three numbers separated by dots, like 1.2.43
@ -39,11 +39,6 @@ dependencies:
path_provider: ^2.0.11 path_provider: ^2.0.11
petitparser: ^5.1.0 petitparser: ^5.1.0
tuple: ^2.0.1 tuple: ^2.0.1
flutter_window_close: ^0.2.2
collection: ^1.16.0
date_field: ^3.0.2
gap: ^2.0.1
intl: ^0.17.0
dev_dependencies: dev_dependencies:
flutter_test: flutter_test:

View File

@ -6,9 +6,6 @@
#include "generated_plugin_registrant.h" #include "generated_plugin_registrant.h"
#include <flutter_window_close/flutter_window_close_plugin.h>
void RegisterPlugins(flutter::PluginRegistry* registry) { void RegisterPlugins(flutter::PluginRegistry* registry) {
FlutterWindowClosePluginRegisterWithRegistrar(
registry->GetRegistrarForPlugin("FlutterWindowClosePlugin"));
} }

View File

@ -3,7 +3,6 @@
# #
list(APPEND FLUTTER_PLUGIN_LIST list(APPEND FLUTTER_PLUGIN_LIST
flutter_window_close
) )
list(APPEND FLUTTER_FFI_PLUGIN_LIST list(APPEND FLUTTER_FFI_PLUGIN_LIST