first commit
This commit is contained in:
337
lib/Screens/stock_list/low_stock.dart
Normal file
337
lib/Screens/stock_list/low_stock.dart
Normal file
@@ -0,0 +1,337 @@
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter_easyloading/flutter_easyloading.dart';
|
||||
import 'package:flutter_feather_icons/flutter_feather_icons.dart';
|
||||
import 'package:flutter_riverpod/flutter_riverpod.dart';
|
||||
import 'package:hugeicons/hugeicons.dart';
|
||||
import 'package:intl/intl.dart';
|
||||
import 'package:mobile_pos/Provider/profile_provider.dart';
|
||||
import 'package:mobile_pos/Screens/Products/Model/product_model.dart';
|
||||
import 'package:mobile_pos/Screens/Products/Providers/product_provider.dart' hide productProvider;
|
||||
import 'package:mobile_pos/Screens/stock_list/stock_in_varriant.dart';
|
||||
import 'package:mobile_pos/constant.dart';
|
||||
import 'package:mobile_pos/generated/l10n.dart' as lang;
|
||||
import 'package:mobile_pos/pdf_report/stock_report_pdf/stock_report_pdf.dart';
|
||||
import 'package:mobile_pos/widgets/empty_widget/_empty_widget.dart';
|
||||
import '../../Provider/product_provider.dart';
|
||||
import '../../currency.dart';
|
||||
|
||||
class LowStock extends ConsumerStatefulWidget {
|
||||
const LowStock({super.key, required this.isFromReport});
|
||||
|
||||
final bool isFromReport;
|
||||
|
||||
@override
|
||||
ConsumerState createState() => StockListState();
|
||||
}
|
||||
|
||||
class StockListState extends ConsumerState<LowStock> {
|
||||
String productSearch = '';
|
||||
bool _isRefreshing = false;
|
||||
// String selectedFilter = 'Low Stock';
|
||||
String selectedExpireFilter = '7 Days';
|
||||
|
||||
Future<void> refreshData(WidgetRef ref) async {
|
||||
if (_isRefreshing) return;
|
||||
_isRefreshing = true;
|
||||
ref.refresh(productProvider);
|
||||
await Future.delayed(const Duration(seconds: 1));
|
||||
_isRefreshing = false;
|
||||
}
|
||||
|
||||
final _horizontalScroll = ScrollController();
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
final theme = Theme.of(context);
|
||||
return Consumer(builder: (context, ref, __) {
|
||||
final providerData = ref.watch(productProvider);
|
||||
final totalStockValueProvider = ref.watch(productListProvider);
|
||||
final businessData = ref.watch(businessInfoProvider);
|
||||
return totalStockValueProvider.when(
|
||||
data: (stockValue) {
|
||||
return businessData.when(data: (business) {
|
||||
return providerData.when(
|
||||
data: (product) {
|
||||
List<Product> showableProducts = [];
|
||||
double totalStockValue = 0;
|
||||
|
||||
for (var element in product) {
|
||||
if (element.productType == 'combo') continue;
|
||||
|
||||
final searchMatch = element.productName!.toLowerCase().contains(productSearch.toLowerCase().trim());
|
||||
if (!searchMatch) continue;
|
||||
|
||||
final qty = element.stocksSumProductStock ?? 0;
|
||||
final alertQty = element.alertQty ?? 0;
|
||||
final isLowStock = qty <= alertQty;
|
||||
|
||||
if (isLowStock) {
|
||||
showableProducts.add(element);
|
||||
|
||||
final lastStock =
|
||||
(element.stocks != null && element.stocks!.isNotEmpty) ? element.stocks!.last : null;
|
||||
|
||||
final purchasePrice = lastStock?.productPurchasePrice ?? element.productPurchasePrice ?? 0;
|
||||
|
||||
totalStockValue += purchasePrice * qty;
|
||||
}
|
||||
}
|
||||
|
||||
return Scaffold(
|
||||
backgroundColor: Colors.white,
|
||||
appBar: AppBar(
|
||||
centerTitle: true,
|
||||
title: Text(lang.S.of(context).lowStock),
|
||||
backgroundColor: Colors.white,
|
||||
elevation: 0.0,
|
||||
actions: [
|
||||
IconButton(
|
||||
visualDensity: VisualDensity(horizontal: -4, vertical: -4),
|
||||
padding: EdgeInsets.zero,
|
||||
onPressed: () {
|
||||
if (showableProducts.isNotEmpty) {
|
||||
generateStockReportPdf(context, showableProducts, business, stockValue, true);
|
||||
} else {
|
||||
EasyLoading.showError(lang.S.of(context).genPdfWarn);
|
||||
}
|
||||
},
|
||||
icon: HugeIcon(
|
||||
icon: HugeIcons.strokeRoundedPdf01,
|
||||
color: kSecondayColor,
|
||||
),
|
||||
),
|
||||
SizedBox(width: 8),
|
||||
],
|
||||
toolbarHeight: 100,
|
||||
bottom: PreferredSize(
|
||||
preferredSize: const Size(double.infinity, 40),
|
||||
child: Column(
|
||||
children: [
|
||||
Container(
|
||||
color: updateBorderColor.withValues(alpha: 0.5),
|
||||
width: double.infinity,
|
||||
height: 1,
|
||||
),
|
||||
Padding(
|
||||
padding: const EdgeInsets.all(16),
|
||||
child: TextFormField(
|
||||
onChanged: (value) {
|
||||
setState(() {
|
||||
productSearch = value;
|
||||
});
|
||||
},
|
||||
decoration: InputDecoration(
|
||||
enabledBorder: OutlineInputBorder(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
borderSide: const BorderSide(color: updateBorderColor, width: 1),
|
||||
),
|
||||
focusedBorder: OutlineInputBorder(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
borderSide: const BorderSide(color: Colors.red, width: 1),
|
||||
),
|
||||
prefixIcon: const Padding(
|
||||
padding: EdgeInsets.only(left: 10),
|
||||
child: Icon(
|
||||
FeatherIcons.search,
|
||||
color: kNeutralColor,
|
||||
),
|
||||
),
|
||||
hintText: lang.S.of(context).searchH,
|
||||
hintStyle: Theme.of(context).textTheme.bodyMedium?.copyWith(
|
||||
color: kNeutralColor,
|
||||
)),
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
body: SingleChildScrollView(
|
||||
child: RefreshIndicator(
|
||||
onRefresh: () => refreshData(ref),
|
||||
child: Column(
|
||||
children: [
|
||||
showableProducts.isNotEmpty
|
||||
? LayoutBuilder(
|
||||
builder: (BuildContext context, BoxConstraints constraints) {
|
||||
final kWidth = constraints.maxWidth;
|
||||
return SingleChildScrollView(
|
||||
scrollDirection: Axis.horizontal,
|
||||
controller: _horizontalScroll,
|
||||
child: ConstrainedBox(
|
||||
constraints: BoxConstraints(minWidth: kWidth),
|
||||
child: Theme(
|
||||
data: Theme.of(context).copyWith(
|
||||
dividerTheme: const DividerThemeData(color: Colors.transparent),
|
||||
checkboxTheme: CheckboxThemeData(),
|
||||
),
|
||||
child: DataTable(
|
||||
border: const TableBorder(
|
||||
horizontalInside: BorderSide(
|
||||
width: 1,
|
||||
color: updateBorderColor,
|
||||
),
|
||||
),
|
||||
dataRowColor: const WidgetStatePropertyAll(Colors.white),
|
||||
headingRowColor: WidgetStateProperty.all(const Color(0xffFEF0F1)),
|
||||
showBottomBorder: false,
|
||||
dividerThickness: 0.0,
|
||||
headingTextStyle: theme.textTheme.titleSmall,
|
||||
dataTextStyle: theme.textTheme.bodyMedium,
|
||||
columnSpacing: 20.0,
|
||||
headingRowHeight: 40,
|
||||
dataRowMinHeight: 40,
|
||||
columns: [
|
||||
DataColumn(label: Text(lang.S.of(context).product)),
|
||||
DataColumn(label: Text(lang.S.of(context).qty)),
|
||||
DataColumn(label: Text(lang.S.of(context).cost)),
|
||||
DataColumn(label: Text(lang.S.of(context).sale)),
|
||||
],
|
||||
rows: showableProducts.asMap().entries.map((entry) {
|
||||
final product = entry.value;
|
||||
final lastStock =
|
||||
product.stocks?.isNotEmpty == true ? product.stocks?.last : null;
|
||||
bool isLowStock =
|
||||
(product.stocksSumProductStock ?? 0) <= (product.alertQty ?? 0);
|
||||
|
||||
// Find the first expired stock (if any)
|
||||
Stock? expiredStock;
|
||||
if (product.stocks != null) {
|
||||
for (final stock in product.stocks!) {
|
||||
if (stock.expireDate != null) {
|
||||
final expiryDate = DateTime.tryParse(stock.expireDate!);
|
||||
if (expiryDate != null && expiryDate.isBefore(DateTime.now())) {
|
||||
expiredStock = stock;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
bool isExpired = expiredStock != null;
|
||||
|
||||
void navigateNextScreen() {
|
||||
if (product.productType == "variant" &&
|
||||
product.stocks?.isNotEmpty == true) {
|
||||
Navigator.push(
|
||||
context,
|
||||
MaterialPageRoute(
|
||||
builder: (context) => StockInVarriantList(product: product),
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
return DataRow(
|
||||
cells: [
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
SizedBox(
|
||||
width: 150,
|
||||
child: Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
mainAxisAlignment: MainAxisAlignment.center,
|
||||
children: [
|
||||
Text(
|
||||
product.productName ?? 'N/A',
|
||||
style: theme.textTheme.bodyMedium,
|
||||
textAlign: TextAlign.start,
|
||||
maxLines: 1,
|
||||
overflow: TextOverflow.ellipsis,
|
||||
),
|
||||
if (isExpired) SizedBox(height: 1),
|
||||
if (isExpired)
|
||||
Text.rich(
|
||||
TextSpan(
|
||||
text: '${lang.S.of(context).expired}: ',
|
||||
children: [
|
||||
TextSpan(
|
||||
text: DateFormat('dd MMM yyyy').format(
|
||||
DateTime.parse(expiredStock.expireDate
|
||||
.toString())),
|
||||
style: TextStyle(
|
||||
color: Colors.red,
|
||||
fontSize: 12,
|
||||
))
|
||||
]),
|
||||
maxLines: 1,
|
||||
overflow: TextOverflow.ellipsis,
|
||||
style: theme.textTheme.bodySmall,
|
||||
)
|
||||
],
|
||||
),
|
||||
)),
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Text(
|
||||
"${product.stocksSumProductStock ?? 0}",
|
||||
)),
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Text(
|
||||
'$currency${formatPointNumber(lastStock?.productPurchasePrice ?? 0)}',
|
||||
style: theme.textTheme.bodyMedium?.copyWith())),
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Text(
|
||||
'$currency${formatPointNumber(lastStock?.productSalePrice ?? 0)}',
|
||||
)),
|
||||
],
|
||||
);
|
||||
}).toList(),
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
},
|
||||
)
|
||||
: EmptyWidget(
|
||||
message: TextSpan(text: lang.S.of(context).noProductFound),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
bottomNavigationBar: Container(
|
||||
color: const Color(0xffFEF0F1),
|
||||
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 16),
|
||||
child: Padding(
|
||||
padding: const EdgeInsets.only(left: 8.0, right: 8),
|
||||
child: Row(
|
||||
mainAxisAlignment: MainAxisAlignment.spaceBetween,
|
||||
children: [
|
||||
Text(
|
||||
lang.S.of(context).stockValue,
|
||||
style: theme.textTheme.titleMedium?.copyWith(
|
||||
fontWeight: FontWeight.w600,
|
||||
),
|
||||
),
|
||||
Text(
|
||||
'$currency${formatPointNumber(totalStockValue)}',
|
||||
style: theme.textTheme.titleMedium?.copyWith(fontWeight: FontWeight.w600),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
},
|
||||
error: (e, stack) => Center(child: Text("Error: $e")),
|
||||
loading: () => const Center(child: CircularProgressIndicator()),
|
||||
);
|
||||
}, error: (e, stack) {
|
||||
return Text(e.toString());
|
||||
}, loading: () {
|
||||
return Center(child: CircularProgressIndicator());
|
||||
});
|
||||
},
|
||||
error: (e, stack) => Center(
|
||||
child: Text(e.toString()),
|
||||
),
|
||||
loading: () {
|
||||
return Center(
|
||||
child: CircularProgressIndicator(),
|
||||
);
|
||||
});
|
||||
});
|
||||
}
|
||||
}
|
||||
243
lib/Screens/stock_list/stock_in_varriant.dart
Normal file
243
lib/Screens/stock_list/stock_in_varriant.dart
Normal file
@@ -0,0 +1,243 @@
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter_riverpod/flutter_riverpod.dart';
|
||||
import 'package:intl/intl.dart';
|
||||
import 'package:mobile_pos/generated/l10n.dart' as l;
|
||||
import 'package:mobile_pos/Screens/Products/Model/product_model.dart';
|
||||
import '../../constant.dart';
|
||||
import '../../service/check_user_role_permission_provider.dart';
|
||||
|
||||
class StockInVarriantList extends ConsumerStatefulWidget {
|
||||
const StockInVarriantList({super.key, required this.product});
|
||||
final Product product;
|
||||
|
||||
@override
|
||||
ConsumerState<StockInVarriantList> createState() => _StockInBatchListState();
|
||||
}
|
||||
|
||||
class _StockInBatchListState extends ConsumerState<StockInVarriantList> {
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
final theme = Theme.of(context);
|
||||
final now = DateTime.now();
|
||||
final permissionService = PermissionService(ref);
|
||||
final _lang = l.S.of(context);
|
||||
return Scaffold(
|
||||
appBar: AppBar(
|
||||
title: Text(_lang.viewStock),
|
||||
centerTitle: true,
|
||||
),
|
||||
body: SingleChildScrollView(
|
||||
padding: const EdgeInsets.symmetric(vertical: 16),
|
||||
child: Container(
|
||||
decoration: BoxDecoration(color: Colors.white, borderRadius: BorderRadius.circular(10)),
|
||||
child: Column(
|
||||
children: [
|
||||
Container(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 12, vertical: 8),
|
||||
decoration: const BoxDecoration(
|
||||
color: Color(0xf0fef0f1),
|
||||
borderRadius: BorderRadius.vertical(top: Radius.circular(10)),
|
||||
),
|
||||
child: Row(
|
||||
children: [
|
||||
_buildHeaderText(_lang.batch, 4, theme, TextAlign.start),
|
||||
_buildHeaderText(_lang.stock, 4, theme, TextAlign.center),
|
||||
if (permissionService.hasPermission(Permit.stocksPriceView.value))
|
||||
_buildHeaderText(_lang.cost, 4, theme, TextAlign.center),
|
||||
// _buildHeaderText('Sale', 2, theme, TextAlign.right),
|
||||
_buildHeaderText(_lang.expiry, 4, theme, TextAlign.center),
|
||||
],
|
||||
),
|
||||
),
|
||||
ListView.separated(
|
||||
shrinkWrap: true,
|
||||
physics: const NeverScrollableScrollPhysics(),
|
||||
itemCount: widget.product.stocks!.length,
|
||||
separatorBuilder: (_, __) => Divider(color: updateBorderColor),
|
||||
itemBuilder: (_, index) {
|
||||
final stock = widget.product.stocks![index];
|
||||
bool isExpired = false;
|
||||
|
||||
if (stock.expireDate != null) {
|
||||
final expiryDate = DateTime.tryParse(stock.expireDate!);
|
||||
if (expiryDate != null && expiryDate.isBefore(now)) {
|
||||
isExpired = true;
|
||||
}
|
||||
}
|
||||
return _buildRow(theme, index, isExpired);
|
||||
},
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
}
|
||||
|
||||
Widget _buildHeaderText(String text, int flex, ThemeData theme, TextAlign textAlign) => Expanded(
|
||||
flex: flex,
|
||||
child: Text(
|
||||
text,
|
||||
style: theme.textTheme.titleMedium,
|
||||
textAlign: textAlign,
|
||||
),
|
||||
);
|
||||
|
||||
Widget _buildRow(ThemeData theme, int index, bool isExpired) {
|
||||
final permissionService = PermissionService(ref);
|
||||
return Padding(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 10, vertical: 8),
|
||||
child: Row(
|
||||
children: [
|
||||
_buildCell(
|
||||
widget.product.stocks![index].batchNo ?? 'n/a',
|
||||
4,
|
||||
theme,
|
||||
TextAlign.left,
|
||||
isExpired: isExpired,
|
||||
),
|
||||
_buildCell(
|
||||
widget.product.stocks![index].productStock.toString(),
|
||||
4,
|
||||
theme,
|
||||
TextAlign.center,
|
||||
isExpired: isExpired,
|
||||
),
|
||||
if (permissionService.hasPermission(Permit.stocksPriceView.value))
|
||||
_buildCell(
|
||||
widget.product.stocks![index].productPurchasePrice.toString(),
|
||||
4,
|
||||
theme,
|
||||
TextAlign.center,
|
||||
isExpired: isExpired,
|
||||
),
|
||||
// _buildCell(
|
||||
// widget.product.stocks![index].productSalePrice.toString(),
|
||||
// 2,
|
||||
// theme,
|
||||
// TextAlign.end,
|
||||
// isExpired: isExpired,
|
||||
// ),
|
||||
_buildCell(
|
||||
widget.product.stocks![index].expireDate != null
|
||||
? DateFormat('dd MMM yyyy').format(DateTime.parse(widget.product.stocks![index].expireDate.toString()))
|
||||
: 'n/a',
|
||||
4,
|
||||
theme,
|
||||
TextAlign.center,
|
||||
isExpired: isExpired,
|
||||
),
|
||||
],
|
||||
),
|
||||
);
|
||||
}
|
||||
|
||||
Widget _buildCell(String text, int flex, ThemeData theme, TextAlign textAlign, {required bool isExpired}) => Expanded(
|
||||
flex: flex,
|
||||
child: Text(
|
||||
text,
|
||||
style: theme.textTheme.bodyMedium?.copyWith(
|
||||
color: isExpired ? Colors.red : null,
|
||||
),
|
||||
textAlign: textAlign,
|
||||
));
|
||||
}
|
||||
|
||||
// class StockInBatchList extends StatefulWidget {
|
||||
// const StockInBatchList({super.key, required this.product});
|
||||
// final ProductModel product;
|
||||
//
|
||||
// @override
|
||||
// State<StockInBatchList> createState() => _StockInBatchListState();
|
||||
// }
|
||||
//
|
||||
// class _StockInBatchListState extends State<StockInBatchList> {
|
||||
// @override
|
||||
// Widget build(BuildContext context) {
|
||||
// final theme = Theme.of(context);
|
||||
// return Scaffold(
|
||||
// appBar: AppBar(
|
||||
// title: const Text('View Stock'),
|
||||
// centerTitle: true,
|
||||
// ),
|
||||
// body: SingleChildScrollView(
|
||||
// padding: const EdgeInsets.all(16),
|
||||
// child: Container(
|
||||
// decoration: BoxDecoration(color: Colors.white, borderRadius: BorderRadius.circular(10)),
|
||||
// child: Column(
|
||||
// children: [
|
||||
// _buildHeader(theme),
|
||||
// ListView.separated(
|
||||
// shrinkWrap: true,
|
||||
// physics: const NeverScrollableScrollPhysics(),
|
||||
// itemCount: widget.product.stocks!.length,
|
||||
// separatorBuilder: (_, __) => Divider(color: updateBorderColor),
|
||||
// itemBuilder: (_, index) => _buildRow(theme, index),
|
||||
// ),
|
||||
// ],
|
||||
// ),
|
||||
// ),
|
||||
// ),
|
||||
// );
|
||||
// }
|
||||
//
|
||||
// Widget _buildHeader(ThemeData theme) => Container(
|
||||
// padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 8),
|
||||
// decoration: const BoxDecoration(
|
||||
// color: Color(0xf0fef0f1),
|
||||
// borderRadius: BorderRadius.vertical(top: Radius.circular(10)),
|
||||
// ),
|
||||
// child: Row(
|
||||
// children: [
|
||||
// _buildHeaderText(
|
||||
// 'Batch',
|
||||
// 3,
|
||||
// theme,
|
||||
// TextAlign.left,
|
||||
// ),
|
||||
// _buildHeaderText(
|
||||
// 'Stock',
|
||||
// 3,
|
||||
// theme,
|
||||
// TextAlign.center,
|
||||
// ),
|
||||
// _buildHeaderText(
|
||||
// 'Cost',
|
||||
// 3,
|
||||
// theme,
|
||||
// TextAlign.center,
|
||||
// ),
|
||||
// _buildHeaderText('Sale', 2, theme, TextAlign.right),
|
||||
// ],
|
||||
// ),
|
||||
// );
|
||||
//
|
||||
// Widget _buildHeaderText(String text, int flex, ThemeData theme, TextAlign textAlign) => Expanded(
|
||||
// flex: flex,
|
||||
// child: Text(
|
||||
// text,
|
||||
// style: theme.textTheme.titleMedium,
|
||||
// textAlign: textAlign,
|
||||
// ),
|
||||
// );
|
||||
//
|
||||
// Widget _buildRow(ThemeData theme, int index) => Padding(
|
||||
// padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 6),
|
||||
// child: Row(
|
||||
// children: [
|
||||
// _buildCell(widget.product.stocks![index].batchNo ?? 'n/a', 3, theme, TextAlign.left),
|
||||
// _buildCell(widget.product.stocks![index].productStock.toString(), 3, theme, TextAlign.center),
|
||||
// _buildCell(widget.product.stocks![index].productPurchasePrice.toString(), 3, theme, TextAlign.center),
|
||||
// _buildCell(widget.product.stocks![index].productSalePrice.toString(), 2, theme, TextAlign.end),
|
||||
// ],
|
||||
// ),
|
||||
// );
|
||||
//
|
||||
// Widget _buildCell(String text, int flex, ThemeData theme, TextAlign textAlign) => Expanded(
|
||||
// flex: flex,
|
||||
// child: Text(
|
||||
// text,
|
||||
// style: theme.textTheme.bodyMedium,
|
||||
// textAlign: textAlign,
|
||||
// ));
|
||||
// }
|
||||
712
lib/Screens/stock_list/stock_list_main.dart
Normal file
712
lib/Screens/stock_list/stock_list_main.dart
Normal file
@@ -0,0 +1,712 @@
|
||||
import 'package:dropdown_button2/dropdown_button2.dart';
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter_easyloading/flutter_easyloading.dart';
|
||||
import 'package:flutter_feather_icons/flutter_feather_icons.dart';
|
||||
import 'package:flutter_riverpod/flutter_riverpod.dart';
|
||||
import 'package:flutter_svg/svg.dart';
|
||||
import 'package:hugeicons/hugeicons.dart';
|
||||
import 'package:intl/intl.dart';
|
||||
import 'package:mobile_pos/Provider/profile_provider.dart';
|
||||
import 'package:mobile_pos/Screens/Products/Model/product_model.dart';
|
||||
import 'package:mobile_pos/Screens/Products/Providers/product_provider.dart';
|
||||
import 'package:mobile_pos/Screens/stock_list/stock_in_varriant.dart';
|
||||
import 'package:mobile_pos/constant.dart';
|
||||
import 'package:mobile_pos/generated/l10n.dart' as lang;
|
||||
import 'package:mobile_pos/pdf_report/stock_report_pdf/stock_report_pdf.dart';
|
||||
import 'package:mobile_pos/thermal%20priting%20invoices/provider/print_thermal_invoice_provider.dart';
|
||||
import 'package:mobile_pos/widgets/empty_widget/_empty_widget.dart';
|
||||
|
||||
import '../../Provider/product_provider.dart';
|
||||
import '../../currency.dart';
|
||||
import '../../http_client/custome_http_client.dart';
|
||||
import '../../pdf_report/stock_report_pdf/stock_report_excel.dart';
|
||||
import '../../service/check_user_role_permission_provider.dart';
|
||||
|
||||
class StockList extends ConsumerStatefulWidget {
|
||||
const StockList({super.key, required this.isFromReport});
|
||||
|
||||
final bool isFromReport;
|
||||
|
||||
@override
|
||||
ConsumerState createState() => StockListState();
|
||||
}
|
||||
|
||||
class StockListState extends ConsumerState<StockList> {
|
||||
String productSearch = '';
|
||||
bool _isRefreshing = false;
|
||||
String selectedFilter = 'All';
|
||||
String selectedExpireFilter = '7 Days';
|
||||
|
||||
Future<void> refreshData(WidgetRef ref) async {
|
||||
if (_isRefreshing) return;
|
||||
_isRefreshing = true;
|
||||
ref.refresh(productProvider);
|
||||
await Future.delayed(const Duration(seconds: 1));
|
||||
_isRefreshing = false;
|
||||
}
|
||||
|
||||
final _horizontalScroll = ScrollController();
|
||||
|
||||
// Helper function to check if any stock is expired or near expiration
|
||||
bool _isProductExpiredOrNearExpiry(Product product, DateTime now) {
|
||||
if (product.stocks == null || product.stocks!.isEmpty) return false;
|
||||
|
||||
for (final stock in product.stocks!) {
|
||||
if (stock.expireDate != null) {
|
||||
final expiryDate = DateTime.tryParse(stock.expireDate!);
|
||||
if (expiryDate != null) {
|
||||
final daysLeft = expiryDate.difference(now).inDays;
|
||||
|
||||
switch (selectedExpireFilter) {
|
||||
case '7 Days':
|
||||
if (daysLeft <= 7 && daysLeft >= 0) return true;
|
||||
break;
|
||||
case '15 Days':
|
||||
if (daysLeft <= 15 && daysLeft >= 0) return true;
|
||||
break;
|
||||
case '30 Days':
|
||||
if (daysLeft <= 30 && daysLeft >= 0) return true;
|
||||
break;
|
||||
case '60 Days':
|
||||
if (daysLeft <= 50 && daysLeft >= 0) return true;
|
||||
break;
|
||||
case 'Expired':
|
||||
if (daysLeft < 0) return true;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
return false;
|
||||
}
|
||||
|
||||
final TextEditingController searchController = TextEditingController();
|
||||
|
||||
String all = 'All';
|
||||
String lowStock = 'Low Stock';
|
||||
String expire = 'Expire';
|
||||
|
||||
late List<Map<String, String>> categoryItems = [
|
||||
{'value': all, 'label': lang.S.of(context).all},
|
||||
{'value': lowStock, 'label': lang.S.of(context).lowStock},
|
||||
{'value': expire, 'label': lang.S.of(context).expire},
|
||||
];
|
||||
|
||||
String EXPIRE_7 = '7 Days';
|
||||
String EXPIRE_15 = '15 Days';
|
||||
String EXPIRE_30 = '30 Days';
|
||||
String EXPIRE_60 = '60 Days';
|
||||
String EXPIRE_DONE = 'Expired';
|
||||
|
||||
late List<Map<String, String>> expireItems = [
|
||||
{'value': EXPIRE_7, 'label': lang.S.of(context).sevenDays},
|
||||
{'value': EXPIRE_15, 'label': lang.S.of(context).fifteenthDays},
|
||||
{'value': EXPIRE_30, 'label': lang.S.of(context).thirtyDays},
|
||||
{'value': EXPIRE_60, 'label': lang.S.of(context).sixtyDays},
|
||||
{'value': EXPIRE_DONE, 'label': lang.S.of(context).expired},
|
||||
];
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
final theme = Theme.of(context);
|
||||
return Consumer(builder: (context, ref, __) {
|
||||
final providerData = ref.watch(productProvider);
|
||||
final totalStockValueProvider = ref.watch(productListProvider);
|
||||
final businessData = ref.watch(businessInfoProvider);
|
||||
final permissionService = PermissionService(ref);
|
||||
final _lang = lang.S.of(context);
|
||||
return totalStockValueProvider.when(
|
||||
data: (stockValue) {
|
||||
return businessData.when(data: (business) {
|
||||
return providerData.when(
|
||||
data: (product) {
|
||||
DateTime now = DateTime.now();
|
||||
List<Product> showableProducts = [];
|
||||
|
||||
double totalStockValue = 0;
|
||||
|
||||
for (var element in product) {
|
||||
bool matchesSearch =
|
||||
element.productName!.toLowerCase().contains(productSearch.toLowerCase().trim());
|
||||
|
||||
bool matchesLowStock = (element.productType != 'combo') &&
|
||||
(element.stocksSumProductStock ?? 0) <= (element.alertQty ?? 0);
|
||||
|
||||
bool matchesExpireFilter = true;
|
||||
|
||||
if (selectedFilter == 'Expire') {
|
||||
matchesExpireFilter = _isProductExpiredOrNearExpiry(element, now);
|
||||
}
|
||||
|
||||
// ADD PRODUCTS TO LIST BASED ON FILTER
|
||||
bool shouldAdd = false;
|
||||
|
||||
if (selectedFilter == 'Expire') {
|
||||
shouldAdd = matchesSearch && matchesExpireFilter;
|
||||
} else if (selectedFilter == 'Low Stock') {
|
||||
shouldAdd = matchesSearch && matchesLowStock;
|
||||
} else {
|
||||
shouldAdd = matchesSearch; // "All"
|
||||
}
|
||||
|
||||
if (shouldAdd) {
|
||||
showableProducts.add(element);
|
||||
|
||||
final lastStock =
|
||||
(element.stocks != null && element.stocks!.isNotEmpty) ? element.stocks!.last : null;
|
||||
|
||||
final purchasePrice = lastStock?.productPurchasePrice ?? element.productPurchasePrice ?? 0;
|
||||
|
||||
final qty = element.stocksSumProductStock ?? 0;
|
||||
|
||||
totalStockValue += purchasePrice * qty;
|
||||
}
|
||||
}
|
||||
|
||||
final bool isFiltered = productSearch.isNotEmpty || selectedFilter != 'All';
|
||||
final double displayedStockValue = isFiltered ? totalStockValue : stockValue.totalStockValue;
|
||||
|
||||
return Scaffold(
|
||||
backgroundColor: Colors.white,
|
||||
appBar: AppBar(
|
||||
centerTitle: true,
|
||||
title: Text(lang.S.of(context).stockList),
|
||||
backgroundColor: Colors.white,
|
||||
elevation: 0.0,
|
||||
actions: [
|
||||
if (permissionService.hasPermission(Permit.stocksRead.value)) ...{
|
||||
IconButton(
|
||||
visualDensity: VisualDensity(horizontal: -4, vertical: -4),
|
||||
padding: EdgeInsets.zero,
|
||||
onPressed: () {
|
||||
if (showableProducts.isNotEmpty) {
|
||||
generateStockReportPdf(context, product, business, stockValue, false);
|
||||
} else {
|
||||
EasyLoading.showError(_lang.noDataAvailableForGeneratePdf);
|
||||
}
|
||||
},
|
||||
icon: HugeIcon(
|
||||
icon: HugeIcons.strokeRoundedPdf01,
|
||||
color: kSecondayColor,
|
||||
),
|
||||
),
|
||||
IconButton(
|
||||
visualDensity: VisualDensity(horizontal: -4, vertical: -4),
|
||||
padding: EdgeInsets.zero,
|
||||
onPressed: () {
|
||||
if (showableProducts.isNotEmpty) {
|
||||
generateStockReportExcel(context, product, business, stockValue);
|
||||
} else {
|
||||
EasyLoading.showError(_lang.noDataAvailableForGeneratePdf);
|
||||
}
|
||||
},
|
||||
icon: SvgPicture.asset('assets/excel.svg'),
|
||||
),
|
||||
IconButton(
|
||||
visualDensity: VisualDensity(horizontal: -4, vertical: -4),
|
||||
padding: EdgeInsets.zero,
|
||||
onPressed: () {
|
||||
ref.watch(thermalPrinterProvider).printStockInvoiceNow(
|
||||
products: product,
|
||||
businessInformationModel: business,
|
||||
context: context,
|
||||
totalStock: stockValue,
|
||||
);
|
||||
},
|
||||
icon: HugeIcon(
|
||||
icon: HugeIcons.strokeRoundedPrinter,
|
||||
color: kMainColor,
|
||||
),
|
||||
),
|
||||
SizedBox(width: 8),
|
||||
}
|
||||
],
|
||||
toolbarHeight: 100,
|
||||
bottom: PreferredSize(
|
||||
preferredSize: const Size(double.infinity, 40),
|
||||
child: Column(
|
||||
children: [
|
||||
Container(
|
||||
color: updateBorderColor.withValues(alpha: 0.5),
|
||||
width: double.infinity,
|
||||
height: 1,
|
||||
),
|
||||
const SizedBox(height: 16),
|
||||
Row(
|
||||
children: [
|
||||
Flexible(
|
||||
flex: 5,
|
||||
child: Padding(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 16),
|
||||
child: TextFormField(
|
||||
controller: searchController,
|
||||
onChanged: (value) {
|
||||
setState(() {
|
||||
productSearch = value;
|
||||
});
|
||||
},
|
||||
decoration: InputDecoration(
|
||||
enabledBorder: OutlineInputBorder(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
borderSide: const BorderSide(color: updateBorderColor, width: 1),
|
||||
),
|
||||
focusedBorder: OutlineInputBorder(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
borderSide: const BorderSide(color: Colors.red, width: 1),
|
||||
),
|
||||
prefixIcon: const Padding(
|
||||
padding: EdgeInsets.only(left: 10),
|
||||
child: Icon(
|
||||
FeatherIcons.search,
|
||||
color: kNeutralColor,
|
||||
),
|
||||
),
|
||||
suffixIcon: Row(
|
||||
mainAxisSize: MainAxisSize.min,
|
||||
children: [
|
||||
if (searchController.text.isNotEmpty)
|
||||
IconButton(
|
||||
visualDensity: const VisualDensity(horizontal: -4),
|
||||
tooltip: _lang.clear,
|
||||
onPressed: () {
|
||||
setState(() {
|
||||
searchController.clear();
|
||||
});
|
||||
},
|
||||
icon: Icon(
|
||||
Icons.close,
|
||||
size: 20,
|
||||
color: kSubPeraColor,
|
||||
),
|
||||
),
|
||||
GestureDetector(
|
||||
onTap: () {
|
||||
showModalBottomSheet(
|
||||
context: context,
|
||||
isScrollControlled: true,
|
||||
isDismissible: false,
|
||||
useSafeArea: true,
|
||||
builder: (BuildContext context) {
|
||||
String tempSelectedFilter = selectedFilter;
|
||||
String tempSelectedExpireFilter = selectedExpireFilter;
|
||||
|
||||
return StatefulBuilder(
|
||||
builder: (BuildContext context, StateSetter setNewState) {
|
||||
return SingleChildScrollView(
|
||||
padding: EdgeInsets.only(
|
||||
bottom: MediaQuery.of(context).viewInsets.bottom,
|
||||
),
|
||||
child: Column(
|
||||
mainAxisSize: MainAxisSize.min,
|
||||
children: [
|
||||
Padding(
|
||||
padding: const EdgeInsetsDirectional.only(start: 16),
|
||||
child: Row(
|
||||
mainAxisAlignment: MainAxisAlignment.spaceBetween,
|
||||
children: [
|
||||
Text(
|
||||
lang.S.of(context).filter,
|
||||
style: theme.textTheme.titleMedium?.copyWith(
|
||||
fontWeight: FontWeight.w600,
|
||||
),
|
||||
),
|
||||
IconButton(
|
||||
onPressed: () => Navigator.pop(context),
|
||||
icon: const Icon(Icons.close, size: 18),
|
||||
)
|
||||
],
|
||||
),
|
||||
),
|
||||
const Divider(color: kBorderColor, height: 1),
|
||||
Padding(
|
||||
padding: const EdgeInsets.all(16.0),
|
||||
child: Column(
|
||||
children: [
|
||||
DropdownButtonFormField2<String>(
|
||||
value: tempSelectedFilter,
|
||||
hint: Text(_lang.selectCategory),
|
||||
iconStyleData: const IconStyleData(
|
||||
icon: Icon(Icons.keyboard_arrow_down),
|
||||
iconSize: 24,
|
||||
openMenuIcon: Icon(Icons.keyboard_arrow_up),
|
||||
iconEnabledColor: Colors.grey,
|
||||
),
|
||||
onChanged: (String? newValue) {
|
||||
setNewState(() {
|
||||
tempSelectedFilter = newValue!;
|
||||
});
|
||||
},
|
||||
// items: <String>[
|
||||
// 'All',
|
||||
// 'Low Stock',
|
||||
// 'Expire'
|
||||
// ].map<DropdownMenuItem<String>>((String value) {
|
||||
// return DropdownMenuItem<String>(
|
||||
// value: value,
|
||||
// child: Text(value,
|
||||
// style: theme.textTheme.bodyMedium),
|
||||
// );
|
||||
// }).toList(),
|
||||
items: categoryItems.map((item) {
|
||||
return DropdownMenuItem<String>(
|
||||
value: item['value'],
|
||||
child: Text(item['label']!),
|
||||
);
|
||||
}).toList(),
|
||||
|
||||
dropdownStyleData: DropdownStyleData(
|
||||
maxHeight: 500,
|
||||
decoration: BoxDecoration(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
),
|
||||
scrollbarTheme: ScrollbarThemeData(
|
||||
radius: const Radius.circular(40),
|
||||
thickness:
|
||||
WidgetStateProperty.all<double>(6),
|
||||
thumbVisibility:
|
||||
WidgetStateProperty.all<bool>(true),
|
||||
),
|
||||
),
|
||||
menuItemStyleData: const MenuItemStyleData(
|
||||
padding:
|
||||
EdgeInsets.symmetric(horizontal: 6)),
|
||||
decoration: InputDecoration(
|
||||
labelText: lang.S.of(context).category,
|
||||
),
|
||||
),
|
||||
if (tempSelectedFilter == 'Expire')
|
||||
SizedBox(height: 16),
|
||||
if (tempSelectedFilter == 'Expire')
|
||||
DropdownButtonFormField2<String>(
|
||||
value: tempSelectedExpireFilter,
|
||||
isDense: true,
|
||||
iconStyleData: const IconStyleData(
|
||||
icon: Icon(Icons.keyboard_arrow_down),
|
||||
iconSize: 24,
|
||||
openMenuIcon: Icon(Icons.keyboard_arrow_up),
|
||||
iconEnabledColor: Colors.grey,
|
||||
),
|
||||
hint: Text("Select Days",
|
||||
style: theme.textTheme.bodyMedium),
|
||||
onChanged: (String? newValue) {
|
||||
setNewState(() {
|
||||
tempSelectedExpireFilter = newValue!;
|
||||
});
|
||||
},
|
||||
items: expireItems.map((item) {
|
||||
return DropdownMenuItem<String>(
|
||||
value: item['value'],
|
||||
child: Text(item['label']!),
|
||||
);
|
||||
}).toList(),
|
||||
// items: <String>[
|
||||
// '7 Days',
|
||||
// '15 Days',
|
||||
// '30 Days',
|
||||
// '60 Days',
|
||||
// 'Expired'
|
||||
// ].map<DropdownMenuItem<String>>(
|
||||
// (String value) {
|
||||
// return DropdownMenuItem<String>(
|
||||
// value: value,
|
||||
// child: Text(value,
|
||||
// style: theme.textTheme.bodyMedium),
|
||||
// );
|
||||
// }).toList(),
|
||||
dropdownStyleData: DropdownStyleData(
|
||||
maxHeight: 500,
|
||||
decoration: BoxDecoration(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
),
|
||||
scrollbarTheme: ScrollbarThemeData(
|
||||
radius: const Radius.circular(40),
|
||||
thickness:
|
||||
WidgetStateProperty.all<double>(6),
|
||||
thumbVisibility:
|
||||
WidgetStateProperty.all<bool>(true),
|
||||
),
|
||||
),
|
||||
menuItemStyleData: const MenuItemStyleData(
|
||||
padding:
|
||||
EdgeInsets.symmetric(horizontal: 6)),
|
||||
),
|
||||
const SizedBox(height: 20),
|
||||
Row(
|
||||
children: [
|
||||
Expanded(
|
||||
child: OutlinedButton(
|
||||
onPressed: () {
|
||||
Navigator.pop(context);
|
||||
},
|
||||
child: Text(lang.S.of(context).cancel),
|
||||
),
|
||||
),
|
||||
const SizedBox(width: 16),
|
||||
Expanded(
|
||||
child: ElevatedButton(
|
||||
onPressed: () {
|
||||
setState(() {
|
||||
selectedFilter = tempSelectedFilter;
|
||||
selectedExpireFilter =
|
||||
tempSelectedExpireFilter;
|
||||
});
|
||||
Navigator.pop(context);
|
||||
},
|
||||
child: Text(lang.S.of(context).apply),
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
);
|
||||
},
|
||||
);
|
||||
},
|
||||
);
|
||||
},
|
||||
child: Padding(
|
||||
padding: const EdgeInsets.all(1.0),
|
||||
child: Container(
|
||||
width: 50,
|
||||
height: 45,
|
||||
padding: const EdgeInsets.all(8),
|
||||
decoration: BoxDecoration(
|
||||
color: kMainColor50,
|
||||
borderRadius: const BorderRadius.only(
|
||||
topRight: Radius.circular(5),
|
||||
bottomRight: Radius.circular(5),
|
||||
),
|
||||
),
|
||||
child: SvgPicture.asset('assets/filter.svg'),
|
||||
),
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
hintText: lang.S.of(context).searchH,
|
||||
hintStyle: Theme.of(context).textTheme.bodyMedium?.copyWith(
|
||||
color: kNeutralColor,
|
||||
)),
|
||||
),
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
const SizedBox(height: 16),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
body: SingleChildScrollView(
|
||||
child: RefreshIndicator(
|
||||
onRefresh: () => refreshData(ref),
|
||||
child: Column(
|
||||
children: [
|
||||
if (permissionService.hasPermission(
|
||||
widget.isFromReport ? Permit.stockReportsRead.value : Permit.stocksRead.value)) ...{
|
||||
showableProducts.isNotEmpty
|
||||
? LayoutBuilder(
|
||||
builder: (BuildContext context, BoxConstraints constraints) {
|
||||
final kWidth = constraints.maxWidth;
|
||||
return SingleChildScrollView(
|
||||
scrollDirection: Axis.horizontal,
|
||||
controller: _horizontalScroll,
|
||||
child: ConstrainedBox(
|
||||
constraints: BoxConstraints(minWidth: kWidth),
|
||||
child: Theme(
|
||||
data: Theme.of(context).copyWith(
|
||||
dividerTheme: const DividerThemeData(color: Colors.transparent),
|
||||
checkboxTheme: CheckboxThemeData(),
|
||||
),
|
||||
child: DataTable(
|
||||
border: const TableBorder(
|
||||
horizontalInside: BorderSide(
|
||||
width: 1,
|
||||
color: updateBorderColor,
|
||||
),
|
||||
),
|
||||
dataRowColor: const WidgetStatePropertyAll(Colors.white),
|
||||
headingRowColor: WidgetStateProperty.all(const Color(0xffFEF0F1)),
|
||||
showBottomBorder: false,
|
||||
dividerThickness: 0.0,
|
||||
headingTextStyle: theme.textTheme.titleSmall,
|
||||
dataTextStyle: theme.textTheme.bodyMedium,
|
||||
columnSpacing: 20.0,
|
||||
headingRowHeight: 40,
|
||||
dataRowMinHeight: 40,
|
||||
columns: [
|
||||
DataColumn(label: Text(lang.S.of(context).product)),
|
||||
DataColumn(
|
||||
label: Text(
|
||||
lang.S.of(context).qty,
|
||||
textAlign: TextAlign.center,
|
||||
)),
|
||||
if (permissionService.hasPermission(Permit.stocksPriceView.value))
|
||||
DataColumn(
|
||||
label: Text(
|
||||
lang.S.of(context).cost,
|
||||
textAlign: TextAlign.center,
|
||||
)),
|
||||
DataColumn(
|
||||
label: Text(
|
||||
lang.S.of(context).sale,
|
||||
textAlign: TextAlign.center,
|
||||
)),
|
||||
],
|
||||
rows: showableProducts.asMap().entries.map((entry) {
|
||||
final product = entry.value;
|
||||
final lastStock =
|
||||
product.stocks?.isNotEmpty == true ? product.stocks?.last : null;
|
||||
bool isLowStock =
|
||||
(product.stocksSumProductStock ?? 0) <= (product.alertQty ?? 0);
|
||||
|
||||
// Find the first expired stock (if any)
|
||||
Stock? expiredStock;
|
||||
if (product.stocks != null) {
|
||||
for (final stock in product.stocks!) {
|
||||
if (stock.expireDate != null) {
|
||||
final expiryDate = DateTime.tryParse(stock.expireDate!);
|
||||
if (expiryDate != null && expiryDate.isBefore(DateTime.now())) {
|
||||
expiredStock = stock;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
bool isExpired = expiredStock != null;
|
||||
|
||||
void navigateNextScreen() {
|
||||
if (product.productType == "variant" &&
|
||||
product.stocks?.isNotEmpty == true) {
|
||||
Navigator.push(
|
||||
context,
|
||||
MaterialPageRoute(
|
||||
builder: (context) => StockInVarriantList(product: product),
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
return DataRow(
|
||||
cells: [
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
mainAxisAlignment: MainAxisAlignment.center,
|
||||
children: [
|
||||
SizedBox(
|
||||
width: 100,
|
||||
child: Text(
|
||||
product.productName ?? 'N/A',
|
||||
style: theme.textTheme.bodyMedium,
|
||||
textAlign: TextAlign.start,
|
||||
maxLines: 1,
|
||||
overflow: TextOverflow.ellipsis,
|
||||
),
|
||||
),
|
||||
if (isExpired) SizedBox(height: 1),
|
||||
if (isExpired)
|
||||
Text.rich(
|
||||
TextSpan(text: '${_lang.expired}: ', children: [
|
||||
TextSpan(
|
||||
text: DateFormat('dd MMM yyyy').format(
|
||||
DateTime.parse(
|
||||
expiredStock.expireDate.toString())),
|
||||
style: TextStyle(
|
||||
color: Colors.red,
|
||||
fontSize: 12,
|
||||
))
|
||||
]),
|
||||
style: theme.textTheme.bodySmall,
|
||||
)
|
||||
],
|
||||
)),
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Text(
|
||||
product.stocksSumProductStock?.toString() ?? '0',
|
||||
textAlign: TextAlign.center,
|
||||
)),
|
||||
if (permissionService.hasPermission(Permit.stocksPriceView.value))
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Text(
|
||||
'$currency${formatPointNumber(lastStock?.productPurchasePrice ?? 0)}',
|
||||
textAlign: TextAlign.center,
|
||||
style: theme.textTheme.bodyMedium?.copyWith(),
|
||||
),
|
||||
),
|
||||
DataCell(
|
||||
onTap: () => navigateNextScreen(),
|
||||
Text(
|
||||
'$currency${formatPointNumber(lastStock?.productSalePrice ?? 0)}',
|
||||
textAlign: TextAlign.center,
|
||||
)),
|
||||
],
|
||||
);
|
||||
}).toList(),
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
},
|
||||
)
|
||||
: EmptyWidget(
|
||||
message: TextSpan(text: lang.S.of(context).noProductFound),
|
||||
),
|
||||
} else
|
||||
Center(child: PermitDenyWidget()),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
bottomNavigationBar: Visibility(
|
||||
visible: permissionService
|
||||
.hasPermission(widget.isFromReport ? Permit.stockReportsRead.value : Permit.stocksRead.value),
|
||||
child: Container(
|
||||
color: const Color(0xffFEF0F1),
|
||||
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 16),
|
||||
child: Row(
|
||||
mainAxisAlignment: MainAxisAlignment.spaceBetween,
|
||||
children: [
|
||||
Text(
|
||||
lang.S.of(context).stockValue,
|
||||
style: theme.textTheme.titleMedium?.copyWith(
|
||||
fontWeight: FontWeight.w600,
|
||||
),
|
||||
),
|
||||
Text(
|
||||
'$currency${formatPointNumber(displayedStockValue)}',
|
||||
style: theme.textTheme.titleMedium?.copyWith(fontWeight: FontWeight.w600),
|
||||
),
|
||||
],
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
},
|
||||
error: (e, stack) => Center(child: Text("Error: $e")),
|
||||
loading: () => const Center(child: CircularProgressIndicator()),
|
||||
);
|
||||
}, error: (e, stack) {
|
||||
return Text(e.toString());
|
||||
}, loading: () {
|
||||
return Center(child: CircularProgressIndicator());
|
||||
});
|
||||
},
|
||||
error: (e, stack) => Center(
|
||||
child: Text(e.toString()),
|
||||
),
|
||||
loading: () {
|
||||
return Center(
|
||||
child: CircularProgressIndicator(),
|
||||
);
|
||||
});
|
||||
});
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user