change create tenant ui and added indudtry dropdown

This commit is contained in:
Manish 2025-11-01 15:14:00 +05:30
parent 7e427237c3
commit 21adc5e556
5 changed files with 213 additions and 157 deletions

View File

@ -109,4 +109,5 @@ class ApiEndpoints {
static const String createTenantSelf = '/Tenant/self/create'; static const String createTenantSelf = '/Tenant/self/create';
static const String tenantSubscribe = '/Tenant/self/subscription'; static const String tenantSubscribe = '/Tenant/self/subscription';
static const String tenantRenewSubscription = '/Tenant/renew/subscription'; static const String tenantRenewSubscription = '/Tenant/renew/subscription';
static const String getIndustries = '/market/industries';
} }

View File

@ -2308,6 +2308,21 @@ class ApiService {
} }
} }
/// Get list of industries (for tenant creation drop-down)
static Future<List<dynamic>?> getIndustries() async {
try {
final response = await _getRequest(
ApiEndpoints.getIndustries,
requireAuth: false, // usually public
);
if (response == null) return null;
return _parseResponse(response, label: "Get Industries");
} catch (e) {
logSafe("❌ Exception in getIndustries: $e", level: LogLevel.error);
return null;
}
}
// === Employee APIs === // === Employee APIs ===
/// Search employees by first name and last name only (not middle name) /// Search employees by first name and last name only (not middle name)
/// Returns a list of up to 10 employee records matching the search string. /// Returns a list of up to 10 employee records matching the search string.

View File

@ -201,4 +201,25 @@ class TenantService implements ITenantService {
return null; return null;
} }
} }
Future<List<Map<String, dynamic>>?> getIndustries() async {
try {
logSafe("🟢 Fetching industries via ApiService...");
// ApiService.getIndustries() directly returns a List<dynamic>
final response = await ApiService.getIndustries();
// No need to dig into response["data"], because response itself is a List
if (response == null || response.isEmpty) {
logSafe("💡 ! No industries found (empty list)");
return null;
}
// Safely cast list of maps
return List<Map<String, dynamic>>.from(response);
} catch (e, s) {
logSafe("❌ Exception in getIndustries: $e\n$s", level: LogLevel.error);
return null;
}
}
} }

View File

