Files
kulakpos_app/lib/Screens/pos_sale/pos_sale.dart
2026-02-15 20:34:22 +07:00

1155 lines
59 KiB
Dart

import 'package:dropdown_button2/dropdown_button2.dart';
import 'package:flutter/material.dart';
import 'package:flutter_easyloading/flutter_easyloading.dart';
import 'package:flutter_riverpod/flutter_riverpod.dart';
import 'package:flutter_svg/flutter_svg.dart';
import 'package:flutter_typeahead/flutter_typeahead.dart';
import 'package:mobile_pos/constant.dart';
import 'package:mobile_pos/currency.dart';
import '../../Const/api_config.dart';
import '../../GlobalComponents/bar_code_scaner_widget.dart';
import '../../GlobalComponents/go_to_subscription-package_page_popup_widget.dart';
import '../Sales/provider/sales_cart_provider.dart';
import '../../Provider/product_provider.dart';
import '../../model/add_to_cart_model.dart';
import '../../service/check_actions_when_no_branch.dart';
import '../../widgets/empty_widget/_empty_widget.dart';
import '../Customers/Model/parties_model.dart';
import '../Customers/Provider/customer_provider.dart';
import '../Customers/add_customer.dart';
import '../Products/Model/product_model.dart';
import '../Products/add product/modle/create_product_model.dart';
import '../Sales/add_sales.dart';
import '../Sales/batch_select_popup_sales.dart';
import '../../service/check_user_role_permission_provider.dart';
import '../product_category/model/category_model.dart';
import '../product_category/provider/product_category_provider/product_unit_provider.dart';
import 'package:mobile_pos/generated/l10n.dart' as lang;
import '../../http_client/subscription_expire_provider.dart';
import '../subscription/purchase_premium_plan_screen.dart';
import '../../model/business_info_model.dart';
import '../Home/home.dart';
import '../../Provider/profile_provider.dart';
class PosSaleScreen extends ConsumerStatefulWidget {
const PosSaleScreen({super.key});
@override
ConsumerState<PosSaleScreen> createState() => _PosSaleScreenState();
}
class _PosSaleScreenState extends ConsumerState<PosSaleScreen> {
final productController = TextEditingController();
List<Product> filteredProducts = [];
Party? selectedCustomer;
CategoryModel? selectedCategory;
String? selectedPrice;
String price_low_to_high = 'Low to high Price';
String price_high_to_low = 'High to Low Price';
late List<Map<String, String>> priceOptions = [
{
'value': price_low_to_high,
'label': lang.S.current.lowToHighPrice,
},
{
'value': price_high_to_low,
'label': lang.S.current.highToLowPrice,
},
];
@override
void initState() {
super.initState();
ref.refresh(cartNotifier);
filteredProducts = ref.read(productProvider).value ?? [];
productController.addListener(_applyFilters);
WidgetsBinding.instance.addPostFrameCallback((_) {
final subscriptionState = ref.read(subscriptionProvider);
if (subscriptionState.isExpired) {
showDialog(
context: context,
barrierDismissible: false,
builder: (BuildContext context) {
return PopScope(
canPop: false,
child: goToPackagePagePopup(
context: context,
enrolledPlan: ref.read(businessInfoProvider).value?.data?.enrolledPlan,
onCancel: () {
Navigator.pushAndRemoveUntil(
context,
MaterialPageRoute(builder: (context) => const Home()),
(Route<dynamic> route) => false,
);
},
onUpgrade: () {
final businessInfo = ref.read(businessInfoProvider);
Navigator.push(
context,
MaterialPageRoute(
builder: (_) => PurchasePremiumPlanScreen(
isCameBack: true,
isExpired: true,
initiallyShowDialog: false,
enrolledPlan: businessInfo.value?.data?.enrolledPlan,
willExpire: businessInfo.value?.data?.willExpire,
),
),
);
},
),
);
},
);
}
});
}
@override
void dispose() {
productController.removeListener(_applyFilters);
productController.dispose();
super.dispose();
}
// Helper to safely get price for sorting
num _getSortPrice(Product product) {
bool isCombo = product.productType?.toLowerCase().contains('combo') ?? false;
if (isCombo) {
return product.productSalePrice ?? 0;
}
return product.stocks?.isNotEmpty == true ? (product.stocks!.last.productSalePrice ?? 0) : 0;
}
void _applyFilters() {
final query = productController.text.toLowerCase();
final products = ref.read(productProvider).value ?? [];
setState(() {
filteredProducts = products.where((product) {
// Update: Allow Combos even if stock is 0
bool isCombo = product.productType?.toLowerCase().contains('combo') ?? false;
bool hasStock = (product.stocksSumProductStock ?? 0) > 0;
return product.productName!.toLowerCase().startsWith(query) &&
(selectedCategory == null || product.categoryId == selectedCategory!.id) &&
(isCombo || hasStock);
}).toList();
if (selectedPrice == 'Low to high Price') {
filteredProducts.sort((a, b) => _getSortPrice(a).compareTo(_getSortPrice(b)));
} else if (selectedPrice == 'High to Low Price') {
filteredProducts.sort((a, b) => _getSortPrice(b).compareTo(_getSortPrice(a)));
}
});
}
final TextEditingController _searchController = TextEditingController();
bool _hasInitializedFilters = false;
@override
Widget build(BuildContext context) {
final _theme = Theme.of(context);
final providerData = ref.watch(cartNotifier);
final productsList = ref.watch(productProvider);
final categoryData = ref.watch(categoryProvider);
final customer = ref.watch(partiesProvider);
final permissionService = PermissionService(ref);
return Scaffold(
backgroundColor: kWhite,
appBar: AppBar(
title: Text(lang.S.of(context).posSale),
centerTitle: true,
),
body: Row(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Expanded(
flex: 2,
child: SingleChildScrollView(
padding: const EdgeInsets.all(16),
child: productsList.when(
data: (products) {
final Set<int> validCategoryIds = products
.where((element) =>
(element.productType?.toLowerCase().contains('combo') ?? false) ||
(element.stocksSumProductStock ?? 0) > 0)
.map((e) => e.categoryId)
.whereType<int>()
.toSet();
if (!_hasInitializedFilters) {
filteredProducts = products.where((product) {
// Update: Initial filter allowing Combos
bool isCombo = product.productType?.toLowerCase().contains('combo') ?? false;
bool hasStock = (product.stocksSumProductStock ?? 0) > 0;
return isCombo || hasStock;
}).toList();
_hasInitializedFilters = true;
}
if (!permissionService.hasPermission(Permit.inventoryRead.value)) {
return Center(child: PermitDenyWidget());
}
return Column(
children: [
customer.when(
data: (customers) {
return TypeAheadField<Party>(
controller: _searchController,
builder: (context, controller, focusNode) {
return TextField(
controller: controller,
focusNode: focusNode,
autofocus: false,
decoration: InputDecoration(
hintText:
selectedCustomer != null ? selectedCustomer?.name : lang.S.of(context).selectCustomer,
suffixIcon: Row(
mainAxisSize: MainAxisSize.min,
children: [
IconButton(
visualDensity: const VisualDensity(horizontal: -4),
tooltip: 'Clear',
onPressed: selectedCustomer == null
? () {
focusNode.requestFocus();
}
: () {
_searchController.clear();
selectedCustomer = null;
setState(() {});
},
icon: Icon(
selectedCustomer != null ? Icons.close : Icons.keyboard_arrow_down,
size: 20,
color: kSubPeraColor,
),
),
SizedBox(width: 8),
GestureDetector(
onTap: () {
Navigator.push(
context,
MaterialPageRoute(builder: (context) => AddParty()),
);
},
child: Padding(
padding: const EdgeInsets.all(1.0),
child: Container(
width: 50,
height: 45,
decoration: BoxDecoration(
color: kMainColor50,
borderRadius: BorderRadius.only(
topRight: Radius.circular(5),
bottomRight: Radius.circular(5),
),
),
child: Icon(Icons.add, color: kMainColor),
),
),
),
],
),
),
);
},
suggestionsCallback: (pattern) {
if (pattern.isEmpty) {
return customers;
}
return customers
.where((party) => (party.name ?? '').toLowerCase().startsWith(pattern.toLowerCase()))
.toList();
},
itemBuilder: (context, suggestion) {
return Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Padding(
padding: const EdgeInsets.only(left: 8),
child: Text(suggestion.name ?? '', style: const TextStyle(fontSize: 16)),
),
Padding(
padding: const EdgeInsets.only(left: 8),
child: Text(suggestion.phone ?? ''),
),
Divider(),
],
);
},
onSelected: (Party selectedParty) {
setState(() {
_searchController.text = selectedParty.name ?? '';
selectedCustomer = selectedParty;
});
Future.delayed(Duration.zero, () {
FocusScope.of(context).unfocus();
});
},
);
},
error: (e, stack) => Text('Error: $e'),
loading: () => const Center(child: LinearProgressIndicator()),
),
const SizedBox(height: 16),
Row(
spacing: 10,
children: [
Expanded(
flex: 6,
child: TextFormField(
controller: productController,
decoration: InputDecoration(
hintText: lang.S.of(context).searchWith,
suffixIcon: Row(
mainAxisSize: MainAxisSize.min,
children: [
if (productController.text.isNotEmpty)
IconButton(
visualDensity: const VisualDensity(horizontal: -4),
tooltip: 'Clear',
onPressed: () {
productController.clear();
selectedCategory = null;
selectedPrice = null;
filteredProducts = ref.read(productProvider).value ?? [];
setState(() {});
},
icon: Icon(
Icons.close,
size: 20,
color: kSubPeraColor,
),
),
GestureDetector(
onTap: () {
showModalBottomSheet(
context: context,
isScrollControlled: true,
useSafeArea: true,
isDismissible: false,
builder: (BuildContext context) {
return StatefulBuilder(
builder: (BuildContext context, void Function(void Function()) setState) {
return SingleChildScrollView(
padding: EdgeInsets.only(
bottom: MediaQuery.of(context).viewInsets.bottom,
),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Padding(
padding: 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: () {
setState(() {
selectedCategory = null;
selectedPrice = null;
});
Navigator.pop(context);
},
icon: Icon(Icons.close, size: 18),
)
],
),
),
Divider(color: kBorderColor, height: 1),
Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
children: [
categoryData.when(
data: (catSnap) {
return DropdownButtonFormField2<CategoryModel>(
value: selectedCategory,
hint: Text(lang.S.of(context).selectOne),
iconStyleData: const IconStyleData(
icon: Icon(Icons.keyboard_arrow_down),
iconSize: 24,
openMenuIcon: Icon(Icons.keyboard_arrow_up),
iconEnabledColor: Colors.grey,
),
items: catSnap
.where((element) =>
validCategoryIds.contains(element.id))
.map((category) {
return DropdownMenuItem<CategoryModel>(
value: category,
child: Text(category.categoryName ?? 'Unnamed'),
);
}).toList(),
onChanged: (CategoryModel? value) {
setState(() {
selectedCategory = value;
});
},
menuItemStyleData: const MenuItemStyleData(
padding: EdgeInsets.symmetric(horizontal: 6),
),
decoration: InputDecoration(
labelText: lang.S.of(context).category,
),
);
},
error: (e, stack) {
return Text('Error: $e');
},
loading: () {
return const Center(child: CircularProgressIndicator());
},
),
SizedBox(height: 10),
...priceOptions.map((entry) {
return Theme(
data: Theme.of(context).copyWith(
radioTheme: RadioThemeData(
fillColor:
WidgetStateProperty.resolveWith<Color>((states) {
if (states.contains(WidgetState.selected)) {
return kMainColor;
}
return kSubPeraColor;
}),
visualDensity:
const VisualDensity(horizontal: -4, vertical: -4),
),
),
child: RadioListTile<String>(
visualDensity:
const VisualDensity(horizontal: -4, vertical: -2),
contentPadding: EdgeInsets.zero,
value: entry['value']!,
title: Text(entry['label']!),
groupValue: selectedPrice,
onChanged: (value) {
setState(() {
selectedPrice = value;
});
},
),
);
}),
SizedBox(height: 10),
Row(
children: [
Expanded(
child: OutlinedButton(
onPressed: () {
setState(() {
productController.clear();
selectedCategory = null;
selectedPrice = null;
filteredProducts =
ref.read(productProvider).value ?? [];
_applyFilters();
});
Navigator.pop(context);
},
child: Text(lang.S.of(context).cancel))),
SizedBox(width: 16),
Expanded(
child: ElevatedButton(
onPressed: () {
_applyFilters();
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'),
),
),
),
],
),
),
),
),
///___________Bar_code_scanner_________________________________
Expanded(
flex: 1,
child: GestureDetector(
onTap: () async {
Product? variantProduct;
await showDialog(
context: context,
builder: (barcodeContext) => BarcodeScannerWidget(
onBarcodeFound: (String code) async {
final product = products.firstWhere(
(element) => element.productCode?.toLowerCase().trim() == code.toLowerCase().trim(),
orElse: () => Product(id: -1),
);
if (product.id == -1) {
EasyLoading.showError(lang.S.of(context).productNotFound);
return;
} else {
variantProduct = product;
}
return;
},
),
);
if (variantProduct != null) {
if (variantProduct?.productType == ProductType.variant.name) {
await showAddItemPopup(
mainContext: context,
productModel: variantProduct!,
ref: ref,
customerType: selectedCustomer?.type ?? 'Retailer',
fromPOSSales: true,
);
return;
}
// Update: Check if it's combo
bool isCombo = variantProduct!.productType?.toLowerCase().contains('combo') ?? false;
// Update: Only block stock if NOT combo and stock is <= 0
if (!isCombo && (variantProduct!.stocksSumProductStock ?? 0) <= 0) {
ScaffoldMessenger.of(context).showSnackBar(SnackBar(
content: Text(
lang.S.of(context).outOfStock,
style: _theme.textTheme.bodyMedium?.copyWith(color: Colors.white),
),
backgroundColor: kMainColor,
));
return;
}
// Determine price based on customer type
String getPriceByCustomerType() {
// Update: If Combo, use productSalePrice directly
if (isCombo) return variantProduct!.productSalePrice.toString();
final type = selectedCustomer?.type ?? 'Retailer';
if (variantProduct!.stocks?.isEmpty ?? true) return '0';
if (type.contains('Dealer'))
return variantProduct!.stocks?.first.productDealerPrice.toString() ?? '0';
if (type.contains('Wholesaler'))
return variantProduct!.stocks?.first.productWholeSalePrice.toString() ?? '0';
if (type.contains('Supplier'))
return variantProduct!.stocks?.first.productPurchasePrice.toString() ?? '0';
return variantProduct!.stocks?.first.productSalePrice.toString() ?? '0';
}
final cartItem = SaleCartModel(
productName: variantProduct!.productName,
batchName: '',
stockId: variantProduct!.stocks?.isNotEmpty == true
? variantProduct!.stocks!.first.id!.round()
: 0,
unitPrice: num.tryParse(getPriceByCustomerType()),
productCode: variantProduct!.productCode,
productPurchasePrice: variantProduct!.stocks?.isNotEmpty == true
? variantProduct!.stocks!.first.productPurchasePrice
: 0,
stock: variantProduct!.stocksSumProductStock ?? 0,
productType: variantProduct!.productType,
productId: variantProduct!.id ?? 0,
quantity: 1,
perItemTaxPercentage: variantProduct!.vat?.rate ?? 0,
productVatId: variantProduct!.vatId,
);
providerData.addToCartRiverPod(cartItem: cartItem);
}
},
child: const BarCodeButton(),
),
),
],
),
const SizedBox(height: 16),
categoryData.when(
data: (data) {
final validCategories = data
.where((element) => validCategoryIds.contains(element.id))
.toList();
return SizedBox(
height: 50,
child: ListView.builder(
itemCount: validCategories.length + 1,
scrollDirection: Axis.horizontal,
itemBuilder: (context, index) {
return GestureDetector(
onTap: () {
setState(() {
selectedCategory =
index == 0 ? null : validCategories[index - 1];
_applyFilters();
});
},
child: Container(
margin: EdgeInsets.only(left: index == 0 ? 0 : 8),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(5.0),
color: (index == 0 && selectedCategory == null) ||
(index != 0 &&
selectedCategory?.id ==
validCategories[index - 1].id)
? kMainColor
: kMainColor.withOpacity(0.1),
),
padding: const EdgeInsets.all(10),
child: Center(
child: Text(
index == 0
? lang.S.of(context).all
: validCategories[index - 1].categoryName ?? '',
style: TextStyle(
fontSize: 14,
color: (index == 0 && selectedCategory == null) ||
(index != 0 &&
selectedCategory?.id ==
validCategories[index - 1].id)
? Colors.white
: kMainColor,
),
),
),
),
);
},
),
);
},
error: (Object error, StackTrace stackTrace) {
return Text(error.toString());
},
loading: () {
return const Center(child: CircularProgressIndicator());
},
),
const SizedBox(height: 16),
if (filteredProducts.isEmpty)
Text(lang.S.of(context).noMatched, style: _theme.textTheme.bodyMedium)
else
GridView.builder(
shrinkWrap: true,
physics: const ScrollPhysics(),
gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 5,
mainAxisExtent: 180,
mainAxisSpacing: 8,
crossAxisSpacing: 8,
),
itemCount: filteredProducts.length,
itemBuilder: (_, i) {
final product = filteredProducts[i];
bool isSelected = providerData.cartItemList.any((item) => item.productId == product.id);
num quantity = isSelected
? providerData.cartItemList.firstWhere((item) => item.productId == product.id).quantity
: 0;
// Update: Logic for Combo check
bool isCombo = product.productType?.toLowerCase().contains('combo') ?? false;
return GestureDetector(
onTap: () async {
// If it's variant type, show the batch selector popup
if (product.productType == ProductType.variant.name) {
await showAddItemPopup(
mainContext: context,
productModel: product,
ref: ref,
customerType: 'Retailer',
fromPOSSales: true,
);
return;
}
// Update: If product is out of stock (only checks if NOT combo)
if (!isCombo && (product.stocksSumProductStock ?? 0) <= 0) {
ScaffoldMessenger.of(context).showSnackBar(SnackBar(
content: Text(
lang.S.of(context).outOfStock,
style: _theme.textTheme.bodyMedium?.copyWith(color: Colors.white),
),
backgroundColor: kMainColor,
));
return;
}
// Determine price based on customer type
String getPriceByCustomerType() {
// Update: If Combo, return productSalePrice
if (isCombo) return product.productSalePrice.toString();
final type = selectedCustomer?.type ?? 'Retailer';
if (product.stocks?.isEmpty ?? true) return '0';
if (type.contains('Dealer'))
return product.stocks?.first.productDealerPrice.toString() ?? '0';
if (type.contains('Wholesaler'))
return product.stocks?.first.productWholeSalePrice.toString() ?? '0';
if (type.contains('Supplier'))
return product.stocks?.first.productPurchasePrice.toString() ?? '0';
return product.stocks?.first.productSalePrice.toString() ?? '0';
}
final cartItem = SaleCartModel(
productName: product.productName,
batchName: '',
stockId: product.stocks?.isNotEmpty == true ? product.stocks!.first.id!.round() : 0,
unitPrice: num.tryParse(getPriceByCustomerType()),
productCode: product.productCode,
productPurchasePrice:
product.stocks?.isNotEmpty == true ? product.stocks!.first.productPurchasePrice : 0,
stock: product.stocksSumProductStock ?? 0,
productType: product.productType,
productId: product.id ?? 0,
quantity: 1,
perItemTaxPercentage: product.vat?.rate ?? 0,
productVatId: product.vatId,
);
providerData.addToCartRiverPod(cartItem: cartItem);
},
child: Stack(
children: [
Container(
padding: const EdgeInsets.all(6),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(4),
color: Colors.white,
border: Border.all(
color: isSelected ? kMainColor : kBottomBorder,
),
),
child: Column(
mainAxisAlignment: MainAxisAlignment.start,
crossAxisAlignment: CrossAxisAlignment.center,
children: [
product.productPicture?.isNotEmpty ?? false
? Image.network(
fit: BoxFit.cover,
'${APIConfig.domain}${product.productPicture}',
height: 92,
width: 92,
)
: Image.asset(
fit: BoxFit.cover,
noProductImageUrl,
height: 92,
width: 92,
),
const SizedBox(height: 8),
Text(
product.productName ?? '',
maxLines: 2,
overflow: TextOverflow.ellipsis,
textAlign: TextAlign.center,
style: _theme.textTheme.bodyMedium?.copyWith(
color: kPeraColor,
),
),
Text(
() {
// Update: Price Display Logic
if (isCombo) {
return '$currency${product.productSalePrice ?? 0}';
}
final customerType = selectedCustomer?.type ?? '';
final stock = product.stocks?.isNotEmpty == true ? product.stocks!.last : null;
if (stock == null) return '$currency${0.00}';
if (customerType.contains('Retailer')) {
return '$currency${stock.productSalePrice ?? 0}';
} else if (customerType.contains('Dealer')) {
return '$currency${stock.productDealerPrice ?? 0}';
} else if (customerType.contains('Wholesaler')) {
return '$currency${stock.productWholeSalePrice ?? 0}';
} else if (customerType.contains('Supplier')) {
return '$currency${stock.productPurchasePrice ?? 0}';
} else {
return '$currency${stock.productSalePrice ?? 0}';
}
}(),
style: _theme.textTheme.titleSmall?.copyWith(
fontWeight: FontWeight.w600,
),
),
],
),
),
if (isSelected)
Padding(
padding: const EdgeInsets.all(6.0),
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
Container(
alignment: Alignment.center,
width: 34,
height: 20,
decoration: BoxDecoration(
color: kMainColor,
borderRadius: BorderRadius.circular(3),
),
child: Text(
quantity.toString(),
style: _theme.textTheme.titleSmall?.copyWith(
color: Colors.white,
),
),
),
GestureDetector(
onTap: () {
providerData.deleteAllVariant(productId: product.id ?? 0);
},
child: const Icon(
Icons.close,
color: Colors.red,
size: 18,
),
),
],
),
),
],
),
);
},
),
const SizedBox(height: 20),
],
);
},
error: (e, stack) {
return Text(e.toString());
},
loading: () {
return const Center(child: CircularProgressIndicator());
},
),
),
),
Expanded(
flex: 1,
child: Container(
margin: const EdgeInsets.all(16),
decoration: BoxDecoration(
color: Colors.white,
borderRadius: BorderRadius.circular(10),
boxShadow: [
BoxShadow(
color: Colors.black.withOpacity(0.05),
spreadRadius: 1,
blurRadius: 5,
offset: const Offset(0, 3),
),
],
border: Border.all(color: kBorderColorTextField),
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
Container(
padding: const EdgeInsets.all(16),
decoration: const BoxDecoration(
color: kMainColor,
borderRadius: BorderRadius.only(
topLeft: Radius.circular(10),
topRight: Radius.circular(10),
),
),
child: const Text(
'Overview Item Added',
style: TextStyle(
color: Colors.white,
fontSize: 18,
fontWeight: FontWeight.bold,
),
),
),
Expanded(
child: providerData.cartItemList.isEmpty
? Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: [
Icon(Icons.shopping_cart_outlined,
size: 50, color: kSubPeraColor.withOpacity(0.5)),
SizedBox(height: 10),
Text(
'Cart is Empty',
style: TextStyle(color: kSubPeraColor),
),
],
),
)
: ListView.separated(
padding: const EdgeInsets.all(12),
itemCount: providerData.cartItemList.length,
separatorBuilder: (context, index) =>
Divider(color: kBorderColorTextField),
itemBuilder: (context, index) {
final item = providerData.cartItemList[index];
final double quantity = (item.quantity ?? 0).toDouble();
final double unitPrice = (item.unitPrice ?? 0).toDouble();
final double itemVAT = (unitPrice * quantity * (item.perItemTaxPercentage ?? 0)) / 100;
final double originalTotal = unitPrice * quantity;
final double finalTotal = originalTotal + itemVAT;
return SingleChildScrollView(
scrollDirection: Axis.horizontal,
child: Row(
crossAxisAlignment: CrossAxisAlignment.center,
children: [
// 1. Product Name
SizedBox(
width: 140, // Fixed width to allow scrolling and wrapping
child: Text(
item.productName ?? '',
style: const TextStyle(
fontWeight: FontWeight.w600,
fontSize: 14,
),
maxLines: 2,
overflow: TextOverflow.ellipsis,
),
),
const SizedBox(width: 8),
// 2. Decrease Icon
GestureDetector(
onTap: () {
providerData.quantityDecrease(index);
},
child: Container(
padding: const EdgeInsets.all(4),
decoration: BoxDecoration(
color: kMainColor.withOpacity(0.1),
borderRadius: BorderRadius.circular(4),
),
child: const Icon(Icons.remove, size: 16, color: kMainColor),
),
),
const SizedBox(width: 8),
// 3. Qty Order
Text(
'${item.quantity}',
style: const TextStyle(fontWeight: FontWeight.bold),
),
const SizedBox(width: 8),
// 4. Increase Icon
GestureDetector(
onTap: () {
providerData.quantityIncrease(index);
},
child: Container(
padding: const EdgeInsets.all(4),
decoration: BoxDecoration(
color: kMainColor.withOpacity(0.1),
borderRadius: BorderRadius.circular(4),
),
child: const Icon(Icons.add, size: 16, color: kMainColor),
),
),
const SizedBox(width: 12),
// 5. Value Original
Text(
'$currency${originalTotal.toStringAsFixed(2)}',
style: TextStyle(
color: kSubPeraColor,
fontSize: 12,
),
),
const SizedBox(width: 8),
// 6. Value VAT/Tax
if (itemVAT > 0) ...[
Text(
'VAT: $currency${itemVAT.toStringAsFixed(2)}',
style: TextStyle(
color: kSubPeraColor,
fontSize: 10,
),
),
const SizedBox(width: 8),
],
// 7. Sum (Value Original + VAT/Tax)
Text(
'$currency${finalTotal.toStringAsFixed(2)}',
style: const TextStyle(
fontWeight: FontWeight.bold,
color: kMainColor,
fontSize: 14,
),
),
const SizedBox(width: 12),
// Delete Icon (Keeping it for usability)
GestureDetector(
onTap: () {
providerData.deleteToCart(index);
},
child: const Icon(
Icons.delete_outline,
color: Colors.red,
size: 20,
),
),
],
),
);
},
),
),
Container(
padding: const EdgeInsets.all(16),
decoration: BoxDecoration(
border: Border(top: BorderSide(color: kBorderColorTextField)),
),
child: Column(
children: [
Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
Text(
'Total Items:',
style: TextStyle(color: kSubPeraColor),
),
Text(
'${providerData.cartItemList.length}',
style: const TextStyle(fontWeight: FontWeight.bold),
),
],
),
SizedBox(height: 8),
Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
const Text(
'Total Amount:',
style: TextStyle(
fontSize: 16,
fontWeight: FontWeight.bold,
),
),
Expanded(
child: Align(
alignment: Alignment.centerRight,
child: FittedBox(
fit: BoxFit.scaleDown,
child: Text(
'$currency${providerData.getTotalAmount()}',
style: const TextStyle(
fontSize: 16,
fontWeight: FontWeight.bold,
color: kMainColor,
),
),
),
),
),
],
),
SizedBox(height: 16),
SizedBox(
width: double.infinity,
child: ElevatedButton(
style: ElevatedButton.styleFrom(
backgroundColor: kMainColor,
padding: const EdgeInsets.symmetric(vertical: 12),
),
onPressed: providerData.cartItemList.isEmpty
? null
: () async {
if (!permissionService.hasPermission(Permit.saleReturnsRead.value)) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
backgroundColor: kMainColor,
content: Text(lang.S.of(context).inventoryPermission),
),
);
return;
}
bool branchResult = await checkActionWhenNoBranch(context: context, ref: ref);
if (!branchResult) {
return;
}
// Navigate to the next screen if permission is granted
bool result = await Navigator.push(
context,
MaterialPageRoute(
builder: (context) => AddSalesScreen(
customerModel: selectedCustomer,
isFromPos: true,
),
),
);
// Handle result after returning from AddSalesScreen
if (result) {
_searchController.clear();
selectedCustomer = null;
setState(() {});
}
},
child: const Text(
'Continue',
style: TextStyle(color: Colors.white, fontSize: 16),
),
),
),
],
),
),
],
),
),
),
],
),
);
}
}