Compare commits

..

No commits in common. "2d43ad58865bd4a3b01c40b232f2df715e1ca53c" and "3be02d3ffe8e652908e59b3a0d0c45c1dfb6e6b6" have entirely different histories.

29 changed files with 698 additions and 1302 deletions

View file

@ -1,7 +1,3 @@
# 1.0.0-alpha+3
- Add settings view for editing wallet categories
- Change code according to more aggressive linting
- Create a default "no category" category, mainly to store entries with removed categories
# 1.0.0-alpha+2 # 1.0.0-alpha+2
- Fixed localization issues - Fixed localization issues
- Added graphs for expenses and income per month/year - Added graphs for expenses and income per month/year

View file

@ -7,7 +7,7 @@
# The following line activates a set of recommended lints for Flutter apps, # The following line activates a set of recommended lints for Flutter apps,
# packages, and plugins designed to encourage good coding practices. # packages, and plugins designed to encourage good coding practices.
include: package:very_good_analysis/analysis_options.yaml include: package:flutter_lints/flutter.yaml
linter: linter:
# The lint rules applied to this project can be customized in the # The lint rules applied to this project can be customized in the
@ -23,8 +23,6 @@ linter:
rules: rules:
# avoid_print: false # Uncomment to disable the `avoid_print` rule # avoid_print: false # Uncomment to disable the `avoid_print` rule
# prefer_single_quotes: true # Uncomment to enable the `prefer_single_quotes` rule # prefer_single_quotes: true # Uncomment to enable the `prefer_single_quotes` rule
prefer_single_quotes: false
flutter_style_todos: false
# Additional information about this file can be found at # Additional information about this file can be found at
# https://dart.dev/guides/language/analysis-options # https://dart.dev/guides/language/analysis-options

View file