@ -19,13 +19,15 @@ class _TenantCreateScreenState extends State<TenantCreateScreen> {
final _contactCtrl = TextEditingController(); final _contactCtrl = TextEditingController();
final _billingCtrl = TextEditingController(); final _billingCtrl = TextEditingController();
final _orgSizeCtrl = TextEditingController(); final _orgSizeCtrl = TextEditingController();
final _industryIdCtrl = TextEditingController();
final _referenceCtrl = TextEditingController(); final _referenceCtrl = TextEditingController();
final TenantService _tenantService = TenantService(); final TenantService _tenantService = TenantService();
bool _loading = false; bool _loading = false;
// Values from subscription screen List<Map<String, dynamic>> _industries = [];
String? _selectedIndustryId;
bool _loadingIndustries = true;
late final String planId; late final String planId;
late final double amount; late final double amount;
late final String planName; late final String planName;
@ -37,6 +39,21 @@ class _TenantCreateScreenState extends State<TenantCreateScreen> {
planId = args['planId'] ?? ''; planId = args['planId'] ?? '';
amount = (args['amount'] ?? 0).toDouble(); amount = (args['amount'] ?? 0).toDouble();
planName = args['planName'] ?? 'Subscription'; planName = args['planName'] ?? 'Subscription';
_fetchIndustries();
}
Future<void> _fetchIndustries() async {
try {
setState(() => _loadingIndustries = true);
final list = await _tenantService.getIndustries();
setState(() {
_industries = (list ?? []).whereType<Map<String, dynamic>>().toList();
_loadingIndustries = false;
});
} catch (e, s) {
logSafe("❌ Failed to fetch industries: $e\n$s", level: LogLevel.error);
setState(() => _loadingIndustries = false);
}
} }
@override @override
@ -48,13 +65,17 @@ class _TenantCreateScreenState extends State<TenantCreateScreen> {
_contactCtrl.dispose(); _contactCtrl.dispose();
_billingCtrl.dispose(); _billingCtrl.dispose();
_orgSizeCtrl.dispose(); _orgSizeCtrl.dispose();
_industryIdCtrl.dispose();
_referenceCtrl.dispose(); _referenceCtrl.dispose();
super.dispose(); super.dispose();
} }
Future<void> _submit() async { Future<void> _submit() async {
if (!_formKey.currentState!.validate()) return; if (!_formKey.currentState!.validate()) return;
if (_selectedIndustryId == null || _selectedIndustryId!.isEmpty) {
Get.snackbar("Error", "Please select industry",
backgroundColor: Colors.red, colorText: Colors.white);
return;
}
final payload = { final payload = {
"firstName": _firstNameCtrl.text.trim(), "firstName": _firstNameCtrl.text.trim(),
@ -64,32 +85,31 @@ class _TenantCreateScreenState extends State<TenantCreateScreen> {
"contactNumber": _contactCtrl.text.trim(), "contactNumber": _contactCtrl.text.trim(),
"billingAddress": _billingCtrl.text.trim(), "billingAddress": _billingCtrl.text.trim(),
"organizationSize": _orgSizeCtrl.text.trim(), "organizationSize": _orgSizeCtrl.text.trim(),
"industryId": _industryIdCtrl.text.trim(), "industryId": _selectedIndustryId,
"reference": _referenceCtrl.text.trim(), "reference": _referenceCtrl.text.trim(),
}; };
setState(() => _loading = true); setState(() => _loading = true);
final resp = await _tenantService.createTenant(payload); final resp = await _tenantService.createTenant(payload);
if (!mounted) return;
setState(() => _loading = false); setState(() => _loading = false);
if (resp == null) { if (resp == null || resp['success'] == false) {
Get.snackbar("Error", "Failed to create tenant. Try again later.", Get.snackbar("Error",
resp?['message'] ?? "Failed to create tenant. Try again later.",
backgroundColor: Colors.red, colorText: Colors.white); backgroundColor: Colors.red, colorText: Colors.white);
return; return;
} }
final data = resp['data'] ?? resp; final data = Map<String, dynamic>.from(resp['data'] ?? resp);
final tenantEnquireId = final tenantEnquireId =
data['tenantEnquireId'] ?? data['id'] ?? data['tenantId']; data['tenantEnquireId'] ?? data['id'] ?? data['tenantId'];
if (tenantEnquireId == null) { if (tenantEnquireId == null) {
logSafe("❌ Create tenant response missing id: $resp"); logSafe("❌ Missing tenant ID in response: $resp");
Get.snackbar("Error", "Tenant created but server didn't return id.",
backgroundColor: Colors.red, colorText: Colors.white);
return; return;
} }
// Go to payment screen with all details
Get.toNamed('/payment', arguments: { Get.toNamed('/payment', arguments: {
'amount': amount, 'amount': amount,
'description': 'Subscription for ${_orgNameCtrl.text}', 'description': 'Subscription for ${_orgNameCtrl.text}',
@ -100,161 +120,160 @@ class _TenantCreateScreenState extends State<TenantCreateScreen> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
final divider = Divider(color: Colors.grey.shade300, height: 32);
return Scaffold( return Scaffold(
resizeToAvoidBottomInset: true, // ensures scroll works with keyboard
appBar: AppBar( appBar: AppBar(
title: const Text("Create Tenant"), title: const Text(
"Create Tenant",
style: TextStyle(fontWeight: FontWeight.bold, color: Colors.black),
),
centerTitle: true, centerTitle: true,
elevation: 0, elevation: 0,
backgroundColor: Colors.white,
foregroundColor: Colors.black,
), ),
body: SingleChildScrollView( body: SafeArea(
padding: const EdgeInsets.all(16), child: LayoutBuilder(
builder: (context, constraints) {
return SingleChildScrollView(
physics: const BouncingScrollPhysics(),
padding: const EdgeInsets.all(20),
child: ConstrainedBox(
constraints: BoxConstraints(minHeight: constraints.maxHeight),
child: IntrinsicHeight(
child: Form( child: Form(
key: _formKey, key: _formKey,
child: Column( child: Column(
crossAxisAlignment: CrossAxisAlignment.start, crossAxisAlignment: CrossAxisAlignment.start,
children: [ children: [
const Text( const Text("Personal Info",
"Personal Info", style: TextStyle(
style: TextStyle(fontSize: 18, fontWeight: FontWeight.bold), fontSize: 18, fontWeight: FontWeight.w600)),
), const Divider(height: 20),
_buildTextField(
_firstNameCtrl, "First Name *", Icons.person,
validator: (v) => v!.isEmpty ? "Required" : null),
_buildTextField(_lastNameCtrl, "Last Name *",
Icons.person_outline,
validator: (v) => v!.isEmpty ? "Required" : null),
const SizedBox(height: 12), const SizedBox(height: 12),
TextFormField( const Text("Organization",
controller: _firstNameCtrl, style: TextStyle(
fontSize: 18, fontWeight: FontWeight.w600)),
const Divider(height: 20),
_buildTextField(_orgNameCtrl, "Organization Name *",
Icons.business,
validator: (v) => v!.isEmpty ? "Required" : null),
const SizedBox(height: 8),
_loadingIndustries
? const Center(
child: Padding(
padding: EdgeInsets.all(16.0),
child: CircularProgressIndicator(),
))
: Container(
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(10),
border:
Border.all(color: Colors.grey.shade400),
),
padding: const EdgeInsets.symmetric(
horizontal: 12, vertical: 2),
child: DropdownButtonFormField<String>(
isExpanded: true,
borderRadius: BorderRadius.circular(10),
dropdownColor: Colors.white,
icon: const Icon(
Icons.keyboard_arrow_down_rounded),
value: _selectedIndustryId,
decoration: const InputDecoration( decoration: const InputDecoration(
labelText: "First Name *", prefixIcon:
hintText: "e.g., John", Icon(Icons.apartment_outlined),
prefixIcon: Icon(Icons.person_outline), labelText: "Industry *",
border: OutlineInputBorder(), border: InputBorder.none,
), ),
validator: (v) => v == null || v.isEmpty ? "Required" : null, items: _industries.map((itm) {
), final id = itm['id']?.toString() ?? '';
const SizedBox(height: 12), final name = itm['name'] ??
TextFormField( itm['displayName'] ??
controller: _lastNameCtrl, 'Unknown';
decoration: const InputDecoration( return DropdownMenuItem(
labelText: "Last Name *", value: id, child: Text(name));
hintText: "e.g., Doe", }).toList(),
prefixIcon: Icon(Icons.person_outline), onChanged: (v) =>
border: OutlineInputBorder(), setState(() => _selectedIndustryId = v),
), validator: (v) => v == null || v.isEmpty
validator: (v) => v == null || v.isEmpty ? "Required" : null, ? "Select industry"
), : null,
divider,
const Text(
"Organization Details",
style: TextStyle(fontSize: 18, fontWeight: FontWeight.bold),
),
const SizedBox(height: 12),
TextFormField(
controller: _orgNameCtrl,
decoration: const InputDecoration(
labelText: "Organization Name *",
hintText: "e.g., MarcoBMS",
border: OutlineInputBorder(),
),
validator: (v) => v == null || v.isEmpty ? "Required" : null,
),
const SizedBox(height: 12),
TextFormField(
controller: _billingCtrl,
decoration: const InputDecoration(
labelText: "Billing Address",
hintText: "e.g., 123 Main Street, Mumbai",
border: OutlineInputBorder(),
),
),
const SizedBox(height: 12),
TextFormField(
controller: _orgSizeCtrl,
decoration: const InputDecoration(
labelText: "Organization Size",
hintText: "e.g., 1-10, 11-50",
border: OutlineInputBorder(),
),
),
const SizedBox(height: 12),
TextFormField(
controller: _industryIdCtrl,
decoration: const InputDecoration(
labelText: "Industry ID (UUID)",
hintText: "e.g., 3fa85f64-5717-4562-b3fc-2c963f66afa6",
border: OutlineInputBorder(),
),
),
divider,
const Text(
"Contact Info",
style: TextStyle(fontSize: 18, fontWeight: FontWeight.bold),
),
const SizedBox(height: 12),
TextFormField(
controller: _emailCtrl,
decoration: const InputDecoration(
labelText: "Email",
hintText: "e.g., john.doe@example.com",
prefixIcon: Icon(Icons.email_outlined),
border: OutlineInputBorder(),
),
validator: (v) =>
v == null || !v.contains('@') ? "Invalid email" : null,
),
const SizedBox(height: 12),
TextFormField(
controller: _contactCtrl,
decoration: const InputDecoration(
labelText: "Contact Number",
hintText: "e.g., +91 9876543210",
prefixIcon: Icon(Icons.phone_outlined),
border: OutlineInputBorder(),
),
),
divider,
const Text(
"Other Details",
style: TextStyle(fontSize: 18, fontWeight: FontWeight.bold),
),
const SizedBox(height: 12),
TextFormField(
controller: _referenceCtrl,
decoration: const InputDecoration(
labelText: "Reference",
hintText: "e.g., Referral Name or Code",
border: OutlineInputBorder(),
), ),
), ),
const SizedBox(height: 16),
const Text("Contact Details",
style: TextStyle(
fontSize: 18, fontWeight: FontWeight.w600)),
const Divider(height: 20),
_buildTextField(
_emailCtrl, "Email *", Icons.email_outlined,
validator: (v) => v == null || !v.contains('@')
? "Invalid email"
: null),
_buildTextField(
_contactCtrl, "Contact Number", Icons.phone),
const SizedBox(height: 16),
const Text("Additional Info",
style: TextStyle(
fontSize: 18, fontWeight: FontWeight.w600)),
const Divider(height: 20),
_buildTextField(_billingCtrl, "Billing Address",
Icons.home_outlined),
_buildTextField(_orgSizeCtrl, "Organization Size",
Icons.people_alt_outlined),
_buildTextField(_referenceCtrl, "Reference",
Icons.note_alt_outlined),
const Spacer(),
const SizedBox(height: 24), const SizedBox(height: 24),
Center( Center(
child: SizedBox( child: SizedBox(
width: double.infinity, width: double.infinity,
child: ElevatedButton( child: ElevatedButton(
style: ElevatedButton.styleFrom(
padding: const EdgeInsets.symmetric(vertical: 14),
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(10),
),
),
onPressed: _loading ? null : _submit, onPressed: _loading ? null : _submit,
style: ElevatedButton.styleFrom(
padding:
const EdgeInsets.symmetric(vertical: 14),
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(10)),
backgroundColor: Colors.deepPurple,
),
child: _loading child: _loading
? const SizedBox( ? const CircularProgressIndicator(
height: 22, color: Colors.white)
width: 22, : const Text("Create Tenant & Continue",
child: CircularProgressIndicator( style: TextStyle(fontSize: 16)),
strokeWidth: 2,
color: Colors.white,
),
)
: const Text(
"Create Tenant & Continue",
style: TextStyle(fontSize: 16),
), ),
), ),
), ),
]),
), ),
], ),
),
);
},
),
),
);
}
Widget _buildTextField(
TextEditingController controller, String label, IconData icon,
{String? Function(String?)? validator}) {
return Padding(
padding: const EdgeInsets.only(bottom: 12),
child: TextFormField(
controller: controller,
validator: validator,
decoration: InputDecoration(
prefixIcon: Icon(icon),
labelText: label,
border: OutlineInputBorder(
borderRadius: BorderRadius.circular(10),
), ),
), ),
), ),