You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1044 lines
30 KiB

const boom = require("boom");
const bcrypt = require('bcrypt');
const jwt = require('jsonwebtoken');
const customJwtAuth = require("../customAuthJwt");
const fastify = require("fastify")({
logger: true,
genReqId(req) {
return uuidv4();
},
});
const { Counter} = require('../models/User')
const {Department, Desgination, City, Deparments, Branch} = require('../models/Department')
// const generateDepartmentId = async (prefix) => {
// const result = await Counter.findOneAndUpdate(
// { _id: 'department_id' },
// { $inc: { seq: 1 } },
// { upsert: true, new: true }
// );
// return `AW${prefix}${result.seq}`;
// };
const generateCityId = async () => {
var result = await Counter.findOneAndUpdate(
{ _id: 'customer_id' },
{ $inc: { seq: 1 } },
{ upsert: true, new: true }
);
return result.seq;
};
const generateBranchId = async () => {
var result = await Counter.findOneAndUpdate(
{ _id: 'customer_id' },
{ $inc: { seq: 1 } },
{ upsert: true, new: true }
);
return result.seq;
};
// const generateDesginationId = async (prefix) => {
// const result = await Counter.findOneAndUpdate(
// { _id: 'desgination_id' },
// { $inc: { seq: 1 } },
// { upsert: true, new: true }
// );
// return `AW${prefix}${result.seq}`;
// };
const generateDepartmentId = async (city, departmentName) => {
const cityPrefix = city.substring(0, 2).toUpperCase(); // Extract first two letters of city
const departmentPrefix = departmentName.substring(0, 2).toUpperCase(); // Extract first two letters of departmentName
const result = await Counter.findOneAndUpdate(
{ _id: 'desgination_id' },
{ $inc: { seq: 1 } },
{ upsert: true, new: true }
);
return `AW${cityPrefix}${departmentPrefix}${result.seq}`; // Generate ID
};
exports.addCity = async (request, reply) => {
try {
const {
phone,
officeName,
location,
city,
state,
country,
zone,
office_address1,
address2,
pincode,
createdBy,
updatedBy,
email
} = request.body;
// Generate departmentId based on departmentName
// const prefix = departmentName.substring(0, 2).toUpperCase(); // Extract first two letters and convert to uppercase
const cityId = await generateCityId();
// Check for existing department
const existingStore = await City.findOne({ cityId });
if (existingStore) {
return reply.status(400).send({ message: 'City is already registered' });
}
// Create new department
const citys = new City({
cityId,
phone,
officeName,
location,
city,
office_address1,
address2,
state,
zone,
country,
pincode,
email,
// departmentName,
createdBy,
updatedBy,
});
await citys.save();
reply.send({ citys, message: 'Account Created Successfully' });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
exports.addBranch = async (request, reply) => {
try {
const {
phone,
land_line_number,
officeName,
location,
city,
state,
country,
zone,
office_address1,
address2,
pincode,
createdBy,
updatedBy,
email
} = request.body;
// Generate departmentId based on departmentName
// const prefix = departmentName.substring(0, 2).toUpperCase(); // Extract first two letters and convert to uppercase
const b_id = await generateBranchId();
const branchId = `AWBR${b_id}`;
// Check for existing department
const existingStore = await Branch.findOne({ branchId });
if (existingStore) {
return reply.status(400).send({ message: 'Branch is already registered' });
}
// Create new department
const branch = new Branch({
branchId,
phone,
land_line_number,
officeName,
location,
city,
office_address1,
address2,
state,
zone,
country,
pincode,
email,
// departmentName,
createdBy,
updatedBy,
});
await branch.save();
reply.send({ branch, message: 'Account Created Successfully' });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
// exports.getSinledepartmentData = async (req, reply) => {
// try {
// const { departmentId } = req.params;
// const department = await Department.findOne({ departmentId: departmentId });
// if (!department) {
// return reply.code(404).send({
// success: false,
// message: 'Department not found.'
// });
// }
// reply.code(200).send({
// success: true,
// message: 'Department data retrieved successfully.',
// data: department
// });
// } catch (error) {
// console.error('Error fetching department data:', error);
// reply.code(500).send({
// success: false,
// message: 'Failed to retrieve department data.',
// error: error.message,
// });
// }
// };
exports.getallCompanyNames = async (req, reply) => {
try {
await City.find()
.select("officeName -_id") // Select only officeName and exclude _id
.exec()
.then((docs) => {
const officeNames = docs.map((doc) => doc.officeName); // Extract only officeName values
reply.send({ status_code: 200, data: officeNames, count: officeNames.length });
})
.catch((err) => {
console.log(err);
reply.send({ error: err });
});
} catch (err) {
throw boom.boomify(err);
}
};
// exports.getAllDepartmentsParticularFields = async (req, reply) => {
// try {
// const departments = await Department.find().exec();
// // Grouping the data
// const result = {
// cities: [...new Set(departments.map((doc) => doc.city))],
// zones: [...new Set(departments.map((doc) => doc.zone))],
// pincodes: [...new Set(departments.map((doc) => doc.pincode))],
// departments: [...new Set(departments.map((doc) => doc.departmentName))],
// states: [...new Set(departments.map((doc) => doc.state))],
// countries: [...new Set(departments.map((doc) => doc.country))],
// };
// // Sending the response
// reply.send({
// status_code: 200,
// data: result,
// count: departments.length,
// });
// } catch (err) {
// console.error(err);
// reply.send({ error: err.message });
// }
// };
exports.deletecityInfo = async (req, reply) => {
try {
const cityId = req.params.cityId;
const department = await City.findOneAndDelete({ cityId:cityId });
reply.send({ status_code: 200, message: 'Delete Sucessfully', department});
} catch (err) {
throw boom.boomify(err);
}
};
exports.deleteBranchInfo = async (req, reply) => {
try {
const branchId = req.params.branchId;
const branch = await Branch.findOneAndDelete({ branchId:branchId });
reply.send({ status_code: 200, message: 'Delete Sucessfully', branch});
} catch (err) {
throw boom.boomify(err);
}
};
exports.editcity = async (request, reply) => {
try {
const { cityId } = request.params;
const {
phone,
city,
state,
country,
zone,
address1,
address2,
pincode,
email,
officeName
} = request.body;
const existing = await City.findOne({ cityId });
if (!existing) {
return reply.status(404).send({ message: 'City not found' });
}
// const phoneExists = await Department.findOne({ phone, departmentId: { $ne: departmentId } });
// if (phoneExists) {
// return reply.status(400).send({ message: 'Phone is already registered to another user' });
// }
existing.phone = phone || existing.phone;
existing.city = city || existing.city;
existing.state = state || existing.state;
existing.country = country || existing.country;
existing.zone = zone || existing.zone;
existing.officeName = officeName || existing.officeName;
existing.pincode = pincode || existing.pincode;
existing.address1 = address1 || existing.address1;
existing.address2 = address2 || existing.address2;
existing.email = email || existing.email;
await existing.save();
reply.send({ message: 'City user updated successfully' });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
exports.editBranch = async (request, reply) => {
try {
const { branchId } = request.params;
const {
phone,
land_line_number,
officeName,
city,
state,
country,
zone,
address1,
address2,
pincode,
email
// departmentName
} = request.body;
const existing = await Branch.findOne({ branchId });
if (!existing) {
return reply.status(404).send({ message: 'Branch not found' });
}
// const phoneExists = await Department.findOne({ phone, departmentId: { $ne: departmentId } });
// if (phoneExists) {
// return reply.status(400).send({ message: 'Phone is already registered to another user' });
// }
existing.phone = phone || existing.phone;
existing.land_line_number = land_line_number || existing.land_line_number;
existing.city = city || existing.city;
existing.state = state || existing.state;
existing.country = country || existing.country;
existing.zone = zone || existing.zone;
existing.officeName = officeName || existing.officeName;
existing.pincode = pincode || existing.pincode;
existing.address1 = address1 || existing.address1;
existing.address2 = address2 || existing.address2;
existing.email = email || existing.email;
await existing.save();
reply.send({ message: 'Branch user updated successfully' });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
// exports.addDesgination = async (request, reply) => {
// try {
// const {
// phone,
// city,
// firstName,
// lastName,
// departmentName,
// reportingManager,
// email,
// state,
// password,
// country,
// zone,
// address1,
// address2,
// pincode,
// desginationName,
// location,
// createdBy,
// updatedBy,
// } = request.body;
// // Generate desginationId based on desginationName
// const prefix = departmentName.substring(0, 2).toUpperCase();
// const desginationId = await generateDesginationId(prefix);
// // Check if the phone is already registered
// const existingStore = await Desgination.findOne({ phone });
// if (existingStore) {
// return reply.status(400).send({ message: 'Phone is already registered' });
// }
// // Hash the password
// const hashedPassword = await bcrypt.hash(password, 10);
// // Create a new designation
// const desgination = new Desgination({
// desginationId,
// city,
// firstName,
// lastName,
// email,
// reportingManager,
// departmentName,
// phone,
// address1,
// address2,
// services: { password: { bcrypt: hashedPassword } },
// state,
// zone,
// country,
// pincode,
// desginationName,
// location,
// createdBy,
// updatedBy,
// });
// await desgination.save();
// reply.send({ desgination, message: 'Account Created Successfully' });
// } catch (err) {
// reply.status(500).send({ message: err.message });
// }
// };
exports.addDepartment = async (request, reply) => {
try {
const {
phone,
officeName,
alternativeContactNumber,
gender,
personalEmail,
city,
personal_city,
reportingManager_mobile_number,
reportingManager_email,
firstName,
lastName,
departmentName,
reportingManager,
email,
state,
password,
country,
zone,
address1,
address2,
pincode,
desginationName,
location,
createdBy,
updatedBy,
} = request.body;
// Generate desginationId
const departmentId = await generateDepartmentId(city, departmentName);
// Check if the phone is already registered
const existingStore = await Deparments.findOne({ phone });
if (existingStore) {
return reply.status(400).send({ message: 'Phone is already registered' });
}
// Hash the password
const hashedPassword = await bcrypt.hash(password, 10);
// Create a new designation
const department = new Deparments({
departmentId,
alternativeContactNumber,
officeName,
reportingManager_mobile_number,
reportingManager_email,
personal_city,
gender,
city,
firstName,
lastName,
email,
personalEmail,
reportingManager,
departmentName,
phone,
address1,
address2,
services: { password: { bcrypt: hashedPassword } },
state,
zone,
country,
pincode,
desginationName,
location,
createdBy,
updatedBy,
});
await department.save();
reply.send({ department, message: 'Account Created Successfully' });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
exports.getSinledepartmentData = async (req, reply) => {
try {
const { departmentId } = req.params;
const department = await Deparments.findOne({ departmentId: departmentId });
if (!department) {
return reply.code(404).send({
success: false,
message: 'Department not found.'
});
}
reply.code(200).send({
success: true,
message: 'Designation data retrieved successfully.',
data: department
});
} catch (error) {
console.error('Error fetching department data:', error);
reply.code(500).send({
success: false,
message: 'Failed to retrieve department data.',
error: error.message,
});
}
};
exports.getalldepartments = async (req, reply) => {
try {
await Deparments.find()
.exec()
.then((docs) => {
reply.send({ status_code: 200, data: docs, count: docs.length });
})
.catch((err) => {
console.log(err);
reply.send({ error: err });
});
} catch (err) {
throw boom.boomify(err);
}
};
exports.getallCitiesData = async (req, reply) => {
try {
console.log("Fetching all cities..."); // Debug log
const cities = await City.distinct('city'); // Fetch distinct city names from the database
// Normalize the city names to avoid duplicates
const normalizedCities = [...new Set(cities.map(city => city.trim().toUpperCase()))];
console.log("Cities fetched:", normalizedCities); // Log the cleaned cities
reply.send({ status_code: 200, data: normalizedCities, count: normalizedCities.length });
} catch (err) {
console.error("Error fetching cities:", err); // Log the error for debugging
throw boom.boomify(err);
}
};
exports.getallZonesData = async (req, reply) => {
try {
console.log("Fetching all zones..."); // Debug log
const zones = await City.distinct('zone'); // Fetch distinct zone names from the database
// Normalize the zone names to avoid duplicates
const normalizedZones = [...new Set(zones.map(zone => zone.trim().toUpperCase()))];
console.log("Zones fetched:", normalizedZones); // Log the cleaned zones
reply.send({ status_code: 200, data: normalizedZones, count: normalizedZones.length });
} catch (err) {
console.error("Error fetching zones:", err); // Log the error for debugging
throw boom.boomify(err);
}
};
exports.getallLocationData = async (req, reply) => {
try {
console.log("Fetching all locations..."); // Debug log
const locations = await City.distinct('location'); // Fetch distinct locations from the database
// Normalize the location names to uppercase and remove duplicates
const normalizedLocations = [...new Set(locations.map(location => location.trim().toUpperCase()))];
console.log("Locations fetched:", normalizedLocations); // Log the cleaned locations
reply.send({ status_code: 200, data: normalizedLocations, count: normalizedLocations.length });
} catch (err) {
console.error("Error fetching locations:", err); // Log the error for debugging
throw boom.boomify(err);
}
};
exports.deletedepartmentInfo = async (req, reply) => {
try {
const departmentId = req.params.departmentId;
const department = await Deparments.findOneAndDelete({ departmentId:departmentId });
reply.send({ status_code: 200, message: 'Delete Sucessfully', department});
} catch (err) {
throw boom.boomify(err);
}
};
exports.editdepartment = async (request, reply) => {
try {
const { departmentId } = request.params;
const {
phone,
alternativeContactNumber,
gender,
personalEmail,
city,
firstName,
lastName,
email,
reportingManager,
departmentName,
state,
country,
zone,
address1,
address2,
pincode,
desginationName,
personal_city,
reportingManager_mobile_number,
reportingManager_email,
officeName,
} = request.body;
const existing = await Deparments.findOne({ departmentId });
if (!existing) {
return reply.status(404).send({ message: 'Department not found' });
}
const phoneExists = await Deparments.findOne({ phone, departmentId: { $ne: departmentId } });
if (phoneExists) {
return reply.status(400).send({ message: 'Phone is already registered to another user' });
}
existing.phone = phone || existing.phone;
existing.alternativeContactNumber = alternativeContactNumber || existing.alternativeContactNumber;
existing.personalEmail = personalEmail || existing.personalEmail;
existing.gender = gender || existing.gender;
existing.city = city || existing.city;
existing.state = state || existing.state;
existing.country = country || existing.country;
existing.zone = zone || existing.zone;
existing.desginationName = desginationName || existing.desginationName;
existing.pincode = pincode || existing.pincode;
existing.address1 = address1 || existing.address1;
existing.address2 = address2 || existing.address2;
existing.email = email || existing.email;
existing.firstName = firstName || existing.firstName;
existing.lastName = lastName || existing.lastName;
existing.departmentName = departmentName || existing.departmentName;
existing.reportingManager = reportingManager || existing.reportingManager
existing.personal_city = personal_city || existing.personal_city;
existing.reportingManager_mobile_number = reportingManager_mobile_number || existing.reportingManager_mobile_number;
existing.reportingManager_email = reportingManager_email || existing.reportingManager_email;
existing.officeName = officeName || existing.officeName
await existing.save();
reply.send({ message: 'Department user updated successfully' });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
// exports.getAllDesignationsParticularFields = async (req, reply) => {
// try {
// const departments = await Desgination.find().exec();
// // Grouping the data
// const result = {
// cities: [...new Set(departments.map((doc) => doc.city))],
// zones: [...new Set(departments.map((doc) => doc.zone))],
// pincodes: [...new Set(departments.map((doc) => doc.pincode))],
// departments: [...new Set(departments.map((doc) => doc.departmentName))],
// states: [...new Set(departments.map((doc) => doc.state))],
// countries: [...new Set(departments.map((doc) => doc.country))],
// designations: [...new Set(departments.map((doc) => doc.desginationName))],
// reportingMangers: [...new Set(departments.map((doc) => doc.reportingManager))],
// };
// // Sending the response
// reply.send({
// status_code: 200,
// data: result,
// count: departments.length,
// });
// } catch (err) {
// console.error(err);
// reply.send({ error: err.message });
// }
// };
const getLocationsByCityAndZone = async (city, zone) => {
try {
8 months ago
const result = await Branch.aggregate([
{
$project: {
8 months ago
city: { $toLower: { $trim: { input: "$city" } } }, // Normalize city name (lowercase & trim)
zone: { $trim: { input: "$zone" } }, // Trim zone field
location: 1,
},
},
{
$match: {
8 months ago
city: { $regex: `^${city.trim().toLowerCase()}$`, $options: "i" }, // Case-insensitive & trimmed
zone: zone.trim(),
},
},
{
$group: {
_id: { city: "$city", zone: "$zone" },
locations: { $push: "$location" },
},
},
{
$project: {
_id: 0,
city: "$_id.city",
zone: "$_id.zone",
locations: {
$reduce: {
input: "$locations",
initialValue: [],
8 months ago
in: { $concatArrays: ["$$value", "$$this"] }, // Flatten nested arrays
},
},
},
},
{
$group: {
_id: { city: "$city", zone: "$zone" }, // Merge all data into a single object
locations: { $push: "$locations" }, // Collect all locations
},
},
{
$project: {
_id: 0,
city: "$_id.city",
zone: "$_id.zone",
locations: {
$reduce: {
input: "$locations",
initialValue: [],
in: { $concatArrays: ["$$value", "$$this"] }, // Flatten again after merging
},
},
},
},
]);
console.log("Query Result:", result); // Debugging output
8 months ago
return result.length ? result[0] : null; // Return a single object instead of an array
} catch (err) {
console.error(err);
throw new Error("Error fetching locations.");
}
};
exports.getZonebasedLocations = async (req, reply) => {
try {
const { city, zone } = req.query;
console.log("Received City:", `"${city}"`, "Received Zone:", `"${zone}"`); // Debugging input
const locations = await getLocationsByCityAndZone(city.trim(), zone.trim());
8 months ago
if (!locations) {
return reply.send({ status_code: 404, message: "No data found." });
}
reply.send({ status_code: 200, data: locations });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
8 months ago
const getLocationsByZone = async (zone) => {
try {
const result = await City.aggregate([
{
$match: {
zone: { $regex: `^${zone}$`, $options: "i" }, // Case-insensitive match for the zone
},
8 months ago
},
{
$unwind: "$location" // Unwind the location field if it is an array
},
{
$group: {
_id: "$zone", // Group by zone
locations: {
$addToSet: {
$toUpper: { $trim: { input: "$location" } } // Convert to uppercase and trim whitespace
}
},
},
8 months ago
},
{
$project: {
_id: 0, // Exclude the _id field
zone: "$_id", // Include zone
locations: 1 // Return locations
},
8 months ago
},
]);
return result;
} catch (err) {
console.error(err);
throw new Error("Error fetching locations.");
}
};
exports.getLocationsByZone = async (req, reply) => {
try {
const { zone } = req.params; // Get zone from path params
if (!zone) {
return reply.status(400).send({ message: "Zone is required." });
}
const locations = await getLocationsByZone(zone);
reply.send({ status_code: 200, data: locations });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
const getZonesByCitys = async (city) => {
try {
8 months ago
const result = await Branch.aggregate([
{
$project: {
city: { $trim: { input: "$city" } }, // Trim city field in DB
zone: 1 // Keep zone field
}
},
{
$match: {
city: { $regex: `^${city.trim()}$`, $options: "i" }, // Trim & case-insensitive
8 months ago
}
},
{
$group: {
_id: { $toUpper: "$city" }, // Normalize city name
8 months ago
zones: { $addToSet: "$zone" } // Collect unique zones
}
},
{
$project: {
_id: 0, // Exclude _id
city: "$_id", // Return city name
8 months ago
zones: 1 // Return collected zones (no sorting in aggregation)
}
}
]);
8 months ago
// Sort the zones array in ascending order
result.forEach(item => {
item.zones.sort((a, b) => a - b); // Ensure zones are sorted numerically
});
return result;
} catch (err) {
8 months ago
console.error("Error fetching zones:", err); // Detailed error logging
throw new Error("Error fetching zones.");
}
};
8 months ago
exports.getZonesByCity = async (req, reply) => {
try {
const { city } = req.params;
if (!city || city.trim() === "") {
return reply.status(400).send({ message: "City is required." });
}
const zones = await getZonesByCitys(city.trim()); // Trim input
8 months ago
if (zones.length === 0) {
return reply.status(404).send({ message: "No zones found for the specified city." });
}
reply.send({ status_code: 200, data: zones });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
8 months ago
const getDepartmentsByName = async (departmentName) => {
try {
const result = await Deparments.find({
departmentName: { $regex: `^${departmentName}$`, $options: "i" }, // Case-insensitive search
});
return result;
} catch (err) {
console.error(err);
throw new Error("Error fetching department data.");
}
};
// API Route
exports.getDepartments = async (req, reply) => {
try {
const { departmentName } = req.params; // Get departmentName from request params
if (!departmentName) {
return reply.status(400).send({ message: "Department Name is required." });
}
const departments = await getDepartmentsByName(departmentName);
reply.send({ status_code: 200, data: departments });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
const getDepartmentNames = async () => {
try {
const result = await Deparments.aggregate([
{
$group: {
_id: {
$toUpper: { $trim: { input: "$departmentName" } }, // Convert to uppercase & trim spaces
},
},
},
{
$sort: { _id: 1 } // Sort alphabetically
},
{
$group: {
_id: null,
departmentNames: { $addToSet: "$_id" } // Collect unique values in an array
}
},
{
$project: {
_id: 0,
departmentNames: 1 // Return only the array
},
}
]);
return result.length > 0 ? result[0].departmentNames : []; // Return an empty array if no data
} catch (err) {
console.error(err);
throw new Error("Error fetching department names.");
}
};
// API Route
exports.getAllDepartmentNames = async (req, reply) => {
try {
const departments = await getDepartmentNames();
reply.send({ status_code: 200, data: departments });
} catch (err) {
reply.status(500).send({ message: err.message });
}
};
exports.getCitiesByOfficeName = async (req, reply) => {
try {
let { officeName } = req.params;
// Trim and normalize spaces
officeName = officeName.trim().replace(/\s+/g, ' '); // Replace multiple spaces with one
const regexOfficeName = new RegExp(officeName.replace(/\s+/g, '\\s*'), "i");
// Debugging: Check all available office names in DB
console.log("All Cities with Office Name:", await City.find().select("officeName city").lean());
console.log("All Branches with Office Name:", await Branch.find().select("officeName city").lean());
// Query both collections with case-insensitive regex
const cityResults = await City.find({ officeName: { $regex: officeName, $options: "i" } }).select("city -_id").lean();
const branchResults = await Branch.find({ officeName: { $regex: officeName, $options: "i" } }).select("city -_id").lean();
// Extract and merge unique city names
const cityNames = [...new Set([...cityResults.map(c => c.city), ...branchResults.map(b => b.city)])];
console.log("Final City Results:", cityNames);
reply.send({ status_code: 200, data: cityNames });
} catch (err) {
console.error("Error fetching cities:", err);
reply.send({ error: err.message });
}
};