@ -6,28 +6,24 @@ part 'category.g.dart';
/// Represents a category in a user's wallet /// Represents a category in a user's wallet
class WalletCategory { class WalletCategory {
/// Represents a category in a user's wallet final EntryType type;
WalletCategory({
required this.name,
required this.id,
required this.icon,
});
/// Connects generated fromJson method
factory WalletCategory.fromJson(Map<String, dynamic> json) =>
_$WalletCategoryFromJson(json);
/// User-defined name
String name; String name;
/// Unique identificator of the category
final int id; final int id;
/// Selected Icon for the category
@JsonKey(fromJson: _iconDataFromJson, toJson: _iconDataToJson) @JsonKey(fromJson: _iconDataFromJson, toJson: _iconDataToJson)
IconData icon; IconData icon;
/// Connects generated toJson method WalletCategory(
{required this.name,
required this.type,
required this.id,
required this.icon});
/// Connect the generated [_$WalletEntry] function to the `fromJson`
/// factory.
factory WalletCategory.fromJson(Map<String, dynamic> json) =>
_$WalletCategoryFromJson(json);
/// Connect the generated [_$PersonToJson] function to the `toJson` method.
Map<String, dynamic> toJson() => _$WalletCategoryToJson(this); Map<String, dynamic> toJson() => _$WalletCategoryToJson(this);
@override @override
@ -38,15 +34,7 @@ class WalletCategory {
Map<String, dynamic> _iconDataToJson(IconData icon) => Map<String, dynamic> _iconDataToJson(IconData icon) =>
{'codepoint': icon.codePoint, 'family': icon.fontFamily}; {'codepoint': icon.codePoint, 'family': icon.fontFamily};
IconData _iconDataFromJson(Map<String, dynamic> data) => IconData _iconDataFromJson(Map<String, dynamic> data) =>
IconData(data['codepoint'] as int, fontFamily: data['family'] as String?); IconData(data['codepoint'], fontFamily: data['family']);
/// Type of entry, either expense or income enum EntryType { expense, income }
enum EntryType {
/// Expense
expense,
/// Income
income
}

View file

@ -9,13 +9,20 @@ part of 'category.dart';
WalletCategory _$WalletCategoryFromJson(Map<String, dynamic> json) => WalletCategory _$WalletCategoryFromJson(Map<String, dynamic> json) =>
WalletCategory( WalletCategory(
name: json['name'] as String, name: json['name'] as String,
type: $enumDecode(_$EntryTypeEnumMap, json['type']),
id: json['id'] as int, id: json['id'] as int,
icon: _iconDataFromJson(json['icon'] as Map<String, dynamic>), icon: _iconDataFromJson(json['icon'] as Map<String, dynamic>),
); );
Map<String, dynamic> _$WalletCategoryToJson(WalletCategory instance) => Map<String, dynamic> _$WalletCategoryToJson(WalletCategory instance) =>
<String, dynamic>{ <String, dynamic>{
'type': _$EntryTypeEnumMap[instance.type]!,
'name': instance.name, 'name': instance.name,
'id': instance.id, 'id': instance.id,
'icon': _iconDataToJson(instance.icon), 'icon': _iconDataToJson(instance.icon),
}; };
const _$EntryTypeEnumMap = {
EntryType.expense: 'expense',
EntryType.income: 'income',
};

View file

@ -1,25 +1,16 @@
import 'package:json_annotation/json_annotation.dart'; import 'package:json_annotation/json_annotation.dart';
part 'entry_data.g.dart'; part 'entry_data.g.dart';
/// Contains raw data
@JsonSerializable() @JsonSerializable()
class EntryData { class EntryData {
/// Contains raw data String name;
String description;
double amount;
EntryData({required this.name, required this.amount, this.description = ""}); EntryData({required this.name, required this.amount, this.description = ""});
/// Connects generated fromJson method
factory EntryData.fromJson(Map<String, dynamic> json) => factory EntryData.fromJson(Map<String, dynamic> json) =>
_$EntryDataFromJson(json); _$EntryDataFromJson(json);
/// Name of entry
String name;
/// Optional description, default is empty
String description;
/// Amount for entry
double amount;
/// Connects generated toJson method
Map<String, dynamic> toJson() => _$EntryDataToJson(this); Map<String, dynamic> toJson() => _$EntryDataToJson(this);
} }

View file

@ -2,51 +2,35 @@ import 'package:currency_picker/currency_picker.dart';
import 'package:json_annotation/json_annotation.dart'; import 'package:json_annotation/json_annotation.dart';
import 'package:prasule/api/category.dart'; import 'package:prasule/api/category.dart';
import 'package:prasule/api/walletentry.dart'; import 'package:prasule/api/walletentry.dart';
import 'package:prasule/api/walletmanager.dart';
part 'wallet.g.dart'; part 'wallet.g.dart';
Currency _currencyFromJson(Map<String, dynamic> data) => Currency _currencyFromJson(Map<String, dynamic> data) =>
Currency.from(json: data); Currency.from(json: data);
/// Represents a single wallet
///
/// A wallet stores [WalletSingleEntry]s categorized under [WalletCategory]s
@JsonSerializable() @JsonSerializable()
class Wallet { class Wallet {
/// A wallet stores [WalletSingleEntry]s categorized under [WalletCategory]s
Wallet({
required this.name,
required this.currency,
this.categories = const [],
this.entries = const [],
this.starterBalance = 0,
});
/// Connects generated fromJson method
factory Wallet.fromJson(Map<String, dynamic> json) => _$WalletFromJson(json);
/// Name of the wallet
final String name; final String name;
/// A list of available categories
final List<WalletCategory> categories; final List<WalletCategory> categories;
/// List of saved entries
final List<WalletSingleEntry> entries; final List<WalletSingleEntry> entries;
/// The starting balance of the wallet
///
/// Used to calculate current balance
double starterBalance; double starterBalance;
/// Selected currency
@JsonKey(fromJson: _currencyFromJson) @JsonKey(fromJson: _currencyFromJson)
final Currency currency; final Currency currency;
/// Connects generated toJson method Wallet(
{required this.name,
required this.currency,
this.categories = const [],
this.entries = const [],
this.starterBalance = 0});
/// Connect the generated [_$WalletEntry] function to the `fromJson`
/// factory.
factory Wallet.fromJson(Map<String, dynamic> json) => _$WalletFromJson(json);
/// Connect the generated [_$PersonToJson] function to the `toJson` method.
Map<String, dynamic> toJson() => _$WalletToJson(this); Map<String, dynamic> toJson() => _$WalletToJson(this);
/// Getter for the next unused unique number ID in the wallet's **entry** list /// Getter for the next unused unique number ID in the wallet's entry list
int get nextId { int get nextId {
var id = 1; var id = 1;
while (entries.where((element) => element.id == id).isNotEmpty) { while (entries.where((element) => element.id == id).isNotEmpty) {
@ -55,41 +39,13 @@ class Wallet {
return id; return id;
} }
/// Getter for the next unused unique number ID in the wallet's **category**
/// list
int get nextCategoryId {
var id = 0;
while (categories.where((element) => element.id == id).isNotEmpty) {
id++; // create unique ID
}
return id;
}
/// Removes the specified category.
///
/// All [WalletSingleEntry]s will have their category reassigned
/// to the default *No category*
Future<void> removeCategory(WalletCategory category) async {
// First remove the category from existing entries
for (final entryToChange
in entries.where((element) => element.category.id == category.id)) {
entryToChange.category =
categories.where((element) => element.id == 0).first;
}
// Remove the category
categories.removeWhere((element) => element.id == category.id);
// Save
await WalletManager.saveWallet(this);
}
/// Empty wallet used for placeholders
static final Wallet empty = Wallet( static final Wallet empty = Wallet(
name: "Empty", name: "Empty",
currency: Currency.from( currency: Currency.from(
json: { json: {
"code": "USD", "code": "USD",
"name": "United States Dollar", "name": "United States Dollar",
"symbol": r"$", "symbol": "\$",
"flag": "USD", "flag": "USD",
"decimal_digits": 2, "decimal_digits": 2,
"number": 840, "number": 840,

View file

@ -1,41 +1,30 @@
import 'package:json_annotation/json_annotation.dart';
import 'package:prasule/api/category.dart'; import 'package:prasule/api/category.dart';
import 'package:json_annotation/json_annotation.dart';
import 'package:prasule/api/entry_data.dart'; import 'package:prasule/api/entry_data.dart';
part 'walletentry.g.dart'; part 'walletentry.g.dart';
@JsonSerializable() @JsonSerializable()
/// This is an entry containing a single item /// This is an entry containing a single item
class WalletSingleEntry { class WalletSingleEntry {
/// This is an entry containing a single item EntryType type;
WalletSingleEntry({ EntryData data;
required this.data, DateTime date;
WalletCategory category;
int id;
WalletSingleEntry(
{required this.data,
required this.type, required this.type,
required this.date, required this.date,
required this.category, required this.category,
required this.id, required this.id});
});
/// Connects generated fromJson method /// Connect the generated [_$WalletEntry] function to the `fromJson`
/// factory.
factory WalletSingleEntry.fromJson(Map<String, dynamic> json) => factory WalletSingleEntry.fromJson(Map<String, dynamic> json) =>
_$WalletSingleEntryFromJson(json); _$WalletSingleEntryFromJson(json);
/// Expense or income /// Connect the generated [_$WalletEntryToJson] function to the `toJson` method.
EntryType type;
/// Actual entry data
EntryData data;
/// Date of entry creation
DateTime date;
/// Selected category
WalletCategory category;
/// Unique entry ID
int id;
/// Connects generated toJson method
Map<String, dynamic> toJson() => _$WalletSingleEntryToJson(this); Map<String, dynamic> toJson() => _$WalletSingleEntryToJson(this);
} }

View file

@ -3,52 +3,42 @@ import 'dart:io';
import 'package:path_provider/path_provider.dart'; import 'package:path_provider/path_provider.dart';
import 'package:prasule/api/wallet.dart'; import 'package:prasule/api/wallet.dart';
import 'package:prasule/main.dart';
/// Used for [Wallet]-managing operations
class WalletManager { class WalletManager {
/// Returns a list of all [Wallet]s
static Future<List<Wallet>> listWallets() async { static Future<List<Wallet>> listWallets() async {
final path = var path =
Directory("${(await getApplicationDocumentsDirectory()).path}/wallets"); Directory("${(await getApplicationDocumentsDirectory()).path}/wallets");
if (!path.existsSync()) { if (!path.existsSync()) {
path.createSync(); path.createSync();
} }
final wallets = <Wallet>[]; var wallets = <Wallet>[];
for (final w for (var w in path.listSync().map((e) => e.path.split("/").last).toList()) {
in path.listSync().map((e) => e.path.split("/").last).toList()) {
try { try {
wallets.add(await loadWallet(w)); wallets.add(await loadWallet(w));
} catch (e) { } catch (e) {
logger.e(e);
// TODO: do something with unreadable wallets // TODO: do something with unreadable wallets
} }
} }
logger.i(wallets.length);
return wallets; return wallets;
} }
/// Loads and returns a single [Wallet] by name
static Future<Wallet> loadWallet(String name) async { static Future<Wallet> loadWallet(String name) async {
final path = var path =
Directory("${(await getApplicationDocumentsDirectory()).path}/wallets"); Directory("${(await getApplicationDocumentsDirectory()).path}/wallets");
final wallet = File("${path.path}/$name"); var wallet = File("${path.path}/$name");
if (!path.existsSync()) { if (!path.existsSync()) {
path.createSync(); path.createSync();
} }
if (!wallet.existsSync()) { if (!wallet.existsSync()) {
return Future.error("Wallet does not exist"); return Future.error("Wallet does not exist");
} }
return Wallet.fromJson( return Wallet.fromJson(jsonDecode(wallet.readAsStringSync()));
jsonDecode(wallet.readAsStringSync()) as Map<String, dynamic>,
);
} }
/// Converts [Wallet] to JSON and saves it to AppData
static Future<bool> saveWallet(Wallet w) async { static Future<bool> saveWallet(Wallet w) async {
final path = var path =
Directory("${(await getApplicationDocumentsDirectory()).path}/wallets"); Directory("${(await getApplicationDocumentsDirectory()).path}/wallets");
final wallet = File("${path.path}/${w.name}"); var wallet = File("${path.path}/${w.name}");
if (!path.existsSync()) { if (!path.existsSync()) {
path.createSync(); path.createSync();
} }
@ -57,10 +47,10 @@ class WalletManager {
return true; return true;
} }
/// Deletes the corresponding [Wallet] file
static Future<void> deleteWallet(Wallet w) async { static Future<void> deleteWallet(Wallet w) async {
final path = var path =
Directory("${(await getApplicationDocumentsDirectory()).path}/wallets"); Directory("${(await getApplicationDocumentsDirectory()).path}/wallets");
File("${path.path}/${w.name}").deleteSync(); var wallet = File("${path.path}/${w.name}");
wallet.deleteSync();
} }
} }

View file

@ -74,10 +74,6 @@
"barChart":"Sloupcový", "barChart":"Sloupcový",
"selectType":"Zvolte typ", "selectType":"Zvolte typ",
"enableYou":"Povolit Material You (Může vyžadovat restart aplikace)", "enableYou":"Povolit Material You (Může vyžadovat restart aplikace)",
"enableYouDesc":"Aplikace použije barevné schéma z vaší tapety", "enableYouDesc":"Aplikace použije barevné schéma z vaší tapety"
"editCategories":"Upravit kategorie",
"editCategoriesDesc":"Přidat, upravit nebo odebrat kategorii z peněženky",
"wallet":"Peněženka",
"noCategory":"Žádná kategorie"
} }

View file

@ -154,9 +154,5 @@
"barChart":"Bar chart", "barChart":"Bar chart",
"selectType":"Select type", "selectType":"Select type",
"enableYou":"Enable Material You (May require an app restart)", "enableYou":"Enable Material You (May require an app restart)",
"enableYouDesc":"The app will use a color scheme from your wallpaper", "enableYouDesc":"The app will use a color scheme from your wallpaper"
"editCategories":"Edit categories",
"editCategoriesDesc":"Add, edit or remove categories from a wallet",
"wallet":"Wallet",
"noCategory":"No category"
} }

View file

@ -3,37 +3,25 @@ import 'dart:io';
import 'package:dynamic_color/dynamic_color.dart'; import 'package:dynamic_color/dynamic_color.dart';
import 'package:flutter/cupertino.dart'; import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:flutter_localizations/flutter_localizations.dart'; import 'package:flutter_localizations/flutter_localizations.dart';
import 'package:logger/logger.dart'; import 'package:logger/logger.dart';
import 'package:prasule/util/color_schemes.g.dart'; import 'package:prasule/util/color_schemes.g.dart';
import 'package:prasule/views/home.dart'; import 'package:prasule/views/home.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:shared_preferences/shared_preferences.dart'; import 'package:shared_preferences/shared_preferences.dart';
var _materialYou = false; var _materialYou = false;
void main() async { void main() async {
WidgetsFlutterBinding.ensureInitialized(); WidgetsFlutterBinding.ensureInitialized();
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
if (!Platform.isAndroid) {
await s.setBool("useMaterialYou", false);
}
_materialYou = s.getBool("useMaterialYou") ?? true; _materialYou = s.getBool("useMaterialYou") ?? true;
runApp(const MyApp()); runApp(const MyApp());
} }
/// Global logger for debugging
final logger = Logger(); final logger = Logger();
/// The application itself
class MyApp extends StatelessWidget { class MyApp extends StatelessWidget {
/// The application itself
const MyApp({super.key}); const MyApp({super.key});
/// If Material You was applied
///
/// Used to check if it is supported
static bool appliedYou = false; static bool appliedYou = false;
// This widget is the root of your application. // This widget is the root of your application.
@override @override
@ -47,21 +35,21 @@ class MyApp extends StatelessWidget {
localizationsDelegates: const [ localizationsDelegates: const [
AppLocalizations.delegate, AppLocalizations.delegate,
...GlobalMaterialLocalizations.delegates, ...GlobalMaterialLocalizations.delegates,
...GlobalCupertinoLocalizations.delegates, ...GlobalCupertinoLocalizations.delegates
], ],
supportedLocales: AppLocalizations.supportedLocales, supportedLocales: AppLocalizations.supportedLocales,
title: 'Prašule', title: 'Prašule',
theme: ThemeData( theme: ThemeData(
colorScheme: _materialYou colorScheme: (_materialYou)
? light ?? lightColorScheme ? light ?? lightColorScheme
: lightColorScheme, : lightColorScheme,
useMaterial3: true, useMaterial3: true,
), ),
darkTheme: ThemeData( darkTheme: ThemeData(
useMaterial3: true, useMaterial3: true,
colorScheme: colorScheme: (_materialYou)
_materialYou ? dark ?? darkColorScheme : darkColorScheme, ? dark ?? darkColorScheme
), : darkColorScheme),
home: const HomeView(), home: const HomeView(),
); );
}, },
@ -69,11 +57,10 @@ class MyApp extends StatelessWidget {
: Theme( : Theme(
data: ThemeData( data: ThemeData(
useMaterial3: true, useMaterial3: true,
colorScheme: colorScheme: (MediaQuery.of(context).platformBrightness ==
(MediaQuery.of(context).platformBrightness == Brightness.dark) Brightness.dark)
? darkColorScheme ? darkColorScheme
: lightColorScheme, : lightColorScheme),
),
child: const CupertinoApp( child: const CupertinoApp(
title: 'Prašule', title: 'Prašule',
home: HomeView(), home: HomeView(),

View file

@ -4,48 +4,40 @@ import 'package:dio/dio.dart';
import 'package:flutter_tesseract_ocr/flutter_tesseract_ocr.dart'; import 'package:flutter_tesseract_ocr/flutter_tesseract_ocr.dart';
import 'package:prasule/main.dart'; import 'package:prasule/main.dart';
/// Used for communication with my repo mirror
///
/// Downloads Tessdata for OCR
class TessdataApi { class TessdataApi {
static final Dio _client = Dio( static final Dio _client = Dio(
BaseOptions( BaseOptions(
validateStatus: (status) => true, validateStatus: (status) => true,
), ),
); );
/// Gets available languages from the repo
static Future<List<String>> getAvailableData() async { static Future<List<String>> getAvailableData() async {
final res = await _client.get<List<Map<String, dynamic>>>( var res = await _client.get(
"https://git.mnau.xyz/api/v1/repos/hernik/tessdata_fast/contents", "https://git.mnau.xyz/api/v1/repos/hernik/tessdata_fast/contents",
options: Options(headers: {"Accept": "application/json"}), options: Options(headers: {"Accept": "application/json"}));
);
if ((res.statusCode ?? 500) > 399) { if ((res.statusCode ?? 500) > 399) {
return Future.error("The server returned status code ${res.statusCode}"); return Future.error("The server returned status code ${res.statusCode}");
} }
final data = res.data; var data = res.data;
final dataFiles = <String>[]; final dataFiles = <String>[];
for (final file in data ?? <Map<String, dynamic>>[]) { for (var file in data) {
if (!(file["name"] as String).endsWith(".traineddata")) continue; if (!file["name"].endsWith(".traineddata")) continue;
dataFiles.add((file["name"] as String).replaceAll(".traineddata", "")); dataFiles.add(file["name"].replaceAll(".traineddata", ""));
} }
return dataFiles; return dataFiles;
} }
/// Deletes data from device
static Future<void> deleteData(String name) async { static Future<void> deleteData(String name) async {
final dataDir = Directory(await FlutterTesseractOcr.getTessdataPath()); var dataDir = Directory(await FlutterTesseractOcr.getTessdataPath());
if (!dataDir.existsSync()) { if (!dataDir.existsSync()) {
dataDir.createSync(); dataDir.createSync();
} }
final dataFile = File("${dataDir.path}/$name.traineddata"); var dataFile = File("${dataDir.path}/$name.traineddata");
if (!dataFile.existsSync()) return; if (!dataFile.existsSync()) return;
dataFile.deleteSync(); dataFile.deleteSync();
} }
/// Finds existing data on the device
static Future<List<String>> getDownloadedData() async { static Future<List<String>> getDownloadedData() async {
final tessDir = Directory(await FlutterTesseractOcr.getTessdataPath()); var tessDir = Directory(await FlutterTesseractOcr.getTessdataPath());
if (!tessDir.existsSync()) { if (!tessDir.existsSync()) {
tessDir.createSync(); tessDir.createSync();
} }
@ -56,29 +48,25 @@ class TessdataApi {
.toList(); .toList();
} }
/// Downloads data from the repo to the device static Future<void> downloadData(String isoCode,
static Future<void> downloadData( {void Function(int, int)? callback}) async {
String isoCode, { var tessDir = Directory(await FlutterTesseractOcr.getTessdataPath());
void Function(int, int)? callback,
}) async {
final tessDir = Directory(await FlutterTesseractOcr.getTessdataPath());
if (!tessDir.existsSync()) { if (!tessDir.existsSync()) {
tessDir.createSync(); tessDir.createSync();
} }
final file = File("${tessDir.path}/$isoCode.traineddata"); var file = File("${tessDir.path}/$isoCode.traineddata");
if (file.existsSync()) return; // TODO: maybe ask to redownload? if (file.existsSync()) return; // TODO: maybe ask to redownload?
final res = await _client.get<List<int>>( var res = await _client.get(
"https://git.mnau.xyz/hernik/tessdata_fast/raw/branch/main/$isoCode.traineddata", "https://git.mnau.xyz/hernik/tessdata_fast/raw/branch/main/$isoCode.traineddata",
options: Options(responseType: ResponseType.bytes), options: Options(responseType: ResponseType.bytes),
onReceiveProgress: callback, onReceiveProgress: callback);
);
if ((res.statusCode ?? 500) > 399) { if ((res.statusCode ?? 500) > 399) {
return Future.error("The server returned status code ${res.statusCode}"); return Future.error("The server returned status code ${res.statusCode}");
} }
try { try {
file.openSync(mode: FileMode.write) var writefile = file.openSync(mode: FileMode.write);
..writeFromSync(res.data!) writefile.writeFromSync(res.data);
..closeSync(); writefile.closeSync();
} catch (e) { } catch (e) {
logger.e(e); logger.e(e);
return Future.error("Could not complete writing file"); return Future.error("Could not complete writing file");

View file

@ -1,20 +1,13 @@
// ignore_for_file: public_member_api_docs
import 'package:flutter/cupertino.dart'; import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:prasule/pw/platformwidget.dart'; import 'package:prasule/pw/platformwidget.dart';
/// A [PlatformWidget] implementation of a text field
class PlatformButton extends PlatformWidget<TextButton, CupertinoButton> { class PlatformButton extends PlatformWidget<TextButton, CupertinoButton> {
const PlatformButton({
required this.text,
required this.onPressed,
super.key,
this.style,
});
final String text; final String text;
final void Function()? onPressed; final void Function()? onPressed;
final ButtonStyle? style; final ButtonStyle? style;
const PlatformButton(
{super.key, required this.text, required this.onPressed, this.style});
@override @override
TextButton createAndroidWidget(BuildContext context) => TextButton( TextButton createAndroidWidget(BuildContext context) => TextButton(

View file

@ -1,16 +1,13 @@
// ignore_for_file: public_member_api_docs
import 'package:flutter/cupertino.dart'; import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:prasule/pw/platformwidget.dart'; import 'package:prasule/pw/platformwidget.dart';
/// A [PlatformWidget] implementation of a dialog
class PlatformDialog extends PlatformWidget<AlertDialog, CupertinoAlertDialog> { class PlatformDialog extends PlatformWidget<AlertDialog, CupertinoAlertDialog> {
const PlatformDialog(
{required this.title, super.key, this.content, this.actions = const [],});
final String title; final String title;
final Widget? content; final Widget? content;
final List<Widget> actions; final List<Widget> actions;
const PlatformDialog(
{super.key, required this.title, this.content, this.actions = const []});
@override @override
AlertDialog createAndroidWidget(BuildContext context) => AlertDialog( AlertDialog createAndroidWidget(BuildContext context) => AlertDialog(

View file

@ -1,27 +1,9 @@
// ignore_for_file: public_member_api_docs
import 'package:flutter/cupertino.dart'; import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter/services.dart'; import 'package:flutter/services.dart';
import 'package:prasule/pw/platformwidget.dart'; import 'package:prasule/pw/platformwidget.dart';
/// A [PlatformWidget] implementation of a text field
class PlatformField extends PlatformWidget<TextField, CupertinoTextField> { class PlatformField extends PlatformWidget<TextField, CupertinoTextField> {
const PlatformField({
super.key,
this.controller,
this.enabled,
this.labelText,
this.obscureText = false,
this.autocorrect = false,
this.keyboardType,
this.inputFormatters = const [],
this.onChanged,
this.autofillHints,
this.textStyle,
this.textAlign = TextAlign.start,
this.maxLines = 1,
});
final TextEditingController? controller; final TextEditingController? controller;
final bool? enabled; final bool? enabled;
final bool obscureText; final bool obscureText;
@ -34,6 +16,20 @@ class PlatformField extends PlatformWidget<TextField, CupertinoTextField> {
final TextStyle? textStyle; final TextStyle? textStyle;
final TextAlign textAlign; final TextAlign textAlign;
final int? maxLines; final int? maxLines;
const PlatformField(
{super.key,
this.controller,
this.enabled,
this.labelText,
this.obscureText = false,
this.autocorrect = false,
this.keyboardType,
this.inputFormatters = const [],
this.onChanged,
this.autofillHints,
this.textStyle,
this.textAlign = TextAlign.start,
this.maxLines = 1});
@override @override
TextField createAndroidWidget(BuildContext context) => TextField( TextField createAndroidWidget(BuildContext context) => TextField(
@ -43,8 +39,7 @@ class PlatformField extends PlatformWidget<TextField, CupertinoTextField> {
obscureText: obscureText, obscureText: obscureText,
decoration: InputDecoration( decoration: InputDecoration(
labelText: labelText, labelText: labelText,
border: OutlineInputBorder(borderRadius: BorderRadius.circular(4)), border: OutlineInputBorder(borderRadius: BorderRadius.circular(4))),
),
autocorrect: autocorrect, autocorrect: autocorrect,
keyboardType: keyboardType, keyboardType: keyboardType,
style: textStyle, style: textStyle,

View file

@ -3,10 +3,7 @@ import 'dart:io';
import 'package:flutter/cupertino.dart'; import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
/// Creates a PageRoute based on [Platform] Route<T> platformRoute<T>(Widget Function(BuildContext) builder) =>
Route<T> platformRoute<T extends Object?>(
Widget Function(BuildContext) builder,
) =>
(Platform.isIOS) (Platform.isIOS)
? CupertinoPageRoute<T>(builder: builder) ? CupertinoPageRoute<T>(builder: builder)
: MaterialPageRoute<T>(builder: builder); : MaterialPageRoute<T>(builder: builder);

View file

@ -5,7 +5,6 @@ import 'package:flutter/material.dart';
/// Abstract class used to create widgets for the respective platform UI library /// Abstract class used to create widgets for the respective platform UI library
abstract class PlatformWidget<A extends Widget, I extends Widget> abstract class PlatformWidget<A extends Widget, I extends Widget>
extends StatelessWidget { extends StatelessWidget {
/// Abstract class used to create widgets for the respective platform UI library
const PlatformWidget({super.key}); const PlatformWidget({super.key});
@override @override
@ -17,9 +16,7 @@ abstract class PlatformWidget<A extends Widget, I extends Widget>
} }
} }
/// The widget that will be shown on Android
A createAndroidWidget(BuildContext context); A createAndroidWidget(BuildContext context);
/// The widget that will be shown on iOS
I createIosWidget(BuildContext context); I createIosWidget(BuildContext context);
} }

View file

@ -1,5 +1,3 @@
// ignore_for_file: public_member_api_docs
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
const lightColorScheme = ColorScheme( const lightColorScheme = ColorScheme(

View file

@ -2,57 +2,37 @@ import 'package:currency_picker/currency_picker.dart';
import 'package:dynamic_color/dynamic_color.dart'; import 'package:dynamic_color/dynamic_color.dart';
import 'package:fl_chart/fl_chart.dart'; import 'package:fl_chart/fl_chart.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:prasule/api/category.dart';
import 'package:prasule/api/walletentry.dart';
import 'package:intl/intl.dart'; import 'package:intl/intl.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
/// Monthly/Yearly expense/income [LineChart] /// Monthly/Yearly expense/income [LineChart]
class ExpensesLineChart extends StatelessWidget { class ExpensesLineChart extends StatelessWidget {
/// Monthly/Yearly expense/income [LineChart] const ExpensesLineChart(
const ExpensesLineChart({ {super.key,
required this.date, required this.date,
required this.locale, required this.locale,
required this.expenseData, required this.expenseData,
required this.incomeData, required this.incomeData,
required this.currency, required this.currency,
super.key, this.yearly = false});
this.yearly = false,
});
/// If the graph will be shown yearly
final bool yearly; final bool yearly;
/// Selected date
///
/// Used to get either month or year
final DateTime date; final DateTime date;
/// Current locale
///
/// Used mainly for formatting
final String locale; final String locale;
/// The expense data used for the graph
final List<double> expenseData; final List<double> expenseData;
/// Wallet currency
///
/// Used to show currency symbol
final Currency currency; final Currency currency;
List<double> get expenseDataSorted {
var list = List<double>.from(expenseData);
list.sort((a, b) => a.compareTo(b));
return list;
}
/// Expense data, but sorted
List<double> get expenseDataSorted =>
List<double>.from(expenseData)..sort((a, b) => a.compareTo(b));
/// Income data used for the graph
final List<double> incomeData; final List<double> incomeData;
List<double> get incomeDataSorted {
var list = List<double>.from(incomeData);
list.sort((a, b) => a.compareTo(b));
return list;
}
/// Income data, but sorted
List<double> get incomeDataSorted =>
List<double>.from(incomeData)..sort((a, b) => a.compareTo(b));
/// Calculates maxY for the graph
double get maxY { double get maxY {
if (incomeData.isEmpty) return expenseDataSorted.last; if (incomeData.isEmpty) return expenseDataSorted.last;
if (expenseData.isEmpty) return incomeDataSorted.last; if (expenseData.isEmpty) return incomeDataSorted.last;
@ -75,45 +55,35 @@ class ExpensesLineChart extends StatelessWidget {
(spots[index].barIndex == 0) (spots[index].barIndex == 0)
? (yearly ? (yearly
? AppLocalizations.of(context).incomeForMonth( ? AppLocalizations.of(context).incomeForMonth(
DateFormat.MMMM(locale).format( DateFormat.MMMM(locale).format(DateTime(
DateTime( date.year, spots[index].x.toInt() + 1, 1)),
date.year,
spots[index].x.toInt() + 1,
),
),
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(spots[index].y), .format(spots[index].y))
)
: AppLocalizations.of(context).incomeForDay( : AppLocalizations.of(context).incomeForDay(
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(spots[index].y), .format(spots[index].y),
)) ))
: (yearly : (yearly
? AppLocalizations.of(context).expensesForMonth( ? AppLocalizations.of(context).expensesForMonth(
DateFormat.MMMM(locale).format( DateFormat.MMMM(locale).format(DateTime(
DateTime( date.year, spots[index].x.toInt() + 1, 1)),
date.year,
spots[index].x.toInt() + 1,
),
),
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(spots[index].y), .format(spots[index].y))
)
: AppLocalizations.of(context).expensesForDay( : AppLocalizations.of(context).expensesForDay(
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(spots[index].y), .format(spots[index].y),
)), )),
TextStyle(color: spots[index].bar.color), TextStyle(color: spots[index].bar.color),
), ),
@ -121,7 +91,7 @@ class ExpensesLineChart extends StatelessWidget {
), ),
), ),
maxY: maxY, maxY: maxY,
maxX: yearly ? 12 : DateTime(date.year, date.month, 0).day.toDouble(), maxX: (yearly) ? 12 : DateTime(date.year, date.month, 0).day.toDouble(),
minY: 0, minY: 0,
minX: 0, minX: 0,
backgroundColor: Theme.of(context).colorScheme.background, backgroundColor: Theme.of(context).colorScheme.background,
@ -132,11 +102,11 @@ class ExpensesLineChart extends StatelessWidget {
barWidth: 8, barWidth: 8,
isStrokeCapRound: true, isStrokeCapRound: true,
dotData: const FlDotData(show: false), dotData: const FlDotData(show: false),
belowBarData: BarAreaData(), belowBarData: BarAreaData(show: false),
color: Colors.green color: Colors.green
.harmonizeWith(Theme.of(context).colorScheme.secondary), .harmonizeWith(Theme.of(context).colorScheme.secondary),
spots: List.generate( spots: List.generate(
yearly ? 12 : DateTime(date.year, date.month, 0).day, (yearly) ? 12 : DateTime(date.year, date.month, 0).day,
(index) => FlSpot(index.toDouble(), incomeData[index]), (index) => FlSpot(index.toDouble(), incomeData[index]),
), ),
), ),
@ -146,18 +116,22 @@ class ExpensesLineChart extends StatelessWidget {
barWidth: 8, barWidth: 8,
isStrokeCapRound: true, isStrokeCapRound: true,
dotData: const FlDotData(show: false), dotData: const FlDotData(show: false),
belowBarData: BarAreaData(), belowBarData: BarAreaData(show: false),
color: Colors.red color: Colors.red
.harmonizeWith(Theme.of(context).colorScheme.secondary), .harmonizeWith(Theme.of(context).colorScheme.secondary),
spots: List.generate( spots: List.generate(
yearly ? 12 : DateTime(date.year, date.month, 0).day, (yearly) ? 12 : DateTime(date.year, date.month, 0).day,
(index) => FlSpot(index.toDouble() + 1, expenseData[index]), (index) => FlSpot(index.toDouble() + 1, expenseData[index]),
), ),
), ),
], // actual data ], // actual data
titlesData: FlTitlesData( titlesData: FlTitlesData(
rightTitles: const AxisTitles(), rightTitles: const AxisTitles(
topTitles: const AxisTitles(), sideTitles: SideTitles(showTitles: false),
),
topTitles: const AxisTitles(
sideTitles: SideTitles(showTitles: false),
),
bottomTitles: AxisTitles( bottomTitles: AxisTitles(
sideTitles: SideTitles( sideTitles: SideTitles(
reservedSize: 30, reservedSize: 30,
@ -166,15 +140,13 @@ class ExpensesLineChart extends StatelessWidget {
String text; String text;
if (yearly) { if (yearly) {
text = DateFormat.MMM(locale).format( text = DateFormat.MMM(locale).format(
DateTime(date.year, value.toInt() + 1), DateTime(date.year, value.toInt() + 1, 1),
); );
} else { } else {
text = (value.toInt() + 1).toString(); text = (value.toInt() + 1).toString();
} }
return SideTitleWidget( return SideTitleWidget(
axisSide: meta.axisSide, axisSide: meta.axisSide, child: Text(text));
child: Text(text),
);
}, },
), ),
), ),
@ -184,52 +156,34 @@ class ExpensesLineChart extends StatelessWidget {
} }
} }
/// Renders expenses/income as a [BarChart]
class ExpensesBarChart extends StatelessWidget { class ExpensesBarChart extends StatelessWidget {
/// Renders expenses/income as a [BarChart] const ExpensesBarChart(
const ExpensesBarChart({ {super.key,
required this.yearly, required this.yearly,
required this.date, required this.date,
required this.locale, required this.locale,
required this.expenseData, required this.expenseData,
required this.incomeData, required this.incomeData,
required this.currency, required this.currency});
super.key,
});
/// If the graph will be shown yearly
final bool yearly; final bool yearly;
/// Selected date
///
/// Used to get either month or year
final DateTime date; final DateTime date;
/// Current locale
///
/// Used mainly for formatting
final String locale; final String locale;
/// The expense data used for the graph
final List<double> expenseData; final List<double> expenseData;
List<double> get expenseDataSorted {
var list = List<double>.from(expenseData);
list.sort((a, b) => a.compareTo(b));
return list;
}
/// Wallet currency
///
/// Used to show currency symbol
final Currency currency; final Currency currency;
/// Expense data, but sorted
List<double> get expenseDataSorted =>
List<double>.from(expenseData)..sort((a, b) => a.compareTo(b));
/// Income data used for the graph
final List<double> incomeData; final List<double> incomeData;
List<double> get incomeDataSorted {
var list = List<double>.from(incomeData);
list.sort((a, b) => a.compareTo(b));
return list;
}
/// Income data, but sorted
List<double> get incomeDataSorted =>
List<double>.from(incomeData)..sort((a, b) => a.compareTo(b));
/// Calculates maxY for the graph
double get maxY { double get maxY {
if (incomeData.isEmpty) return expenseDataSorted.last; if (incomeData.isEmpty) return expenseDataSorted.last;
if (expenseData.isEmpty) return incomeDataSorted.last; if (expenseData.isEmpty) return incomeDataSorted.last;
@ -247,28 +201,26 @@ class ExpensesBarChart extends StatelessWidget {
enabled: true, enabled: true,
touchTooltipData: BarTouchTooltipData( touchTooltipData: BarTouchTooltipData(
getTooltipItem: (group, groupIndex, rod, rodIndex) => getTooltipItem: (group, groupIndex, rod, rodIndex) =>
yearly // create custom tooltips for graph bars (yearly) // create custom tooltips for graph bars
? BarTooltipItem( ? BarTooltipItem(
(rodIndex == 1) (rodIndex == 1)
? AppLocalizations.of(context).expensesForMonth( ? AppLocalizations.of(context).expensesForMonth(
DateFormat.MMMM(locale).format( DateFormat.MMMM(locale).format(
DateTime(date.year, groupIndex + 1), DateTime(date.year, groupIndex + 1, 1)),
),
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(rod.toY), .format(rod.toY),
) )
: AppLocalizations.of(context).incomeForMonth( : AppLocalizations.of(context).incomeForMonth(
DateFormat.MMMM(locale).format( DateFormat.MMMM(locale).format(
DateTime(date.year, groupIndex + 1), DateTime(date.year, groupIndex + 1, 1)),
),
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(rod.toY), .format(rod.toY),
), ),
TextStyle(color: rod.color), TextStyle(color: rod.color),
) )
@ -278,23 +230,27 @@ class ExpensesBarChart extends StatelessWidget {
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(rod.toY), .format(rod.toY),
) )
: AppLocalizations.of(context).incomeForDay( : AppLocalizations.of(context).incomeForDay(
NumberFormat.compactCurrency( NumberFormat.compactCurrency(
locale: locale, locale: locale,
symbol: currency.symbol, symbol: currency.symbol,
name: currency.name, name: currency.name)
).format(rod.toY), .format(rod.toY),
), ),
TextStyle(color: rod.color), TextStyle(color: rod.color),
), ),
), ),
), ),
titlesData: FlTitlesData( titlesData: FlTitlesData(
rightTitles: const AxisTitles(), rightTitles: const AxisTitles(
topTitles: const AxisTitles(), sideTitles: SideTitles(showTitles: false),
),
topTitles: const AxisTitles(
sideTitles: SideTitles(showTitles: false),
),
bottomTitles: AxisTitles( bottomTitles: AxisTitles(
sideTitles: SideTitles( sideTitles: SideTitles(
showTitles: true, showTitles: true,
@ -303,15 +259,13 @@ class ExpensesBarChart extends StatelessWidget {
String text; String text;
if (yearly) { if (yearly) {
text = DateFormat.MMM(locale).format( text = DateFormat.MMM(locale).format(
DateTime(date.year, value.toInt() + 1), DateTime(date.year, value.toInt() + 1, 1),
); );
} else { } else {
text = (value.toInt() + 1).toString(); text = (value.toInt() + 1).toString();
} }
return SideTitleWidget( return SideTitleWidget(
axisSide: meta.axisSide, axisSide: meta.axisSide, child: Text(text));
child: Text(text),
);
}, },
), ),
), ),
@ -319,7 +273,7 @@ class ExpensesBarChart extends StatelessWidget {
minY: 0, minY: 0,
maxY: maxY, maxY: maxY,
barGroups: List<BarChartGroupData>.generate( barGroups: List<BarChartGroupData>.generate(
yearly ? 12 : DateTime(date.year, date.month, 0).day, (yearly) ? 12 : DateTime(date.year, date.month, 0).day,
(index) => BarChartGroupData( (index) => BarChartGroupData(
x: index, x: index,
barRods: [ barRods: [
@ -341,30 +295,3 @@ class ExpensesBarChart extends StatelessWidget {
), ),
); );
} }
class CategoriesPieChart extends StatelessWidget {
const CategoriesPieChart(
{super.key, required this.entries, required this.categories});
final List<WalletSingleEntry> entries;
final List<WalletCategory> categories;
@override
Widget build(BuildContext context) => PieChart(
PieChartData(
sections: List<PieChartSectionData>.generate(
categories.length,
(index) => PieChartSectionData(
value: entries
.where(
(element) => element.category.id == categories[index].id)
.fold<double>(
0,
(previousValue, element) =>
previousValue + element.data.amount,
),
),
),
),
);
}

View file

@ -1,26 +1,18 @@
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter/services.dart'; import 'package:flutter/services.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:prasule/api/category.dart'; import 'package:prasule/api/category.dart';
import 'package:prasule/api/entry_data.dart'; import 'package:prasule/api/entry_data.dart';
import 'package:prasule/api/wallet.dart';
import 'package:prasule/api/walletentry.dart'; import 'package:prasule/api/walletentry.dart';
import 'package:prasule/api/wallet.dart';
import 'package:prasule/api/walletmanager.dart'; import 'package:prasule/api/walletmanager.dart';
import 'package:prasule/pw/platformbutton.dart'; import 'package:prasule/pw/platformbutton.dart';
import 'package:prasule/pw/platformfield.dart'; import 'package:prasule/pw/platformfield.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
/// Used when user wants to add new entry
class CreateEntryView extends StatefulWidget { class CreateEntryView extends StatefulWidget {
/// Used when user wants to add new entry
const CreateEntryView({required this.w, super.key, this.editEntry});
/// The wallet, where the entry will be saved to
final Wallet w; final Wallet w;
/// Entry we want to edit
///
/// Is null unless we are editing an existing entry
final WalletSingleEntry? editEntry; final WalletSingleEntry? editEntry;
const CreateEntryView({super.key, required this.w, this.editEntry});
@override @override
State<CreateEntryView> createState() => _CreateEntryViewState(); State<CreateEntryView> createState() => _CreateEntryViewState();
@ -39,8 +31,7 @@ class _CreateEntryViewState extends State<CreateEntryView> {
data: EntryData(amount: 0, name: ""), data: EntryData(amount: 0, name: ""),
type: EntryType.expense, type: EntryType.expense,
date: DateTime.now(), date: DateTime.now(),
category: widget.w.categories.first, category: widget.w.categories.first);
);
} }
setState(() {}); setState(() {});
} }
@ -77,14 +68,12 @@ class _CreateEntryViewState extends State<CreateEntryView> {
child: PlatformField( child: PlatformField(
labelText: AppLocalizations.of(context).amount, labelText: AppLocalizations.of(context).amount,
controller: TextEditingController( controller: TextEditingController(
text: newEntry.data.amount.toString(), text: newEntry.data.amount.toString()),
),
keyboardType: keyboardType:
const TextInputType.numberWithOptions(decimal: true), const TextInputType.numberWithOptions(decimal: true),
inputFormatters: [ inputFormatters: [
FilteringTextInputFormatter.allow( FilteringTextInputFormatter.allow(
RegExp(r'\d+[\.,]{0,1}\d{0,}'), RegExp(r'\d+[\.,]{0,1}\d{0,}'))
),
], ],
onChanged: (v) { onChanged: (v) {
newEntry.data.amount = double.parse(v); newEntry.data.amount = double.parse(v);
@ -170,8 +159,7 @@ class _CreateEntryViewState extends State<CreateEntryView> {
constraints: BoxConstraints( constraints: BoxConstraints(
minWidth: MediaQuery.of(context).size.width * 0.8, minWidth: MediaQuery.of(context).size.width * 0.8,
maxWidth: MediaQuery.of(context).size.width * 0.8, maxWidth: MediaQuery.of(context).size.width * 0.8,
maxHeight: 300, maxHeight: 300),
),
child: PlatformField( child: PlatformField(
keyboardType: TextInputType.multiline, keyboardType: TextInputType.multiline,
maxLines: null, maxLines: null,
@ -193,8 +181,8 @@ class _CreateEntryViewState extends State<CreateEntryView> {
ScaffoldMessenger.of(context).clearSnackBars(); ScaffoldMessenger.of(context).clearSnackBars();
ScaffoldMessenger.of(context).showSnackBar( ScaffoldMessenger.of(context).showSnackBar(
SnackBar( SnackBar(
content: content: Text(
Text(AppLocalizations.of(context).errorEmptyName), AppLocalizations.of(context).errorEmptyName),
), ),
); );
return; return;
@ -208,7 +196,7 @@ class _CreateEntryViewState extends State<CreateEntryView> {
(value) => Navigator.of(context).pop(widget.w), (value) => Navigator.of(context).pop(widget.w),
); // TODO loading circle? ); // TODO loading circle?
}, },
), )
], ],
), ),
), ),

View file

@ -1,7 +1,4 @@
import 'dart:async';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:intl/intl.dart'; import 'package:intl/intl.dart';
import 'package:prasule/api/category.dart'; import 'package:prasule/api/category.dart';
import 'package:prasule/api/wallet.dart'; import 'package:prasule/api/wallet.dart';
@ -11,13 +8,12 @@ import 'package:prasule/pw/platformbutton.dart';
import 'package:prasule/pw/platformroute.dart'; import 'package:prasule/pw/platformroute.dart';
import 'package:prasule/util/drawer.dart'; import 'package:prasule/util/drawer.dart';
import 'package:prasule/util/graphs.dart'; import 'package:prasule/util/graphs.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:prasule/views/settings/settings.dart'; import 'package:prasule/views/settings/settings.dart';
import 'package:prasule/views/setup.dart'; import 'package:prasule/views/setup.dart';
import 'package:shared_preferences/shared_preferences.dart'; import 'package:shared_preferences/shared_preferences.dart';
/// Shows data from a [Wallet] in graphs
class GraphView extends StatefulWidget { class GraphView extends StatefulWidget {
/// Shows data from a [Wallet] in graphs
const GraphView({super.key}); const GraphView({super.key});
@override @override
@ -29,8 +25,8 @@ class _GraphViewState extends State<GraphView> {
Wallet? selectedWallet; Wallet? selectedWallet;
List<Wallet> wallets = []; List<Wallet> wallets = [];
String? locale; String? locale;
Set<String> yearlyBtnSet = {"monthly"}; var yearlyBtnSet = {"monthly"};
Set<String> graphTypeSet = {"expense", "income"}; var graphTypeSet = {"expense", "income"};
bool get yearly => yearlyBtnSet.contains("yearly"); bool get yearly => yearlyBtnSet.contains("yearly");
@override @override
@ -40,24 +36,23 @@ class _GraphViewState extends State<GraphView> {
} }
List<double> generateChartData(EntryType type) { List<double> generateChartData(EntryType type) {
final data = List<double>.filled( var data = List<double>.filled(
yearly ? 12 : DateTime(_selectedDate.year, _selectedDate.month, 0).day, (yearly)
0, ? 12
); : DateTime(_selectedDate.year, _selectedDate.month, 0).day,
0.0);
if (selectedWallet == null) return []; if (selectedWallet == null) return [];
for (var i = 0; i < data.length; i++) { for (var i = 0; i < data.length; i++) {
final entriesForRange = selectedWallet!.entries.where( var entriesForRange = selectedWallet!.entries.where((element) =>
(element) =>
((!yearly) ((!yearly)
? element.date.month == _selectedDate.month && ? element.date.month == _selectedDate.month &&
element.date.year == _selectedDate.year && element.date.year == _selectedDate.year &&
element.date.day == i + 1 element.date.day == i + 1
: element.date.month == i + 1 && : element.date.month == i + 1 &&
element.date.year == _selectedDate.year) && element.date.year == _selectedDate.year) &&
element.type == type, element.type == type);
);
var sum = 0.0; var sum = 0.0;
for (final e in entriesForRange) { for (var e in entriesForRange) {
sum += e.data.amount; sum += e.data.amount;
} }
data[i] = sum; data[i] = sum;
@ -65,13 +60,11 @@ class _GraphViewState extends State<GraphView> {
return data; return data;
} }
Future<void> loadWallet() async { void loadWallet() async {
wallets = await WalletManager.listWallets(); wallets = await WalletManager.listWallets();
if (wallets.isEmpty && mounted) { if (wallets.isEmpty && mounted) {
unawaited( Navigator.of(context).pushReplacement(
Navigator.of(context) MaterialPageRoute(builder: (c) => const SetupView()));
.pushReplacement(platformRoute((c) => const SetupView())),
);
return; return;
} }
selectedWallet = wallets.first; selectedWallet = wallets.first;
@ -108,7 +101,7 @@ class _GraphViewState extends State<GraphView> {
DropdownMenuItem( DropdownMenuItem(
value: -1, value: -1,
child: Text(AppLocalizations.of(context).newWallet), child: Text(AppLocalizations.of(context).newWallet),
), )
], ],
onChanged: (v) async { onChanged: (v) async {
if (v == null || v == -1) { if (v == null || v == -1) {
@ -133,24 +126,23 @@ class _GraphViewState extends State<GraphView> {
PopupMenuButton( PopupMenuButton(
itemBuilder: (context) => [ itemBuilder: (context) => [
AppLocalizations.of(context).settings, AppLocalizations.of(context).settings,
AppLocalizations.of(context).about, AppLocalizations.of(context).about
].map((e) => PopupMenuItem(value: e, child: Text(e))).toList(), ].map((e) => PopupMenuItem(value: e, child: Text(e))).toList(),
onSelected: (value) { onSelected: (value) {
if (value == AppLocalizations.of(context).settings) { if (value == AppLocalizations.of(context).settings) {
Navigator.of(context).push( Navigator.of(context).push(
platformRoute( MaterialPageRoute(
(context) => const SettingsView(), builder: (context) => const SettingsView(),
), ),
); );
} else if (value == AppLocalizations.of(context).about) { } else if (value == AppLocalizations.of(context).about) {
showAboutDialog( showAboutDialog(
context: context, context: context,
applicationLegalese: AppLocalizations.of(context).license, applicationLegalese: AppLocalizations.of(context).license,
applicationName: "Prašule", applicationName: "Prašule");
);
} }
}, },
), )
], ],
), ),
drawer: makeDrawer(context, 2), drawer: makeDrawer(context, 2),
@ -201,8 +193,8 @@ class _GraphViewState extends State<GraphView> {
selected: yearlyBtnSet, selected: yearlyBtnSet,
onSelectionChanged: (selection) async { onSelectionChanged: (selection) async {
yearlyBtnSet = selection; yearlyBtnSet = selection;
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
chartType = yearly chartType = (yearly)
? (s.getInt("yearlygraph") ?? 1) ? (s.getInt("yearlygraph") ?? 1)
: (s.getInt("monthlygraph") ?? 2); : (s.getInt("monthlygraph") ?? 2);
setState(() {}); setState(() {});
@ -212,54 +204,50 @@ class _GraphViewState extends State<GraphView> {
Container( Container(
decoration: BoxDecoration( decoration: BoxDecoration(
borderRadius: BorderRadius.circular(8), borderRadius: BorderRadius.circular(8),
color: color: Theme.of(context)
Theme.of(context).colorScheme.secondaryContainer, .colorScheme
), .secondaryContainer),
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Column( child: Column(
children: [ children: [
PlatformButton( PlatformButton(
style: ButtonStyle( style: ButtonStyle(
backgroundColor: MaterialStateProperty.all( backgroundColor: MaterialStateProperty.all(
Theme.of(context).colorScheme.primary, Theme.of(context).colorScheme.primary),
),
foregroundColor: MaterialStateProperty.all( foregroundColor: MaterialStateProperty.all(
Theme.of(context).colorScheme.onPrimary, Theme.of(context)
), .colorScheme
), .onPrimary)),
text: yearly text: (yearly)
? DateFormat.y(locale).format(_selectedDate) ? DateFormat.y(locale).format(_selectedDate)
: DateFormat.yMMMM(locale) : DateFormat.yMMMM(locale)
.format(_selectedDate), .format(_selectedDate),
onPressed: () async { onPressed: () async {
final firstDate = (selectedWallet!.entries var firstDate = (selectedWallet!.entries
..sort( ..sort(
(a, b) => a.date.compareTo(b.date), (a, b) => a.date.compareTo(b.date)))
))
.first .first
.date; .date;
final lastDate = (selectedWallet!.entries var lastDate = (selectedWallet!.entries
..sort( ..sort(
(a, b) => b.date.compareTo(a.date), (a, b) => b.date.compareTo(a.date)))
))
.first .first
.date; .date;
final newDate = await showDatePicker( logger.i(firstDate);
logger.i(lastDate);
var newDate = await showDatePicker(
context: context, context: context,
initialDate: DateTime( initialDate: DateTime(_selectedDate.year,
_selectedDate.year, _selectedDate.month, 1),
_selectedDate.month,
),
firstDate: firstDate, firstDate: firstDate,
lastDate: lastDate, lastDate: lastDate,
initialEntryMode: yearly initialEntryMode: (yearly)
? DatePickerEntryMode.input ? DatePickerEntryMode.input
: DatePickerEntryMode.calendar, : DatePickerEntryMode.calendar,
initialDatePickerMode: yearly initialDatePickerMode: (yearly)
? DatePickerMode.year ? DatePickerMode.year
: DatePickerMode.day, : DatePickerMode.day);
);
if (newDate == null) return; if (newDate == null) return;
_selectedDate = newDate; _selectedDate = newDate;
setState(() {}); setState(() {});
@ -282,14 +270,12 @@ class _GraphViewState extends State<GraphView> {
expenseData: (graphTypeSet expenseData: (graphTypeSet
.contains("expense")) .contains("expense"))
? generateChartData( ? generateChartData(
EntryType.expense, EntryType.expense)
)
: [], : [],
incomeData: (graphTypeSet incomeData: (graphTypeSet
.contains("income")) .contains("income"))
? generateChartData( ? generateChartData(
EntryType.income, EntryType.income)
)
: [], : [],
) )
: ExpensesLineChart( : ExpensesLineChart(
@ -300,21 +286,19 @@ class _GraphViewState extends State<GraphView> {
expenseData: (graphTypeSet expenseData: (graphTypeSet
.contains("expense")) .contains("expense"))
? generateChartData( ? generateChartData(
EntryType.expense, EntryType.expense)
)
: [], : [],
incomeData: (graphTypeSet incomeData: (graphTypeSet
.contains("income")) .contains("income"))
? generateChartData( ? generateChartData(
EntryType.income, EntryType.income)
)
: [], : [],
), ),
), )
], ],
), ),
), ),
), )
], ],
), ),
), ),

View file

@ -1,11 +1,6 @@
// ignore_for_file: inference_failure_on_function_invocation
import 'dart:async';
import 'dart:math'; import 'dart:math';
import 'package:flutter/foundation.dart'; import 'package:flutter/foundation.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:flutter_slidable/flutter_slidable.dart'; import 'package:flutter_slidable/flutter_slidable.dart';
import 'package:flutter_speed_dial/flutter_speed_dial.dart'; import 'package:flutter_speed_dial/flutter_speed_dial.dart';
import 'package:flutter_tesseract_ocr/flutter_tesseract_ocr.dart'; import 'package:flutter_tesseract_ocr/flutter_tesseract_ocr.dart';
@ -15,8 +10,8 @@ import 'package:intl/date_symbol_data_local.dart';
import 'package:intl/intl.dart'; import 'package:intl/intl.dart';
import 'package:prasule/api/category.dart'; import 'package:prasule/api/category.dart';
import 'package:prasule/api/entry_data.dart'; import 'package:prasule/api/entry_data.dart';
import 'package:prasule/api/wallet.dart';
import 'package:prasule/api/walletentry.dart'; import 'package:prasule/api/walletentry.dart';
import 'package:prasule/api/wallet.dart';
import 'package:prasule/api/walletmanager.dart'; import 'package:prasule/api/walletmanager.dart';
import 'package:prasule/main.dart'; import 'package:prasule/main.dart';
import 'package:prasule/network/tessdata.dart'; import 'package:prasule/network/tessdata.dart';
@ -28,10 +23,9 @@ import 'package:prasule/views/create_entry.dart';
import 'package:prasule/views/settings/settings.dart'; import 'package:prasule/views/settings/settings.dart';
import 'package:prasule/views/settings/tessdata_list.dart'; import 'package:prasule/views/settings/tessdata_list.dart';
import 'package:prasule/views/setup.dart'; import 'package:prasule/views/setup.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
/// Main view, shows entries
class HomeView extends StatefulWidget { class HomeView extends StatefulWidget {
/// Main view, shows entries
const HomeView({super.key}); const HomeView({super.key});
@override @override
@ -56,13 +50,11 @@ class _HomeViewState extends State<HomeView> {
loadWallet(); loadWallet();
} }
Future<void> loadWallet() async { void loadWallet() async {
wallets = await WalletManager.listWallets(); wallets = await WalletManager.listWallets();
if (wallets.isEmpty && mounted) { if (wallets.isEmpty && mounted) {
unawaited( Navigator.of(context).pushReplacement(
Navigator.of(context) MaterialPageRoute(builder: (c) => const SetupView()));
.pushReplacement(platformRoute((c) => const SetupView())),
);
return; return;
} }
selectedWallet = wallets.first; selectedWallet = wallets.first;
@ -85,7 +77,7 @@ class _HomeViewState extends State<HomeView> {
// debug option to quickly fill a wallet with data // debug option to quickly fill a wallet with data
if (selectedWallet == null) return; if (selectedWallet == null) return;
selectedWallet!.entries.clear(); selectedWallet!.entries.clear();
final random = Random(); var random = Random();
for (var i = 0; i < 30; i++) { for (var i = 0; i < 30; i++) {
selectedWallet!.entries.add( selectedWallet!.entries.add(
WalletSingleEntry( WalletSingleEntry(
@ -124,7 +116,7 @@ class _HomeViewState extends State<HomeView> {
child: const Icon(Icons.edit), child: const Icon(Icons.edit),
label: AppLocalizations.of(context).addNew, label: AppLocalizations.of(context).addNew,
onTap: () async { onTap: () async {
final sw = await Navigator.of(context).push<Wallet>( var sw = await Navigator.of(context).push<Wallet>(
MaterialPageRoute( MaterialPageRoute(
builder: (c) => CreateEntryView(w: selectedWallet!), builder: (c) => CreateEntryView(w: selectedWallet!),
), ),
@ -133,14 +125,14 @@ class _HomeViewState extends State<HomeView> {
selectedWallet = sw; selectedWallet = sw;
} }
setState(() {}); setState(() {});
}, }),
),
SpeedDialChild( SpeedDialChild(
child: const Icon(Icons.camera_alt), child: const Icon(Icons.camera_alt),
label: AppLocalizations.of(context).addCamera, label: AppLocalizations.of(context).addCamera,
onTap: () async { onTap: () async {
final picker = ImagePicker(); final ImagePicker picker = ImagePicker();
final media = await picker.pickImage(source: ImageSource.camera); final XFile? media =
await picker.pickImage(source: ImageSource.camera);
logger.i(media?.name); logger.i(media?.name);
}, },
), ),
@ -169,7 +161,7 @@ class _HomeViewState extends State<HomeView> {
DropdownMenuItem( DropdownMenuItem(
value: -1, value: -1,
child: Text(AppLocalizations.of(context).newWallet), child: Text(AppLocalizations.of(context).newWallet),
), )
], ],
onChanged: (v) async { onChanged: (v) async {
if (v == null || v == -1) { if (v == null || v == -1) {
@ -194,29 +186,23 @@ class _HomeViewState extends State<HomeView> {
PopupMenuButton( PopupMenuButton(
itemBuilder: (context) => [ itemBuilder: (context) => [
AppLocalizations.of(context).settings, AppLocalizations.of(context).settings,
AppLocalizations.of(context).about, AppLocalizations.of(context).about
].map((e) => PopupMenuItem(value: e, child: Text(e))).toList(), ].map((e) => PopupMenuItem(value: e, child: Text(e))).toList(),
onSelected: (value) { onSelected: (value) {
if (value == AppLocalizations.of(context).settings) { if (value == AppLocalizations.of(context).settings) {
Navigator.of(context) Navigator.of(context).push(
.push( MaterialPageRoute(
platformRoute( builder: (context) => const SettingsView(),
(context) => const SettingsView(),
), ),
) );
.then((value) async {
selectedWallet =
await WalletManager.loadWallet(selectedWallet!.name);
});
} else if (value == AppLocalizations.of(context).about) { } else if (value == AppLocalizations.of(context).about) {
showAboutDialog( showAboutDialog(
context: context, context: context,
applicationLegalese: AppLocalizations.of(context).license, applicationLegalese: AppLocalizations.of(context).license,
applicationName: "Prašule", applicationName: "Prašule");
);
} }
}, },
), )
], ],
), ),
body: Center( body: Center(
@ -230,7 +216,7 @@ class _HomeViewState extends State<HomeView> {
width: 40, width: 40,
height: 40, height: 40,
child: CircularProgressIndicator(), child: CircularProgressIndicator(),
), )
], ],
) )
: (selectedWallet!.entries.isEmpty) : (selectedWallet!.entries.isEmpty)
@ -245,46 +231,44 @@ class _HomeViewState extends State<HomeView> {
), ),
Text( Text(
AppLocalizations.of(context).noEntriesSub, AppLocalizations.of(context).noEntriesSub,
), )
], ],
) )
: GroupedListView( : GroupedListView(
groupHeaderBuilder: (element) => Text( groupHeaderBuilder: (element) => Text(
DateFormat.yMMMM(locale).format(element.date), DateFormat.yMMMM(locale).format(element.date),
style: TextStyle( style: TextStyle(
color: Theme.of(context).colorScheme.primary, color: Theme.of(context).colorScheme.primary),
),
), ),
elements: selectedWallet!.entries, elements: selectedWallet!.entries,
itemComparator: (a, b) => b.date.compareTo(a.date), itemComparator: (a, b) => b.date.compareTo(a.date),
groupBy: (e) => DateFormat.yMMMM(locale).format(e.date), groupBy: (e) => DateFormat.yMMMM(locale).format(e.date),
groupComparator: (a, b) { groupComparator: (a, b) {
// TODO: better sorting algorithm lol // TODO: better sorting algorithm lol
final yearA = RegExp(r'\d+').firstMatch(a); var yearA = RegExp(r'\d+').firstMatch(a);
if (yearA == null) return 0; if (yearA == null) return 0;
final yearB = RegExp(r'\d+').firstMatch(b); var yearB = RegExp(r'\d+').firstMatch(b);
if (yearB == null) return 0; if (yearB == null) return 0;
final compareYears = int.parse(yearA.group(0)!) var compareYears = int.parse(yearA.group(0)!)
.compareTo(int.parse(yearB.group(0)!)); .compareTo(int.parse(yearB.group(0)!));
if (compareYears != 0) return compareYears; if (compareYears != 0) return compareYears;
final months = List<String>.generate( var months = List<String>.generate(
12, 12,
(index) => DateFormat.MMMM(locale).format( (index) => DateFormat.MMMM(locale).format(
DateTime(2023, index + 1), DateTime(2023, index + 1),
), ),
); );
final monthA = RegExp('[^0-9 ]+').firstMatch(a); var monthA = RegExp(r'[^0-9 ]+').firstMatch(a);
if (monthA == null) return 0; if (monthA == null) return 0;
final monthB = RegExp('[^0-9 ]+').firstMatch(b); var monthB = RegExp(r'[^0-9 ]+').firstMatch(b);
if (monthB == null) return 0; if (monthB == null) return 0;
return months.indexOf(monthB.group(0)!).compareTo( return months.indexOf(monthB.group(0)!).compareTo(
months.indexOf(monthA.group(0)!), months.indexOf(monthA.group(0)!),
); );
}, },
itemBuilder: (context, element) => Slidable( itemBuilder: (context, element) => Slidable(
endActionPane: ActionPane( endActionPane:
motion: const ScrollMotion(), ActionPane(motion: const ScrollMotion(), children: [
children: [
SlidableAction( SlidableAction(
onPressed: (c) { onPressed: (c) {
Navigator.of(context) Navigator.of(context)
@ -325,18 +309,15 @@ class _HomeViewState extends State<HomeView> {
title: title:
AppLocalizations.of(context).sureDialog, AppLocalizations.of(context).sureDialog,
content: Text( content: Text(
AppLocalizations.of(context).deleteSure, AppLocalizations.of(context).deleteSure),
),
actions: [ actions: [
PlatformButton( PlatformButton(
text: AppLocalizations.of(context).yes, text: AppLocalizations.of(context).yes,
onPressed: () { onPressed: () {
selectedWallet?.entries.removeWhere( selectedWallet?.entries.removeWhere(
(e) => e.id == element.id, (e) => e.id == element.id);
);
WalletManager.saveWallet( WalletManager.saveWallet(
selectedWallet!, selectedWallet!);
);
Navigator.of(cx).pop(); Navigator.of(cx).pop();
setState(() {}); setState(() {});
}, },
@ -352,16 +333,14 @@ class _HomeViewState extends State<HomeView> {
); );
}, },
), ),
], ]),
),
child: ListTile( child: ListTile(
leading: Container( leading: Container(
decoration: BoxDecoration( decoration: BoxDecoration(
borderRadius: BorderRadius.circular(16), borderRadius: BorderRadius.circular(16),
color: Theme.of(context).colorScheme.secondary, color: Theme.of(context).colorScheme.secondary),
),
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Icon( child: Icon(
element.category.icon, element.category.icon,
color: color:
@ -371,8 +350,7 @@ class _HomeViewState extends State<HomeView> {
), ),
title: Text(element.data.name), title: Text(element.data.name),
subtitle: Text( subtitle: Text(
"${element.data.amount} ${selectedWallet!.currency.symbol}", "${element.data.amount} ${selectedWallet!.currency.symbol}"),
),
), ),
), ),
), ),
@ -382,7 +360,7 @@ class _HomeViewState extends State<HomeView> {
} }
Future<void> startOcr(ImageSource imgSrc) async { Future<void> startOcr(ImageSource imgSrc) async {
final availableLanguages = await TessdataApi.getDownloadedData(); var availableLanguages = await TessdataApi.getDownloadedData();
if (availableLanguages.isEmpty) { if (availableLanguages.isEmpty) {
if (!mounted) return; if (!mounted) return;
ScaffoldMessenger.of(context).showSnackBar( ScaffoldMessenger.of(context).showSnackBar(
@ -392,8 +370,8 @@ class _HomeViewState extends State<HomeView> {
label: AppLocalizations.of(context).download, label: AppLocalizations.of(context).download,
onPressed: () { onPressed: () {
Navigator.of(context).push( Navigator.of(context).push(
platformRoute( MaterialPageRoute(
(c) => const TessdataListView(), builder: (c) => const TessdataListView(),
), ),
); );
}, },
@ -403,82 +381,70 @@ class _HomeViewState extends State<HomeView> {
return; return;
} }
if (!mounted) return; if (!mounted) return;
final selectedLanguages = var selectedLanguages = List<bool>.filled(availableLanguages.length, false);
List<bool>.filled(availableLanguages.length, false);
selectedLanguages[0] = true; selectedLanguages[0] = true;
await showDialog( showDialog(
context: context, context: context,
builder: (c) => StatefulBuilder( builder: (c) => StatefulBuilder(
builder: (ctx, setState) => PlatformDialog( builder: (ctx, setState) => PlatformDialog(
actions: [ actions: [
TextButton( TextButton(
onPressed: () async { onPressed: () async {
final picker = ImagePicker(); final ImagePicker picker = ImagePicker();
final media = await picker.pickImage(source: imgSrc); final XFile? media = await picker.pickImage(source: imgSrc);
if (media == null) { if (media == null) {
if (mounted) Navigator.of(context).pop(); if (mounted) Navigator.of(context).pop();
return; return;
} }
// get selected languages // get selected languages
final selected = availableLanguages var selected = availableLanguages
.where( .where((element) =>
(element) => selectedLanguages[ selectedLanguages[availableLanguages.indexOf(element)])
availableLanguages.indexOf(element)],
)
.join("+") .join("+")
.replaceAll(".traineddata", ""); .replaceAll(".traineddata", "");
logger.i(selected); logger.i(selected);
if (!mounted) return; if (!mounted) return;
unawaited(
showDialog( showDialog(
context: context, context: context,
builder: (c) => PlatformDialog( builder: (c) => PlatformDialog(
title: AppLocalizations.of(context).ocrLoading, title: AppLocalizations.of(context).ocrLoading),
), barrierDismissible: false);
barrierDismissible: false, var string = await FlutterTesseractOcr.extractText(media.path,
),
);
final string = await FlutterTesseractOcr.extractText(
media.path,
language: selected, language: selected,
args: { args: {
"psm": "4", "psm": "4",
"preserve_interword_spaces": "1", "preserve_interword_spaces": "1",
}, });
);
if (!mounted) return; if (!mounted) return;
Navigator.of(context).pop(); Navigator.of(context).pop();
logger.i(string); logger.i(string);
if (!mounted) return; if (!mounted) return;
final lines = string.split("\n") var lines = string.split("\n")
..removeWhere((element) { ..removeWhere((element) {
element.trim(); element.trim();
return element.isEmpty; return element.isEmpty;
}); });
var price = 0.0; var price = 0.0;
final description = StringBuffer(); var description = "";
for (final line in lines) { for (var line in lines) {
// find numbered prices on each line // find numbered prices on each line
final regex = RegExp(r'\d+(?:(?:\.|,) {0,}\d{0,})+'); var regex = RegExp(r'\d+(?:(?:\.|,) {0,}\d{0,})+');
for (final match in regex.allMatches(line)) { for (var match in regex.allMatches(line)) {
price += double.tryParse(match.group(0).toString()) ?? 0; price += double.tryParse(match.group(0).toString()) ?? 0;
} }
description.write("${line.replaceAll(regex, "")}\n"); description += "${line.replaceAll(regex, "")}\n";
} }
Navigator.of(ctx).pop(); Navigator.of(ctx).pop();
// show edit // show edit
final newEntry = Navigator.of(context)
await Navigator.of(context).push<WalletSingleEntry>( .push<WalletSingleEntry>(
platformRoute<WalletSingleEntry>( platformRoute<WalletSingleEntry>(
(c) => CreateEntryView( (c) => CreateEntryView(
w: selectedWallet!, w: selectedWallet!,
editEntry: WalletSingleEntry( editEntry: WalletSingleEntry(
data: EntryData( data: EntryData(
name: "", name: "", amount: price, description: description),
amount: price,
description: description.toString(),
),
type: EntryType.expense, type: EntryType.expense,
date: DateTime.now(), date: DateTime.now(),
category: selectedWallet!.categories.first, category: selectedWallet!.categories.first,
@ -486,12 +452,17 @@ class _HomeViewState extends State<HomeView> {
), ),
), ),
), ),
); )
.then(
(newEntry) {
// save entry if we didn't return empty
if (newEntry == null) return; if (newEntry == null) return;
selectedWallet!.entries.add(newEntry); selectedWallet!.entries.add(newEntry);
await WalletManager.saveWallet(selectedWallet!); WalletManager.saveWallet(selectedWallet!);
setState(() {}); setState(() {});
}, },
);
},
child: const Text("Ok"), child: const Text("Ok"),
), ),
TextButton( TextButton(
@ -524,10 +495,10 @@ class _HomeViewState extends State<HomeView> {
const SizedBox( const SizedBox(
width: 10, width: 10,
), ),
Text(availableLanguages[index].split(".").first), Text(availableLanguages[index].split(".").first)
], ],
), ),
), )
], ],
), ),
), ),
@ -536,12 +507,12 @@ class _HomeViewState extends State<HomeView> {
} }
Future<void> getLostData() async { Future<void> getLostData() async {
final picker = ImagePicker(); final ImagePicker picker = ImagePicker();
final response = await picker.retrieveLostData(); final LostDataResponse response = await picker.retrieveLostData();
if (response.isEmpty) { if (response.isEmpty) {
return; return;
} }
final files = response.files; final List<XFile>? files = response.files;
if (files != null) { if (files != null) {
logger.i("Found lost files"); logger.i("Found lost files");
_handleLostFiles(files); _handleLostFiles(files);

View file

@ -1,244 +0,0 @@
// ignore_for_file: inference_failure_on_function_invocation
import 'dart:async';
import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:flutter_iconpicker/flutter_iconpicker.dart';
import 'package:prasule/api/category.dart';
import 'package:prasule/api/wallet.dart';
import 'package:prasule/api/walletmanager.dart';
import 'package:prasule/main.dart';
import 'package:prasule/pw/platformdialog.dart';
import 'package:prasule/pw/platformfield.dart';
import 'package:prasule/pw/platformroute.dart';
import 'package:prasule/views/settings/settings.dart';
import 'package:prasule/views/setup.dart';
/// Allows adding, editing or removing [WalletCategory]s
class EditCategoriesView extends StatefulWidget {
/// Allows adding, editing or removing [WalletCategory]s
const EditCategoriesView({super.key});
@override
State<EditCategoriesView> createState() => _EditCategoriesViewState();
}
class _EditCategoriesViewState extends State<EditCategoriesView> {
Wallet? selectedWallet;
List<Wallet> wallets = [];
@override
void initState() {
super.initState();
loadWallet();
}
Future<void> loadWallet() async {
wallets = await WalletManager.listWallets();
if (wallets.isEmpty && mounted) {
unawaited(
Navigator.of(context)
.pushReplacement(platformRoute((c) => const SetupView())),
);
return;
}
selectedWallet = wallets.first;
logger.i(selectedWallet!.categories);
setState(() {});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: DropdownButton<int>(
value:
(selectedWallet == null) ? -1 : wallets.indexOf(selectedWallet!),
items: [
...wallets.map(
(e) => DropdownMenuItem(
value: wallets.indexOf(
e,
),
child: Text(e.name),
),
),
DropdownMenuItem(
value: -1,
child: Text(AppLocalizations.of(context).newWallet),
),
],
onChanged: (v) async {
if (v == null || v == -1) {
await Navigator.of(context).push(
platformRoute(
(c) => const SetupView(
newWallet: true,
),
),
);
wallets = await WalletManager.listWallets();
logger.i(wallets.length);
selectedWallet = wallets.last;
setState(() {});
return;
}
selectedWallet = wallets[v];
setState(() {});
},
),
actions: [
PopupMenuButton(
itemBuilder: (context) => [
AppLocalizations.of(context).settings,
AppLocalizations.of(context).about,
].map((e) => PopupMenuItem(value: e, child: Text(e))).toList(),
onSelected: (value) {
if (value == AppLocalizations.of(context).settings) {
Navigator.of(context).push(
platformRoute(
(context) => const SettingsView(),
),
);
} else if (value == AppLocalizations.of(context).about) {
showAboutDialog(
context: context,
applicationLegalese: AppLocalizations.of(context).license,
applicationName: "Prašule",
);
}
},
),
],
),
body: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: selectedWallet == null
? [const CircularProgressIndicator()]
: [
Text(
AppLocalizations.of(context).setupCategoriesEditHint,
textAlign: TextAlign.center,
),
SizedBox(
height: MediaQuery.of(context).size.height * 0.64,
child: ListView.builder(
shrinkWrap: true,
itemBuilder: (context, i) => (i == 0)
? const SizedBox()
: ListTile(
leading: GestureDetector(
onTap: () async {
final icon =
await FlutterIconPicker.showIconPicker(
context,
);
if (icon == null) return;
selectedWallet!.categories[i].icon = icon;
await WalletManager.saveWallet(selectedWallet!);
setState(() {});
},
child: Container(
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(16),
color:
Theme.of(context).colorScheme.secondary,
),
child: Padding(
padding: const EdgeInsets.all(8),
child: Icon(
selectedWallet!.categories[i].icon,
color: Theme.of(context)
.colorScheme
.onSecondary,
),
),
),
),
trailing: IconButton(
icon: const Icon(Icons.cancel),
onPressed: () async {
await selectedWallet!.removeCategory(
selectedWallet!.categories[i],
);
setState(() {});
},
),
title: GestureDetector(
onTap: () {
final controller = TextEditingController(
text: selectedWallet!.categories[i].name,
);
showDialog(
context: context,
builder: (c) => PlatformDialog(
actions: [
TextButton(
onPressed: () async {
if (controller.text.isEmpty) return;
selectedWallet!.categories[i].name =
controller.text;
await WalletManager.saveWallet(
selectedWallet!,
);
if (!mounted) return;
Navigator.of(context).pop();
},
child: Text(
AppLocalizations.of(context).ok,
),
),
TextButton(
onPressed: () {
Navigator.of(context).pop();
},
child: Text(
AppLocalizations.of(context).cancel,
),
),
],
title: AppLocalizations.of(context)
.setupCategoriesEditingName,
content: SizedBox(
width: 400,
child:
PlatformField(controller: controller),
),
),
);
},
child: Text(
selectedWallet!.categories[i].name,
style: const TextStyle(
fontWeight: FontWeight.bold,
),
),
),
),
itemCount: selectedWallet!.categories.length,
),
),
IconButton(
onPressed: () async {
selectedWallet!.categories.add(
WalletCategory(
name: AppLocalizations.of(context)
.setupWalletNamePlaceholder,
id: selectedWallet!.nextCategoryId,
icon: IconData(
Icons.question_mark.codePoint,
fontFamily: 'MaterialIcons',
),
),
);
await WalletManager.saveWallet(selectedWallet!);
setState(() {});
},
icon: const Icon(Icons.add),
),
],
),
);
}
}

View file

@ -1,14 +1,10 @@
// ignore_for_file: inference_failure_on_function_invocation
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart'; import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:prasule/pw/platformdialog.dart'; import 'package:prasule/pw/platformdialog.dart';
import 'package:settings_ui/settings_ui.dart'; import 'package:settings_ui/settings_ui.dart';
import 'package:shared_preferences/shared_preferences.dart'; import 'package:shared_preferences/shared_preferences.dart';
/// Allows setting the type of graph for certain data
class GraphTypeSettingsView extends StatefulWidget { class GraphTypeSettingsView extends StatefulWidget {
/// Allows setting the type of graph for certain data
const GraphTypeSettingsView({super.key}); const GraphTypeSettingsView({super.key});
@override @override
@ -38,18 +34,15 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
applicationType: ApplicationType.both, applicationType: ApplicationType.both,
darkTheme: SettingsThemeData( darkTheme: SettingsThemeData(
settingsListBackground: Theme.of(context).colorScheme.background, settingsListBackground: Theme.of(context).colorScheme.background,
titleTextColor: Theme.of(context).colorScheme.primary, titleTextColor: Theme.of(context).colorScheme.primary),
),
sections: [ sections: [
SettingsSection( SettingsSection(
tiles: [ tiles: [
SettingsTile.navigation( SettingsTile.navigation(
title: Text(AppLocalizations.of(context).yearly), title: Text(AppLocalizations.of(context).yearly),
value: Text( value: Text(_yearly == 1
_yearly == 1
? AppLocalizations.of(context).barChart ? AppLocalizations.of(context).barChart
: AppLocalizations.of(context).lineChart, : AppLocalizations.of(context).lineChart),
),
onPressed: (c) => showDialog( onPressed: (c) => showDialog(
context: c, context: c,
builder: (ctx) => PlatformDialog( builder: (ctx) => PlatformDialog(
@ -60,15 +53,13 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
width: MediaQuery.of(ctx).size.width, width: MediaQuery.of(ctx).size.width,
child: InkWell( child: InkWell(
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Text( child: Text(AppLocalizations.of(context).barChart,
AppLocalizations.of(context).barChart, textAlign: TextAlign.center),
textAlign: TextAlign.center,
),
), ),
onTap: () async { onTap: () async {
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
await s.setInt("yearlygraph", 1); s.setInt("yearlygraph", 1);
_yearly = 1; _yearly = 1;
if (!mounted) return; if (!mounted) return;
Navigator.of(ctx).pop(); Navigator.of(ctx).pop();
@ -80,15 +71,15 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
width: MediaQuery.of(context).size.width, width: MediaQuery.of(context).size.width,
child: InkWell( child: InkWell(
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Text( child: Text(
AppLocalizations.of(context).lineChart, AppLocalizations.of(context).lineChart,
textAlign: TextAlign.center, textAlign: TextAlign.center,
), ),
), ),
onTap: () async { onTap: () async {
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
await s.setInt("yearlygraph", 2); s.setInt("yearlygraph", 2);
_yearly = 2; _yearly = 2;
if (!mounted) return; if (!mounted) return;
Navigator.of(ctx).pop(); Navigator.of(ctx).pop();
@ -103,11 +94,9 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
), ),
SettingsTile.navigation( SettingsTile.navigation(
title: Text(AppLocalizations.of(context).monthly), title: Text(AppLocalizations.of(context).monthly),
value: Text( value: Text(_monthly == 1
_monthly == 1
? AppLocalizations.of(context).barChart ? AppLocalizations.of(context).barChart
: AppLocalizations.of(context).lineChart, : AppLocalizations.of(context).lineChart),
),
onPressed: (c) => showDialog( onPressed: (c) => showDialog(
context: c, context: c,
builder: (ctx) => PlatformDialog( builder: (ctx) => PlatformDialog(
@ -118,15 +107,15 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
width: MediaQuery.of(ctx).size.width, width: MediaQuery.of(ctx).size.width,
child: InkWell( child: InkWell(
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Text( child: Text(
AppLocalizations.of(context).barChart, AppLocalizations.of(context).barChart,
textAlign: TextAlign.center, textAlign: TextAlign.center,
), ),
), ),
onTap: () async { onTap: () async {
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
await s.setInt("monthlygraph", 1); s.setInt("monthlygraph", 1);
_monthly = 1; _monthly = 1;
if (!mounted) return; if (!mounted) return;
Navigator.of(ctx).pop(); Navigator.of(ctx).pop();
@ -138,15 +127,14 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
width: MediaQuery.of(ctx).size.width, width: MediaQuery.of(ctx).size.width,
child: InkWell( child: InkWell(
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Text( child: Text(
AppLocalizations.of(context).lineChart, AppLocalizations.of(context).lineChart,
textAlign: TextAlign.center, textAlign: TextAlign.center),
),
), ),
onTap: () async { onTap: () async {
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
await s.setInt("monthlygraph", 2); s.setInt("monthlygraph", 2);
_monthly = 2; _monthly = 2;
if (!mounted) return; if (!mounted) return;
Navigator.of(ctx).pop(); Navigator.of(ctx).pop();
@ -160,7 +148,7 @@ class _GraphTypeSettingsViewState extends State<GraphTypeSettingsView> {
), ),
), ),
], ],
), )
], ],
), ),
); );

View file

@ -1,18 +1,15 @@
import 'dart:io'; import 'dart:io';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:prasule/main.dart'; import 'package:prasule/main.dart';
import 'package:prasule/pw/platformroute.dart'; import 'package:prasule/pw/platformroute.dart';
import 'package:prasule/views/settings/edit_categories.dart';
import 'package:prasule/views/settings/graph_type.dart'; import 'package:prasule/views/settings/graph_type.dart';
import 'package:prasule/views/settings/tessdata_list.dart'; import 'package:prasule/views/settings/tessdata_list.dart';
import 'package:settings_ui/settings_ui.dart'; import 'package:settings_ui/settings_ui.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:shared_preferences/shared_preferences.dart'; import 'package:shared_preferences/shared_preferences.dart';
/// Shows settings categories
class SettingsView extends StatefulWidget { class SettingsView extends StatefulWidget {
/// Shows settings categories
const SettingsView({super.key}); const SettingsView({super.key});
@override @override
@ -39,25 +36,8 @@ class _SettingsViewState extends State<SettingsView> {
applicationType: ApplicationType.both, applicationType: ApplicationType.both,
darkTheme: SettingsThemeData( darkTheme: SettingsThemeData(
settingsListBackground: Theme.of(context).colorScheme.background, settingsListBackground: Theme.of(context).colorScheme.background,
titleTextColor: Theme.of(context).colorScheme.primary, titleTextColor: Theme.of(context).colorScheme.primary),
),
sections: [ sections: [
SettingsSection(
title: Text(AppLocalizations.of(context).wallet),
tiles: [
SettingsTile.navigation(
title: Text(AppLocalizations.of(context).editCategories),
description:
Text(AppLocalizations.of(context).editCategoriesDesc),
trailing: const Icon(Icons.keyboard_arrow_right),
onPressed: (context) => Navigator.of(context).push(
platformRoute(
(c) => const EditCategoriesView(),
),
),
),
],
),
SettingsSection( SettingsSection(
tiles: [ tiles: [
SettingsTile.navigation( SettingsTile.navigation(
@ -65,12 +45,9 @@ class _SettingsViewState extends State<SettingsView> {
description: description:
Text(AppLocalizations.of(context).downloadedOcrDesc), Text(AppLocalizations.of(context).downloadedOcrDesc),
trailing: const Icon(Icons.keyboard_arrow_right), trailing: const Icon(Icons.keyboard_arrow_right),
onPressed: (context) => Navigator.of(context).push( onPressed: (context) => Navigator.of(context)
platformRoute( .push(platformRoute((c) => const TessdataListView())),
(c) => const TessdataListView(), )
),
),
),
], ],
title: Text(AppLocalizations.of(context).ocr), title: Text(AppLocalizations.of(context).ocr),
), ),
@ -91,18 +68,16 @@ class _SettingsViewState extends State<SettingsView> {
SettingsTile.switchTile( SettingsTile.switchTile(
initialValue: _useMaterialYou, initialValue: _useMaterialYou,
onToggle: (v) async { onToggle: (v) async {
final s = await SharedPreferences.getInstance(); var s = await SharedPreferences.getInstance();
await s.setBool("useMaterialYou", v); s.setBool("useMaterialYou", v);
_useMaterialYou = v; _useMaterialYou = v;
setState(() {}); setState(() {});
}, },
title: Text(AppLocalizations.of(context).enableYou), title: Text(AppLocalizations.of(context).enableYou),
description: Text( description: Text(AppLocalizations.of(context).enableYouDesc),
AppLocalizations.of(context).enableYouDesc, )
),
),
], ],
), )
], ],
), ),
); );

View file

@ -1,19 +1,15 @@
// ignore_for_file: inference_failure_on_function_invocation
import 'dart:async'; import 'dart:async';
import 'dart:io'; import 'dart:io';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:flutter_tesseract_ocr/flutter_tesseract_ocr.dart'; import 'package:flutter_tesseract_ocr/flutter_tesseract_ocr.dart';
import 'package:prasule/main.dart'; import 'package:prasule/main.dart';
import 'package:prasule/network/tessdata.dart'; import 'package:prasule/network/tessdata.dart';
import 'package:prasule/pw/platformbutton.dart'; import 'package:prasule/pw/platformbutton.dart';
import 'package:prasule/pw/platformdialog.dart'; import 'package:prasule/pw/platformdialog.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
/// Used to manage downloaded Tessdata for OCR
class TessdataListView extends StatefulWidget { class TessdataListView extends StatefulWidget {
/// Used to manage downloaded Tessdata for OCR
const TessdataListView({super.key}); const TessdataListView({super.key});
@override @override
@ -22,7 +18,7 @@ class TessdataListView extends StatefulWidget {
class _TessdataListViewState extends State<TessdataListView> { class _TessdataListViewState extends State<TessdataListView> {
final _tessdata = [ final _tessdata = [
{"eng": true}, {"eng": true}
]; ];
@override @override
void didChangeDependencies() { void didChangeDependencies() {
@ -53,22 +49,19 @@ class _TessdataListViewState extends State<TessdataListView> {
itemBuilder: (context, i) => ListTile( itemBuilder: (context, i) => ListTile(
title: Text(_tessdata[i].keys.first), title: Text(_tessdata[i].keys.first),
trailing: TextButton( trailing: TextButton(
child: Text( child: Text(_tessdata[i][_tessdata[i].keys.first]!
_tessdata[i][_tessdata[i].keys.first]!
? AppLocalizations.of(context).downloaded ? AppLocalizations.of(context).downloaded
: AppLocalizations.of(context).download, : AppLocalizations.of(context).download),
),
onPressed: () async { onPressed: () async {
final lang = _tessdata[i].keys.first; var lang = _tessdata[i].keys.first;
if (_tessdata[i][lang]!) { if (_tessdata[i][lang]!) {
// deleting data // deleting data
await showDialog( showDialog(
context: context, context: context,
builder: (context) => PlatformDialog( builder: (context) => PlatformDialog(
title: AppLocalizations.of(context).sureDialog, title: AppLocalizations.of(context).sureDialog,
content: Text( content: Text(AppLocalizations.of(context)
AppLocalizations.of(context).deleteOcr(lang), .deleteOcr(lang)),
),
actions: [ actions: [
PlatformButton( PlatformButton(
text: AppLocalizations.of(context).yes, text: AppLocalizations.of(context).yes,
@ -93,9 +86,8 @@ class _TessdataListViewState extends State<TessdataListView> {
// TODO: handle wifi errors // TODO: handle wifi errors
//* downloading traineddata //* downloading traineddata
final progressStream = StreamController<double>(); var progressStream = StreamController<double>();
unawaited(
showDialog( showDialog(
context: context, context: context,
builder: (c) => PlatformDialog( builder: (c) => PlatformDialog(
@ -110,21 +102,16 @@ class _TessdataListViewState extends State<TessdataListView> {
if (snapshot.hasError) { if (snapshot.hasError) {
return const Text("Error"); return const Text("Error");
} }
return Text( return Text(AppLocalizations.of(context)
AppLocalizations.of(context) .langDownloadProgress(snapshot.data!));
.langDownloadProgress(snapshot.data!),
);
}, },
stream: progressStream.stream, stream: progressStream.stream,
), ),
), ),
),
); );
await TessdataApi.downloadData( await TessdataApi.downloadData(lang, callback: (a, b) {
lang,
callback: (a, b) {
if (progressStream.isClosed) return; if (progressStream.isClosed) return;
final p = a / b * 1000; var p = a / b * 1000;
progressStream.add(p.roundToDouble() / 10); progressStream.add(p.roundToDouble() / 10);
if (p / 10 >= 100) { if (p / 10 >= 100) {
logger.i("Done"); logger.i("Done");
@ -134,8 +121,7 @@ class _TessdataListViewState extends State<TessdataListView> {
progressStream.close(); progressStream.close();
} }
setState(() {}); setState(() {});
}, });
);
}, },
), ),
), ),
@ -148,26 +134,25 @@ class _TessdataListViewState extends State<TessdataListView> {
/// Used to find which `.traineddata` is already downloaded and which not /// Used to find which `.traineddata` is already downloaded and which not
/// so we can show it to the user /// so we can show it to the user
Future<void> loadAllTessdata() async { void loadAllTessdata() async {
final tessDir = Directory(await FlutterTesseractOcr.getTessdataPath()); var tessDir = Directory(await FlutterTesseractOcr.getTessdataPath());
final d = await TessdataApi.getAvailableData(); var d = await TessdataApi.getAvailableData();
final dataStatus = <Map<String, bool>>[]; var dataStatus = <Map<String, bool>>[];
for (final data in d) { for (var data in d) {
final e = <String, bool>{}; var e = <String, bool>{};
e[data] = false; e[data] = false;
dataStatus.add(e); dataStatus.add(e);
} }
final appDir = tessDir.listSync(); var appDir = tessDir.listSync();
for (final file in appDir) { for (var file in appDir) {
if (file is! File || if (file is! File ||
!file.path.endsWith("traineddata") || !file.path.endsWith("traineddata") ||
file.path.endsWith("eng.traineddata")) continue; file.path.endsWith("eng.traineddata")) continue;
logger.i(file.path); logger.i(file.path);
final filename = file.path.split("/").last; var filename = file.path.split("/").last;
dataStatus[dataStatus.indexWhere( dataStatus[dataStatus.indexWhere((element) =>
(element) => element.keys.first == filename.replaceAll(".traineddata", ""))]
element.keys.first == filename.replaceAll(".traineddata", ""), [filename.replaceAll(".traineddata", "")] = true;
)][filename.replaceAll(".traineddata", "")] = true;
} }
_tessdata.addAll(dataStatus); _tessdata.addAll(dataStatus);
setState(() {}); setState(() {});

View file

@ -1,9 +1,6 @@
// ignore_for_file: inference_failure_on_function_invocation
import 'package:currency_picker/currency_picker.dart'; import 'package:currency_picker/currency_picker.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter/services.dart'; import 'package:flutter/services.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
import 'package:flutter_iconpicker/flutter_iconpicker.dart'; import 'package:flutter_iconpicker/flutter_iconpicker.dart';
import 'package:introduction_screen/introduction_screen.dart'; import 'package:introduction_screen/introduction_screen.dart';
import 'package:prasule/api/category.dart'; import 'package:prasule/api/category.dart';
@ -12,12 +9,10 @@ import 'package:prasule/api/walletmanager.dart';
import 'package:prasule/pw/platformbutton.dart'; import 'package:prasule/pw/platformbutton.dart';
import 'package:prasule/pw/platformdialog.dart'; import 'package:prasule/pw/platformdialog.dart';
import 'package:prasule/pw/platformfield.dart'; import 'package:prasule/pw/platformfield.dart';
import 'package:prasule/pw/platformroute.dart';
import 'package:prasule/views/home.dart'; import 'package:prasule/views/home.dart';
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
/// View that shows on first-time setup
class SetupView extends StatefulWidget { class SetupView extends StatefulWidget {
/// View that shows on first-time setup
const SetupView({super.key, this.newWallet = false}); const SetupView({super.key, this.newWallet = false});
/// We are only creating a new wallet, no first-time setup /// We are only creating a new wallet, no first-time setup
@ -27,11 +22,10 @@ class SetupView extends StatefulWidget {
} }
class _SetupViewState extends State<SetupView> { class _SetupViewState extends State<SetupView> {
var _selectedCurrency = Currency.from( var _selectedCurrency = Currency.from(json: {
json: {
"code": "USD", "code": "USD",
"name": "United States Dollar", "name": "United States Dollar",
"symbol": r"$", "symbol": "\$",
"flag": "USD", "flag": "USD",
"decimal_digits": 2, "decimal_digits": 2,
"number": 840, "number": 840,
@ -40,47 +34,40 @@ class _SetupViewState extends State<SetupView> {
"decimal_separator": ".", "decimal_separator": ".",
"space_between_amount_and_symbol": false, "space_between_amount_and_symbol": false,
"symbol_on_left": true, "symbol_on_left": true,
}, });
); var categories = <WalletCategory>[];
List<WalletCategory> categories = <WalletCategory>[]; var name = "";
String name = ""; var balance = 0.0;
double balance = 0;
@override @override
void didChangeDependencies() { void didChangeDependencies() {
super.didChangeDependencies(); super.didChangeDependencies();
if (categories.isEmpty) { if (categories.isEmpty) {
categories = [ categories = [
WalletCategory(
name: AppLocalizations.of(context).noCategory,
id: 0,
icon: IconData(
Icons.payments.codePoint,
fontFamily: 'MaterialIcons',
),
),
WalletCategory( WalletCategory(
name: AppLocalizations.of(context).categoryHealth, name: AppLocalizations.of(context).categoryHealth,
type: EntryType.expense,
id: 1, id: 1,
icon: IconData( icon: IconData(Icons.medical_information.codePoint,
Icons.medical_information.codePoint, fontFamily: 'MaterialIcons'),
fontFamily: 'MaterialIcons',
),
), ),
WalletCategory( WalletCategory(
name: AppLocalizations.of(context).categoryCar, name: AppLocalizations.of(context).categoryCar,
type: EntryType.expense,
id: 2, id: 2,
icon: icon:
IconData(Icons.car_repair.codePoint, fontFamily: 'MaterialIcons'), IconData(Icons.car_repair.codePoint, fontFamily: 'MaterialIcons'),
), ),
WalletCategory( WalletCategory(
name: AppLocalizations.of(context).categoryFood, name: AppLocalizations.of(context).categoryFood,
type: EntryType.expense,
id: 3, id: 3,
icon: icon:
IconData(Icons.restaurant.codePoint, fontFamily: 'MaterialIcons'), IconData(Icons.restaurant.codePoint, fontFamily: 'MaterialIcons'),
), ),
WalletCategory( WalletCategory(
name: AppLocalizations.of(context).categoryTravel, name: AppLocalizations.of(context).categoryTravel,
type: EntryType.expense,
id: 4, id: 4,
icon: IconData(Icons.train.codePoint, fontFamily: 'MaterialIcons'), icon: IconData(Icons.train.codePoint, fontFamily: 'MaterialIcons'),
), ),
@ -100,7 +87,9 @@ class _SetupViewState extends State<SetupView> {
dotsDecorator: DotsDecorator( dotsDecorator: DotsDecorator(
activeColor: Theme.of(context).colorScheme.primary, activeColor: Theme.of(context).colorScheme.primary,
), ),
showNextButton: true,
showBackButton: true, showBackButton: true,
showDoneButton: true,
next: Text(AppLocalizations.of(context).next), next: Text(AppLocalizations.of(context).next),
back: Text(AppLocalizations.of(context).back), back: Text(AppLocalizations.of(context).back),
done: Text(AppLocalizations.of(context).finish), done: Text(AppLocalizations.of(context).finish),
@ -108,18 +97,15 @@ class _SetupViewState extends State<SetupView> {
if (name.isEmpty) { if (name.isEmpty) {
ScaffoldMessenger.of(context) ScaffoldMessenger.of(context)
.clearSnackBars(); // TODO: iOS replacement .clearSnackBars(); // TODO: iOS replacement
ScaffoldMessenger.of(context).showSnackBar( ScaffoldMessenger.of(context).showSnackBar(SnackBar(
SnackBar( content:
content: Text(AppLocalizations.of(context).errorEmptyName), Text(AppLocalizations.of(context).errorEmptyName)));
),
);
return; return;
} }
final wallet = Wallet( var wallet = Wallet(
name: name, name: name,
currency: _selectedCurrency, currency: _selectedCurrency,
categories: categories, categories: categories);
);
WalletManager.saveWallet(wallet).then( WalletManager.saveWallet(wallet).then(
(value) { (value) {
if (!value) { if (!value) {
@ -137,8 +123,8 @@ class _SetupViewState extends State<SetupView> {
return; return;
} }
Navigator.of(context).pushReplacement( Navigator.of(context).pushReplacement(
platformRoute( MaterialPageRoute(
(c) => const HomeView(), builder: (c) => const HomeView(),
), ),
); );
}, },
@ -153,9 +139,7 @@ class _SetupViewState extends State<SetupView> {
child: Text( child: Text(
AppLocalizations.of(context).welcome, AppLocalizations.of(context).welcome,
style: const TextStyle( style: const TextStyle(
fontSize: 24, fontSize: 24, fontWeight: FontWeight.bold),
fontWeight: FontWeight.bold,
),
textAlign: TextAlign.center, textAlign: TextAlign.center,
), ),
), ),
@ -166,8 +150,7 @@ class _SetupViewState extends State<SetupView> {
if (!widget.newWallet) if (!widget.newWallet)
Flexible( Flexible(
child: Text( child: Text(
AppLocalizations.of(context).welcomeAboutPrasule, AppLocalizations.of(context).welcomeAboutPrasule),
),
), ),
if (!widget.newWallet) if (!widget.newWallet)
const SizedBox( const SizedBox(
@ -175,8 +158,7 @@ class _SetupViewState extends State<SetupView> {
), ),
Flexible( Flexible(
child: Text( child: Text(
AppLocalizations.of(context).welcomeInstruction, AppLocalizations.of(context).welcomeInstruction),
),
), ),
], ],
), ),
@ -190,9 +172,7 @@ class _SetupViewState extends State<SetupView> {
AppLocalizations.of(context).setupWalletNameCurrency, AppLocalizations.of(context).setupWalletNameCurrency,
textAlign: TextAlign.center, textAlign: TextAlign.center,
style: const TextStyle( style: const TextStyle(
fontSize: 24, fontSize: 24, fontWeight: FontWeight.bold),
fontWeight: FontWeight.bold,
),
), ),
), ),
bodyWidget: Column( bodyWidget: Column(
@ -233,12 +213,11 @@ class _SetupViewState extends State<SetupView> {
labelText: labelText:
AppLocalizations.of(context).setupStartingBalance, AppLocalizations.of(context).setupStartingBalance,
keyboardType: const TextInputType.numberWithOptions( keyboardType: const TextInputType.numberWithOptions(
decimal: true, decimal: true),
),
inputFormatters: [ inputFormatters: [
FilteringTextInputFormatter.allow( FilteringTextInputFormatter.allow(
RegExp(r'\d+[\.,]{0,1}\d{0,}'), RegExp(r'\d+[\.,]{0,1}\d{0,}'),
), )
], ],
onChanged: (t) { onChanged: (t) {
balance = double.parse(t); balance = double.parse(t);
@ -257,9 +236,7 @@ class _SetupViewState extends State<SetupView> {
AppLocalizations.of(context).setupCategoriesHeading, AppLocalizations.of(context).setupCategoriesHeading,
textAlign: TextAlign.center, textAlign: TextAlign.center,
style: const TextStyle( style: const TextStyle(
fontSize: 24, fontSize: 24, fontWeight: FontWeight.bold),
fontWeight: FontWeight.bold,
),
), ),
), ),
bodyWidget: Column( bodyWidget: Column(
@ -273,15 +250,11 @@ class _SetupViewState extends State<SetupView> {
height: MediaQuery.of(context).size.height * 0.64, height: MediaQuery.of(context).size.height * 0.64,
child: ListView.builder( child: ListView.builder(
shrinkWrap: true, shrinkWrap: true,
itemBuilder: (context, i) => (i == 0) itemBuilder: (context, i) => ListTile(
? const SizedBox()
: ListTile(
leading: GestureDetector( leading: GestureDetector(
onTap: () async { onTap: () async {
final icon = var icon = await FlutterIconPicker.showIconPicker(
await FlutterIconPicker.showIconPicker( context);
context,
);
if (icon == null) return; if (icon == null) return;
categories[i].icon = icon; categories[i].icon = icon;
setState(() {}); setState(() {});
@ -289,17 +262,14 @@ class _SetupViewState extends State<SetupView> {
child: Container( child: Container(
decoration: BoxDecoration( decoration: BoxDecoration(
borderRadius: BorderRadius.circular(16), borderRadius: BorderRadius.circular(16),
color: Theme.of(context) color:
.colorScheme Theme.of(context).colorScheme.secondary),
.secondary,
),
child: Padding( child: Padding(
padding: const EdgeInsets.all(8), padding: const EdgeInsets.all(8.0),
child: Icon( child: Icon(
categories[i].icon, categories[i].icon,
color: Theme.of(context) color:
.colorScheme Theme.of(context).colorScheme.onSecondary,
.onSecondary,
), ),
), ),
), ),
@ -313,49 +283,43 @@ class _SetupViewState extends State<SetupView> {
), ),
title: GestureDetector( title: GestureDetector(
onTap: () { onTap: () {
final controller = TextEditingController( var controller = TextEditingController(
text: categories[i].name, text: categories[i].name);
);
showDialog( showDialog(
context: context, context: context,
builder: (c) => PlatformDialog( builder: (c) => PlatformDialog(
actions: [ actions: [
TextButton( TextButton(
onPressed: () { onPressed: () {
if (controller.text.isEmpty) if (controller.text.isEmpty) return;
return; categories[i].name = controller.text;
categories[i].name =
controller.text;
Navigator.of(context).pop(); Navigator.of(context).pop();
}, },
child: Text( child: Text(
AppLocalizations.of(context).ok, AppLocalizations.of(context).ok),
),
), ),
TextButton( TextButton(
onPressed: () { onPressed: () {
Navigator.of(context).pop(); Navigator.of(context).pop();
}, },
child: Text( child: Text(
AppLocalizations.of(context) AppLocalizations.of(context).cancel),
.cancel,
),
), ),
], ],
title: AppLocalizations.of(context) title: AppLocalizations.of(context)
.setupCategoriesEditingName, .setupCategoriesEditingName,
content: SizedBox( content: SizedBox(
width: 400, width: 400,
child: PlatformField( child:
controller: controller), PlatformField(controller: controller),
), ),
), ),
); );
}, },
child: Text( child: Text(
categories[i].name, categories[i].name,
style: const TextStyle( style:
fontWeight: FontWeight.bold), const TextStyle(fontWeight: FontWeight.bold),
), ),
), ),
), ),
@ -364,7 +328,7 @@ class _SetupViewState extends State<SetupView> {
), ),
IconButton( IconButton(
onPressed: () { onPressed: () {
var id = 0; var id = 1;
while (categories while (categories
.where((element) => element.id == id) .where((element) => element.id == id)
.isNotEmpty) { .isNotEmpty) {
@ -374,17 +338,16 @@ class _SetupViewState extends State<SetupView> {
WalletCategory( WalletCategory(
name: AppLocalizations.of(context) name: AppLocalizations.of(context)
.setupWalletNamePlaceholder, .setupWalletNamePlaceholder,
type: EntryType.expense,
id: id, id: id,
icon: IconData( icon: IconData(Icons.question_mark.codePoint,
Icons.question_mark.codePoint, fontFamily: 'MaterialIcons'),
fontFamily: 'MaterialIcons',
),
), ),
); );
setState(() {}); setState(() {});
}, },
icon: const Icon(Icons.add), icon: const Icon(Icons.add),
), )
], ],
), ),
), ),

View file

@ -317,10 +317,10 @@ packages:
dependency: "direct main" dependency: "direct main"
description: description:
name: fl_chart name: fl_chart
sha256: fe6fec7d85975a99c73b9515a69a6e291364accfa0e4a5b3ce6de814d74b9a1c sha256: "5a74434cc83bf64346efb562f1a06eefaf1bcb530dc3d96a104f631a1eff8d79"
url: "https://pub.dev" url: "https://pub.dev"
source: hosted source: hosted
version: "0.66.0" version: "0.65.0"
flutter: flutter:
dependency: "direct main" dependency: "direct main"
description: flutter description: flutter
@ -1105,14 +1105,6 @@ packages:
url: "https://pub.dev" url: "https://pub.dev"
source: hosted source: hosted
version: "2.1.4" version: "2.1.4"
very_good_analysis:
dependency: "direct dev"
description:
name: very_good_analysis
sha256: "9ae7f3a3bd5764fb021b335ca28a34f040cd0ab6eec00a1b213b445dae58a4b8"
url: "https://pub.dev"
source: hosted
version: "5.1.0"
vm_service: vm_service:
dependency: transitive dependency: transitive
description: description:

View file

@ -1,7 +1,7 @@
name: prasule name: prasule
description: Open-source private expense tracker description: Open-source private expense tracker
version: 1.0.0-alpha+3 version: 1.0.0-alpha.2+2
environment: environment:
sdk: '>=3.1.0-262.2.beta <4.0.0' sdk: '>=3.1.0-262.2.beta <4.0.0'
@ -13,33 +13,37 @@ environment:
# the latest version available on pub.dev. To see which dependencies have newer # the latest version available on pub.dev. To see which dependencies have newer
# versions available, run `flutter pub outdated`. # versions available, run `flutter pub outdated`.
dependencies: dependencies:
cupertino_icons: ^1.0.2
currency_picker: ^2.0.16
dio: ^5.3.0
dynamic_color: ^1.6.6
fl_chart: ^0.66.0
flutter: flutter:
sdk: flutter sdk: flutter
# The following adds the Cupertino Icons font to your application.
# Use with the CupertinoIcons class for iOS style icons.
cupertino_icons: ^1.0.2
path_provider: ^2.0.15
dio: ^5.3.0
logger: ^2.0.0
settings_ui: ^2.0.2
currency_picker: ^2.0.16
json_serializable: ^6.7.1
json_annotation: ^4.8.1
flutter_iconpicker: ^3.2.4 flutter_iconpicker: ^3.2.4
dynamic_color: ^1.6.6
introduction_screen: ^3.1.11
intl: any
grouped_list: ^5.1.2
flutter_speed_dial: ^7.0.0
image_picker: ^1.0.1
flutter_tesseract_ocr: ^0.4.23
flutter_slidable: ^3.0.0
flutter_localizations: flutter_localizations:
sdk: flutter sdk: flutter
flutter_slidable: ^3.0.0 fl_chart: ^0.65.0
flutter_speed_dial: ^7.0.0
flutter_tesseract_ocr: ^0.4.23
grouped_list: ^5.1.2
image_picker: ^1.0.1
intl: any
introduction_screen: ^3.1.11
json_annotation: ^4.8.1
json_serializable: ^6.7.1
logger: ^2.0.0
path_provider: ^2.0.15
settings_ui: ^2.0.2
shared_preferences: ^2.2.2 shared_preferences: ^2.2.2
dev_dependencies: dev_dependencies:
build_runner: ^2.4.6 flutter_test:
flutter_launcher_icons: ^0.13.1 sdk: flutter
# The "flutter_lints" package below contains a set of recommended lints to # The "flutter_lints" package below contains a set of recommended lints to
# encourage good coding practices. The lint set provided by the package is # encourage good coding practices. The lint set provided by the package is
@ -47,12 +51,11 @@ dev_dependencies:
# package. See that file for information about deactivating specific lint # package. See that file for information about deactivating specific lint
# rules and activating additional ones. # rules and activating additional ones.
flutter_lints: ^3.0.0 flutter_lints: ^3.0.0
flutter_test: build_runner: ^2.4.6
sdk: flutter test: ^1.24.6
integration_test: integration_test:
sdk: flutter sdk: flutter
test: ^1.24.6 flutter_launcher_icons: ^0.13.1
very_good_analysis: ^5.1.0
flutter_launcher_icons: flutter_launcher_icons:
android: true android: true
@ -74,6 +77,7 @@ flutter_launcher_icons:
# For information on the generic Dart part of this file, see the # For information on the generic Dart part of this file, see the
# following page: https://dart.dev/tools/pub/pubspec # following page: https://dart.dev/tools/pub/pubspec
# The following section is specific to Flutter packages. # The following section is specific to Flutter packages.
flutter: flutter:
generate: true generate: true
@ -84,14 +88,18 @@ flutter:
assets: assets:
- assets/ - assets/
- assets/tessdata/ - assets/tessdata/
# To add assets to your application, add an assets section, like this: # To add assets to your application, add an assets section, like this:
# assets: # assets:
# - images/a_dot_burr.jpeg # - images/a_dot_burr.jpeg
# - images/a_dot_ham.jpeg # - images/a_dot_ham.jpeg
# An image asset can refer to one or more resolution-specific "variants", see # An image asset can refer to one or more resolution-specific "variants", see
# https://flutter.dev/assets-and-images/#resolution-aware # https://flutter.dev/assets-and-images/#resolution-aware
# For details regarding adding assets from package dependencies, see # For details regarding adding assets from package dependencies, see
# https://flutter.dev/assets-and-images/#from-packages # https://flutter.dev/assets-and-images/#from-packages
# To add custom fonts to your application, add a fonts section here, # To add custom fonts to your application, add a fonts section here,
# in this "flutter" section. Each entry in this list should have a # in this "flutter" section. Each entry in this list should have a
# "family" key with the font family name, and a "fonts" key with a # "family" key with the font family name, and a "fonts" key with a