diff --git a/ef-api/controllers/fundDetails.js b/ef-api/controllers/fundDetails.js deleted file mode 100644 index c88e249..0000000 --- a/ef-api/controllers/fundDetails.js +++ /dev/null @@ -1,47 +0,0 @@ - -import FundDetailsModal from "../models/fundDetails.js" - - -export const submitFundDetails = async (req, res) => { - - const { propertyOwnerId, investorId, investmentAmount, ownershipPercentage, propertyId } = req.body; - - const newFundDetail = new FundDetailsModal({ - propertyOwnerId, - investorId, - investmentAmount, - ownershipPercentage, - propertyId - }); - console.log("newFundDetail", newFundDetail) - - try { - const savedFundDetail = await newFundDetail.save(); - res.status(201).json(savedFundDetail); - } catch (error) { - res.status(500).json({ message: error.message }); - } -}; - -export const getFundDetailsById = async (req, res) => { - const { id } = req.params; - try { - const fundDetails = await FundDetailsModal.findOne({ propertyId: id }); - if (!fundDetails) { - return res.status(404).json({ message: "Fund details not found" }); - } - res.status(200).json(fundDetails); - } catch (error) { - res.status(500).json({ message: error.message }); - } - }; - - export const getAllFunds = async (req, res) => { - try { - // const allFunds = await FundDetailsModal.find(); - const allFunds = await FundDetailsModal.findOne(); - res.status(200).json(allFunds); - } catch (error) { - res.status(500).json({ message: "Server error" }); - } -}; \ No newline at end of file diff --git a/ef-api/controllers/property.js b/ef-api/controllers/property.js index 191d1be..bd9e998 100644 --- a/ef-api/controllers/property.js +++ b/ef-api/controllers/property.js @@ -80,10 +80,8 @@ export const getPropertyById = async (req, res) => { export const updatePropertyById = async (req, res) => { const { id } = req.params; // This should be the propertyId const updateData = req.body; - const fundDetails=req.body - console.log("Received propertyId:", id); // Log the received propertyId - console.log("fundDetails", fundDetails); + const { fundValue, fundPercentage } = req.body; try { // Find the property by propertyId instead of _id @@ -93,6 +91,17 @@ export const updatePropertyById = async (req, res) => { { new: true } ); + // Push the new fund details into the existing fundDetails array + updatedProperty.fundDetails.push({ + fundValue, + fundPercentage, + }); + + // Save the updated document + await updatedProperty.save(); + + console.log("Received propertyId:", updatedProperty); // Log the received propertyId + if (!updatedProperty) { return res.status(404).json({ message: "Property not found" }); } @@ -104,6 +113,72 @@ export const updatePropertyById = async (req, res) => { } }; + + + +// Function to update fundDetails +export const addFundDetails = async (req, res) => { + const { id } = req.params; // This should be the propertyId + const { fundValue, fundPercentage } = req.body; + + console.log("d", id, { fundValue, fundPercentage }); + + try { + // Change findById to findOne with the correct field name + const property = await PropertyModal.findOne({ propertyId: id }); + + if (!property) { + return res.status(404).json({ message: 'Property not found' }); + } + + // Create new fund detail + const newFundDetail = { + fundValue, + fundPercentage, + }; + + // Add new fund detail to fundDetails array + property.fundDetails.push(newFundDetail); + + // Save updated property + await property.save(); + + // Return success response with updated property + res.status(200).json({ message: 'Fund details added', property }); + } catch (error) { + console.error("Error adding fund details:", error); // Log error for debugging + res.status(500).json({ message: error.message }); + } +}; + + // Getting funds from the DB +export const getFundDetails = async (req, res) => { + const { id } = req.params; // Property ID + + try { + const property = await PropertyModal.findOne({ propertyId: id }, 'fundDetails'); + + if (!property) { + return res.status(404).json({ message: 'Property not found' }); + } + + // Return fund details + res.status(200).json({ fundDetails: property.fundDetails }); + } catch (error) { + console.error("Error fetching fund details:", error); + res.status(500).json({ message: error.message }); + } +}; + + + + + + + + + + // export const getProperties = async (req, res) => { // try { // const properties = await PropertyModal.find(); // Fetch all properties from MongoDB diff --git a/ef-api/index.js b/ef-api/index.js index 87a7c4f..0a31344 100644 --- a/ef-api/index.js +++ b/ef-api/index.js @@ -7,7 +7,6 @@ import session from "express-session"; import userRouter from "./routes/user.js"; import propertyRouter from "./routes/property.js"; import mysqlRouter from "./routes/mysqlproperty.js"; -import fundDetailsRouter from "./routes/fundDetails.js"; import dotenv from "dotenv"; const app = express(); @@ -35,7 +34,6 @@ app.use( app.use("/users", userRouter); app.use("/properties", propertyRouter); app.use("/mysql", mysqlRouter); // Use MySQL routes -app.use("/fundDetails", fundDetailsRouter); diff --git a/ef-api/models/fundDetails.js b/ef-api/models/fundDetails.js deleted file mode 100644 index 66e4038..0000000 --- a/ef-api/models/fundDetails.js +++ /dev/null @@ -1,30 +0,0 @@ - -import mongoose from "mongoose"; - -const fundDetailsSchema = new mongoose.Schema({ - propertyOwnerId: { - type: String, - required: true, - }, - investorId: { - type: String, - required: true, - }, - investmentAmount: { - type: Number, - required: true, - }, - ownershipPercentage: { - type: Number, - required: true, - }, - propertyId:{ - type: String, - required: true, - }, - status: { type: Boolean, default: false }, -}, { timestamps: true }); - -const FundDetailsModal = mongoose.model("FundDetails", fundDetailsSchema); -export default FundDetailsModal; - diff --git a/ef-api/models/property.js b/ef-api/models/property.js index 5890554..c669e7f 100644 --- a/ef-api/models/property.js +++ b/ef-api/models/property.js @@ -8,6 +8,7 @@ const propertyTaxInfoSchema = mongoose.Schema({ taxyear: { type: String }, }); + // Schema for images const imageSchema = mongoose.Schema({ title: { type: String }, // Title of the image @@ -302,7 +303,18 @@ const propertySchema = mongoose.Schema({ type: Number, required: true, // Set to true if this field is mandatory }, - fundDetails:[], + fundDetails: [ + { + fundValue: { + type: Number, // Adjust type if needed (String or Number) + required: true, + }, + fundPercentage: { + type: Number, // Adjust type if needed + required: true, + }, + }, + ], }); const PropertyModal = mongoose.model("property", propertySchema); diff --git a/ef-api/routes/fundDetails.js b/ef-api/routes/fundDetails.js deleted file mode 100644 index b3611c6..0000000 --- a/ef-api/routes/fundDetails.js +++ /dev/null @@ -1,12 +0,0 @@ -import express from 'express'; -const router = express.Router(); -import { submitFundDetails, getFundDetailsById } from '../controllers/fundDetails.js'; -import { getAllFunds } from '../controllers/fundDetails.js'; - - -router.post('/', submitFundDetails); -router.get("/allFunds", getAllFunds); -router.get("/:id", getFundDetailsById); - - -export default router; diff --git a/ef-api/routes/property.js b/ef-api/routes/property.js index 054603e..64cf4e8 100644 --- a/ef-api/routes/property.js +++ b/ef-api/routes/property.js @@ -1,12 +1,22 @@ -import express from 'express'; +import express from "express"; const router = express.Router(); -import auth from '../middleware/auth.js'; -import { createProperty, getUserProperties, getPropertyById, updatePropertyById, getProperties} from '../controllers/property.js'; +import auth from "../middleware/auth.js"; +import { + createProperty, + getUserProperties, + getPropertyById, + updatePropertyById, + getProperties, + addFundDetails, + getFundDetails, +} from "../controllers/property.js"; -router.post('/', auth, createProperty); -router.get('/user/:userId', getUserProperties); -router.get('/:propertyId', getPropertyById); +router.post("/", auth, createProperty); +router.get("/user/:userId", getUserProperties); +router.get("/:propertyId", getPropertyById); router.put("/:id", updatePropertyById); -router.get('/', getProperties); +router.get("/", getProperties); +router.put("/:id/fund-details", addFundDetails); +router.get("/:id/fund-details", getFundDetails); export default router; diff --git a/ef-api/routes/user.js b/ef-api/routes/user.js index b4aab3c..2fa7c8b 100644 --- a/ef-api/routes/user.js +++ b/ef-api/routes/user.js @@ -3,8 +3,8 @@ const router = express.Router(); import { signup, signin, verifyUser, showUser, forgotPassword, resetPassword, updateUser } from "../controllers/user.js"; -router.post("/signin", signin); router.post("/signup", signup); +router.post("/signin", signin); router.get('/:id/verify/:token/', verifyUser); router.get('/:userId', showUser); router.post("/forgotpassword", forgotPassword); diff --git a/ef-ui/dist/assets/index-CrKcgQxs.js b/ef-ui/dist/assets/index-DLb2856w.js similarity index 50% rename from ef-ui/dist/assets/index-CrKcgQxs.js rename to ef-ui/dist/assets/index-DLb2856w.js index 4a95a0f..07909c9 100644 --- a/ef-ui/dist/assets/index-CrKcgQxs.js +++ b/ef-ui/dist/assets/index-DLb2856w.js @@ -1,4 +1,4 @@ -var Tg=Object.defineProperty;var Rg=(e,t,n)=>t in e?Tg(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n;var fl=(e,t,n)=>Rg(e,typeof t!="symbol"?t+"":t,n);function Ag(e,t){for(var n=0;no[s]})}}}return Object.freeze(Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}))}(function(){const t=document.createElement("link").relList;if(t&&t.supports&&t.supports("modulepreload"))return;for(const s of document.querySelectorAll('link[rel="modulepreload"]'))o(s);new MutationObserver(s=>{for(const i of s)if(i.type==="childList")for(const a of i.addedNodes)a.tagName==="LINK"&&a.rel==="modulepreload"&&o(a)}).observe(document,{childList:!0,subtree:!0});function n(s){const i={};return s.integrity&&(i.integrity=s.integrity),s.referrerPolicy&&(i.referrerPolicy=s.referrerPolicy),s.crossOrigin==="use-credentials"?i.credentials="include":s.crossOrigin==="anonymous"?i.credentials="omit":i.credentials="same-origin",i}function o(s){if(s.ep)return;s.ep=!0;const i=n(s);fetch(s.href,i)}})();var Ig=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function Cs(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var Pp={exports:{}},ga={},_p={exports:{}},ue={};/** +var Tg=Object.defineProperty;var Rg=(e,t,n)=>t in e?Tg(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n;var pl=(e,t,n)=>Rg(e,typeof t!="symbol"?t+"":t,n);function Ag(e,t){for(var n=0;no[s]})}}}return Object.freeze(Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}))}(function(){const t=document.createElement("link").relList;if(t&&t.supports&&t.supports("modulepreload"))return;for(const s of document.querySelectorAll('link[rel="modulepreload"]'))o(s);new MutationObserver(s=>{for(const i of s)if(i.type==="childList")for(const a of i.addedNodes)a.tagName==="LINK"&&a.rel==="modulepreload"&&o(a)}).observe(document,{childList:!0,subtree:!0});function n(s){const i={};return s.integrity&&(i.integrity=s.integrity),s.referrerPolicy&&(i.referrerPolicy=s.referrerPolicy),s.crossOrigin==="use-credentials"?i.credentials="include":s.crossOrigin==="anonymous"?i.credentials="omit":i.credentials="same-origin",i}function o(s){if(s.ep)return;s.ep=!0;const i=n(s);fetch(s.href,i)}})();var Ig=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function bs(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var Pp={exports:{}},xa={},_p={exports:{}},ue={};/** * @license React * react.production.min.js * @@ -6,7 +6,7 @@ var Tg=Object.defineProperty;var Rg=(e,t,n)=>t in e?Tg(e,t,{enumerable:!0,config * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. - */var bs=Symbol.for("react.element"),Dg=Symbol.for("react.portal"),Fg=Symbol.for("react.fragment"),Mg=Symbol.for("react.strict_mode"),Lg=Symbol.for("react.profiler"),Bg=Symbol.for("react.provider"),zg=Symbol.for("react.context"),$g=Symbol.for("react.forward_ref"),Wg=Symbol.for("react.suspense"),Ug=Symbol.for("react.memo"),qg=Symbol.for("react.lazy"),_d=Symbol.iterator;function Vg(e){return e===null||typeof e!="object"?null:(e=_d&&e[_d]||e["@@iterator"],typeof e=="function"?e:null)}var Op={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},Tp=Object.assign,Rp={};function uo(e,t,n){this.props=e,this.context=t,this.refs=Rp,this.updater=n||Op}uo.prototype.isReactComponent={};uo.prototype.setState=function(e,t){if(typeof e!="object"&&typeof e!="function"&&e!=null)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,e,t,"setState")};uo.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this,e,"forceUpdate")};function Ap(){}Ap.prototype=uo.prototype;function gu(e,t,n){this.props=e,this.context=t,this.refs=Rp,this.updater=n||Op}var xu=gu.prototype=new Ap;xu.constructor=gu;Tp(xu,uo.prototype);xu.isPureReactComponent=!0;var Od=Array.isArray,Ip=Object.prototype.hasOwnProperty,yu={current:null},Dp={key:!0,ref:!0,__self:!0,__source:!0};function Fp(e,t,n){var o,s={},i=null,a=null;if(t!=null)for(o in t.ref!==void 0&&(a=t.ref),t.key!==void 0&&(i=""+t.key),t)Ip.call(t,o)&&!Dp.hasOwnProperty(o)&&(s[o]=t[o]);var l=arguments.length-2;if(l===1)s.children=n;else if(1t in e?Tg(e,t,{enumerable:!0,config * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. - */var Qg=S,Xg=Symbol.for("react.element"),Jg=Symbol.for("react.fragment"),Zg=Object.prototype.hasOwnProperty,ex=Qg.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ReactCurrentOwner,tx={key:!0,ref:!0,__self:!0,__source:!0};function Lp(e,t,n){var o,s={},i=null,a=null;n!==void 0&&(i=""+n),t.key!==void 0&&(i=""+t.key),t.ref!==void 0&&(a=t.ref);for(o in t)Zg.call(t,o)&&!tx.hasOwnProperty(o)&&(s[o]=t[o]);if(e&&e.defaultProps)for(o in t=e.defaultProps,t)s[o]===void 0&&(s[o]=t[o]);return{$$typeof:Xg,type:e,key:i,ref:a,props:s,_owner:ex.current}}ga.Fragment=Jg;ga.jsx=Lp;ga.jsxs=Lp;Pp.exports=ga;var r=Pp.exports,Bp={exports:{}},gt={},zp={exports:{}},$p={};/** + */var Qg=S,Xg=Symbol.for("react.element"),Jg=Symbol.for("react.fragment"),Zg=Object.prototype.hasOwnProperty,ex=Qg.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ReactCurrentOwner,tx={key:!0,ref:!0,__self:!0,__source:!0};function Lp(e,t,n){var o,s={},i=null,a=null;n!==void 0&&(i=""+n),t.key!==void 0&&(i=""+t.key),t.ref!==void 0&&(a=t.ref);for(o in t)Zg.call(t,o)&&!tx.hasOwnProperty(o)&&(s[o]=t[o]);if(e&&e.defaultProps)for(o in t=e.defaultProps,t)s[o]===void 0&&(s[o]=t[o]);return{$$typeof:Xg,type:e,key:i,ref:a,props:s,_owner:ex.current}}xa.Fragment=Jg;xa.jsx=Lp;xa.jsxs=Lp;Pp.exports=xa;var r=Pp.exports,Bp={exports:{}},gt={},zp={exports:{}},$p={};/** * @license React * scheduler.production.min.js * @@ -22,7 +22,7 @@ var Tg=Object.defineProperty;var Rg=(e,t,n)=>t in e?Tg(e,t,{enumerable:!0,config * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. - */(function(e){function t(R,A){var B=R.length;R.push(A);e:for(;0>>1,W=R[F];if(0>>1;Fs(ee,B))res(ne,ee)?(R[F]=ne,R[re]=B,F=re):(R[F]=ee,R[Y]=B,F=Y);else if(res(ne,B))R[F]=ne,R[re]=B,F=re;else break e}}return A}function s(R,A){var B=R.sortIndex-A.sortIndex;return B!==0?B:R.id-A.id}if(typeof performance=="object"&&typeof performance.now=="function"){var i=performance;e.unstable_now=function(){return i.now()}}else{var a=Date,l=a.now();e.unstable_now=function(){return a.now()-l}}var u=[],c=[],d=1,f=null,g=3,b=!1,x=!1,N=!1,C=typeof setTimeout=="function"?setTimeout:null,h=typeof clearTimeout=="function"?clearTimeout:null,v=typeof setImmediate<"u"?setImmediate:null;typeof navigator<"u"&&navigator.scheduling!==void 0&&navigator.scheduling.isInputPending!==void 0&&navigator.scheduling.isInputPending.bind(navigator.scheduling);function m(R){for(var A=n(c);A!==null;){if(A.callback===null)o(c);else if(A.startTime<=R)o(c),A.sortIndex=A.expirationTime,t(u,A);else break;A=n(c)}}function y(R){if(N=!1,m(R),!x)if(n(u)!==null)x=!0,U(E);else{var A=n(c);A!==null&&G(y,A.startTime-R)}}function E(R,A){x=!1,N&&(N=!1,h(P),P=-1),b=!0;var B=g;try{for(m(A),f=n(u);f!==null&&(!(f.expirationTime>A)||R&&!H());){var F=f.callback;if(typeof F=="function"){f.callback=null,g=f.priorityLevel;var W=F(f.expirationTime<=A);A=e.unstable_now(),typeof W=="function"?f.callback=W:f===n(u)&&o(u),m(A)}else o(u);f=n(u)}if(f!==null)var K=!0;else{var Y=n(c);Y!==null&&G(y,Y.startTime-A),K=!1}return K}finally{f=null,g=B,b=!1}}var O=!1,T=null,P=-1,L=5,z=-1;function H(){return!(e.unstable_now()-zR||125F?(R.sortIndex=B,t(c,R),n(u)===null&&R===n(c)&&(N?(h(P),P=-1):N=!0,G(y,B-F))):(R.sortIndex=W,t(u,R),x||b||(x=!0,U(E))),R},e.unstable_shouldYield=H,e.unstable_wrapCallback=function(R){var A=g;return function(){var B=g;g=A;try{return R.apply(this,arguments)}finally{g=B}}}})($p);zp.exports=$p;var nx=zp.exports;/** + */(function(e){function t(R,A){var L=R.length;R.push(A);e:for(;0>>1,W=R[F];if(0>>1;Fs(ee,L))res(ne,ee)?(R[F]=ne,R[re]=L,F=re):(R[F]=ee,R[Y]=L,F=Y);else if(res(ne,L))R[F]=ne,R[re]=L,F=re;else break e}}return A}function s(R,A){var L=R.sortIndex-A.sortIndex;return L!==0?L:R.id-A.id}if(typeof performance=="object"&&typeof performance.now=="function"){var i=performance;e.unstable_now=function(){return i.now()}}else{var a=Date,l=a.now();e.unstable_now=function(){return a.now()-l}}var u=[],c=[],d=1,f=null,g=3,C=!1,x=!1,N=!1,b=typeof setTimeout=="function"?setTimeout:null,h=typeof clearTimeout=="function"?clearTimeout:null,v=typeof setImmediate<"u"?setImmediate:null;typeof navigator<"u"&&navigator.scheduling!==void 0&&navigator.scheduling.isInputPending!==void 0&&navigator.scheduling.isInputPending.bind(navigator.scheduling);function m(R){for(var A=n(c);A!==null;){if(A.callback===null)o(c);else if(A.startTime<=R)o(c),A.sortIndex=A.expirationTime,t(u,A);else break;A=n(c)}}function y(R){if(N=!1,m(R),!x)if(n(u)!==null)x=!0,U(E);else{var A=n(c);A!==null&&G(y,A.startTime-R)}}function E(R,A){x=!1,N&&(N=!1,h(O),O=-1),C=!0;var L=g;try{for(m(A),f=n(u);f!==null&&(!(f.expirationTime>A)||R&&!H());){var F=f.callback;if(typeof F=="function"){f.callback=null,g=f.priorityLevel;var W=F(f.expirationTime<=A);A=e.unstable_now(),typeof W=="function"?f.callback=W:f===n(u)&&o(u),m(A)}else o(u);f=n(u)}if(f!==null)var K=!0;else{var Y=n(c);Y!==null&&G(y,Y.startTime-A),K=!1}return K}finally{f=null,g=L,C=!1}}var k=!1,T=null,O=-1,B=5,$=-1;function H(){return!(e.unstable_now()-$R||125F?(R.sortIndex=L,t(c,R),n(u)===null&&R===n(c)&&(N?(h(O),O=-1):N=!0,G(y,L-F))):(R.sortIndex=W,t(u,R),x||C||(x=!0,U(E))),R},e.unstable_shouldYield=H,e.unstable_wrapCallback=function(R){var A=g;return function(){var L=g;g=A;try{return R.apply(this,arguments)}finally{g=L}}}})($p);zp.exports=$p;var nx=zp.exports;/** * @license React * react-dom.production.min.js * @@ -30,14 +30,14 @@ var Tg=Object.defineProperty;var Rg=(e,t,n)=>t in e?Tg(e,t,{enumerable:!0,config * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. - */var rx=S,mt=nx;function V(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n"u"||typeof window.document>"u"||typeof window.document.createElement>"u"),tc=Object.prototype.hasOwnProperty,ox=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,Rd={},Ad={};function sx(e){return tc.call(Ad,e)?!0:tc.call(Rd,e)?!1:ox.test(e)?Ad[e]=!0:(Rd[e]=!0,!1)}function ix(e,t,n,o){if(n!==null&&n.type===0)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return o?!1:n!==null?!n.acceptsBooleans:(e=e.toLowerCase().slice(0,5),e!=="data-"&&e!=="aria-");default:return!1}}function ax(e,t,n,o){if(t===null||typeof t>"u"||ix(e,t,n,o))return!0;if(o)return!1;if(n!==null)switch(n.type){case 3:return!t;case 4:return t===!1;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}function Je(e,t,n,o,s,i,a){this.acceptsBooleans=t===2||t===3||t===4,this.attributeName=o,this.attributeNamespace=s,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=i,this.removeEmptyString=a}var $e={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach(function(e){$e[e]=new Je(e,0,!1,e,null,!1,!1)});[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach(function(e){var t=e[0];$e[t]=new Je(t,1,!1,e[1],null,!1,!1)});["contentEditable","draggable","spellCheck","value"].forEach(function(e){$e[e]=new Je(e,2,!1,e.toLowerCase(),null,!1,!1)});["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach(function(e){$e[e]=new Je(e,2,!1,e,null,!1,!1)});"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach(function(e){$e[e]=new Je(e,3,!1,e.toLowerCase(),null,!1,!1)});["checked","multiple","muted","selected"].forEach(function(e){$e[e]=new Je(e,3,!0,e,null,!1,!1)});["capture","download"].forEach(function(e){$e[e]=new Je(e,4,!1,e,null,!1,!1)});["cols","rows","size","span"].forEach(function(e){$e[e]=new Je(e,6,!1,e,null,!1,!1)});["rowSpan","start"].forEach(function(e){$e[e]=new Je(e,5,!1,e.toLowerCase(),null,!1,!1)});var Nu=/[\-:]([a-z])/g;function Cu(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach(function(e){var t=e.replace(Nu,Cu);$e[t]=new Je(t,1,!1,e,null,!1,!1)});"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach(function(e){var t=e.replace(Nu,Cu);$e[t]=new Je(t,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)});["xml:base","xml:lang","xml:space"].forEach(function(e){var t=e.replace(Nu,Cu);$e[t]=new Je(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)});["tabIndex","crossOrigin"].forEach(function(e){$e[e]=new Je(e,1,!1,e.toLowerCase(),null,!1,!1)});$e.xlinkHref=new Je("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1);["src","href","action","formAction"].forEach(function(e){$e[e]=new Je(e,1,!1,e.toLowerCase(),null,!0,!0)});function bu(e,t,n,o){var s=$e.hasOwnProperty(t)?$e[t]:null;(s!==null?s.type!==0:o||!(2"u"||typeof window.document>"u"||typeof window.document.createElement>"u"),nc=Object.prototype.hasOwnProperty,ox=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,Rd={},Ad={};function sx(e){return nc.call(Ad,e)?!0:nc.call(Rd,e)?!1:ox.test(e)?Ad[e]=!0:(Rd[e]=!0,!1)}function ix(e,t,n,o){if(n!==null&&n.type===0)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return o?!1:n!==null?!n.acceptsBooleans:(e=e.toLowerCase().slice(0,5),e!=="data-"&&e!=="aria-");default:return!1}}function ax(e,t,n,o){if(t===null||typeof t>"u"||ix(e,t,n,o))return!0;if(o)return!1;if(n!==null)switch(n.type){case 3:return!t;case 4:return t===!1;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}function Je(e,t,n,o,s,i,a){this.acceptsBooleans=t===2||t===3||t===4,this.attributeName=o,this.attributeNamespace=s,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=i,this.removeEmptyString=a}var $e={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach(function(e){$e[e]=new Je(e,0,!1,e,null,!1,!1)});[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach(function(e){var t=e[0];$e[t]=new Je(t,1,!1,e[1],null,!1,!1)});["contentEditable","draggable","spellCheck","value"].forEach(function(e){$e[e]=new Je(e,2,!1,e.toLowerCase(),null,!1,!1)});["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach(function(e){$e[e]=new Je(e,2,!1,e,null,!1,!1)});"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach(function(e){$e[e]=new Je(e,3,!1,e.toLowerCase(),null,!1,!1)});["checked","multiple","muted","selected"].forEach(function(e){$e[e]=new Je(e,3,!0,e,null,!1,!1)});["capture","download"].forEach(function(e){$e[e]=new Je(e,4,!1,e,null,!1,!1)});["cols","rows","size","span"].forEach(function(e){$e[e]=new Je(e,6,!1,e,null,!1,!1)});["rowSpan","start"].forEach(function(e){$e[e]=new Je(e,5,!1,e.toLowerCase(),null,!1,!1)});var Nu=/[\-:]([a-z])/g;function Cu(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach(function(e){var t=e.replace(Nu,Cu);$e[t]=new Je(t,1,!1,e,null,!1,!1)});"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach(function(e){var t=e.replace(Nu,Cu);$e[t]=new Je(t,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)});["xml:base","xml:lang","xml:space"].forEach(function(e){var t=e.replace(Nu,Cu);$e[t]=new Je(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)});["tabIndex","crossOrigin"].forEach(function(e){$e[e]=new Je(e,1,!1,e.toLowerCase(),null,!1,!1)});$e.xlinkHref=new Je("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1);["src","href","action","formAction"].forEach(function(e){$e[e]=new Je(e,1,!1,e.toLowerCase(),null,!0,!0)});function bu(e,t,n,o){var s=$e.hasOwnProperty(t)?$e[t]:null;(s!==null?s.type!==0:o||!(2l||s[a]!==i[l]){var u=` -`+s[a].replace(" at new "," at ");return e.displayName&&u.includes("")&&(u=u.replace("",e.displayName)),u}while(1<=a&&0<=l);break}}}finally{hl=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?Ao(e):""}function lx(e){switch(e.tag){case 5:return Ao(e.type);case 16:return Ao("Lazy");case 13:return Ao("Suspense");case 19:return Ao("SuspenseList");case 0:case 2:case 15:return e=vl(e.type,!1),e;case 11:return e=vl(e.type.render,!1),e;case 1:return e=vl(e.type,!0),e;default:return""}}function sc(e){if(e==null)return null;if(typeof e=="function")return e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case Rr:return"Fragment";case Tr:return"Portal";case nc:return"Profiler";case wu:return"StrictMode";case rc:return"Suspense";case oc:return"SuspenseList"}if(typeof e=="object")switch(e.$$typeof){case qp:return(e.displayName||"Context")+".Consumer";case Up:return(e._context.displayName||"Context")+".Provider";case Su:var t=e.render;return e=e.displayName,e||(e=t.displayName||t.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case Eu:return t=e.displayName||null,t!==null?t:sc(e.type)||"Memo";case jn:t=e._payload,e=e._init;try{return sc(e(t))}catch{}}return null}function cx(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=t.render,e=e.displayName||e.name||"",t.displayName||(e!==""?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return sc(t);case 8:return t===wu?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if(typeof t=="function")return t.displayName||t.name||null;if(typeof t=="string")return t}return null}function $n(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":return e;case"object":return e;default:return""}}function Hp(e){var t=e.type;return(e=e.nodeName)&&e.toLowerCase()==="input"&&(t==="checkbox"||t==="radio")}function ux(e){var t=Hp(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),o=""+e[t];if(!e.hasOwnProperty(t)&&typeof n<"u"&&typeof n.get=="function"&&typeof n.set=="function"){var s=n.get,i=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return s.call(this)},set:function(a){o=""+a,i.call(this,a)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return o},setValue:function(a){o=""+a},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}function Bs(e){e._valueTracker||(e._valueTracker=ux(e))}function Kp(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),o="";return e&&(o=Hp(e)?e.checked?"true":"false":e.value),e=o,e!==n?(t.setValue(e),!0):!1}function Ri(e){if(e=e||(typeof document<"u"?document:void 0),typeof e>"u")return null;try{return e.activeElement||e.body}catch{return e.body}}function ic(e,t){var n=t.checked;return Se({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:n??e._wrapperState.initialChecked})}function Dd(e,t){var n=t.defaultValue==null?"":t.defaultValue,o=t.checked!=null?t.checked:t.defaultChecked;n=$n(t.value!=null?t.value:n),e._wrapperState={initialChecked:o,initialValue:n,controlled:t.type==="checkbox"||t.type==="radio"?t.checked!=null:t.value!=null}}function Yp(e,t){t=t.checked,t!=null&&bu(e,"checked",t,!1)}function ac(e,t){Yp(e,t);var n=$n(t.value),o=t.type;if(n!=null)o==="number"?(n===0&&e.value===""||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if(o==="submit"||o==="reset"){e.removeAttribute("value");return}t.hasOwnProperty("value")?lc(e,t.type,n):t.hasOwnProperty("defaultValue")&&lc(e,t.type,$n(t.defaultValue)),t.checked==null&&t.defaultChecked!=null&&(e.defaultChecked=!!t.defaultChecked)}function Fd(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var o=t.type;if(!(o!=="submit"&&o!=="reset"||t.value!==void 0&&t.value!==null))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}n=e.name,n!==""&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,n!==""&&(e.name=n)}function lc(e,t,n){(t!=="number"||Ri(e.ownerDocument)!==e)&&(n==null?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var Io=Array.isArray;function Gr(e,t,n,o){if(e=e.options,t){t={};for(var s=0;s"+t.valueOf().toString()+"",t=zs.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}});function Zo(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&n.nodeType===3){n.nodeValue=t;return}}e.textContent=t}var Bo={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},dx=["Webkit","ms","Moz","O"];Object.keys(Bo).forEach(function(e){dx.forEach(function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Bo[t]=Bo[e]})});function Jp(e,t,n){return t==null||typeof t=="boolean"||t===""?"":n||typeof t!="number"||t===0||Bo.hasOwnProperty(e)&&Bo[e]?(""+t).trim():t+"px"}function Zp(e,t){e=e.style;for(var n in t)if(t.hasOwnProperty(n)){var o=n.indexOf("--")===0,s=Jp(n,t[n],o);n==="float"&&(n="cssFloat"),o?e.setProperty(n,s):e[n]=s}}var fx=Se({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function dc(e,t){if(t){if(fx[e]&&(t.children!=null||t.dangerouslySetInnerHTML!=null))throw Error(V(137,e));if(t.dangerouslySetInnerHTML!=null){if(t.children!=null)throw Error(V(60));if(typeof t.dangerouslySetInnerHTML!="object"||!("__html"in t.dangerouslySetInnerHTML))throw Error(V(61))}if(t.style!=null&&typeof t.style!="object")throw Error(V(62))}}function fc(e,t){if(e.indexOf("-")===-1)return typeof t.is=="string";switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var pc=null;function ku(e){return e=e.target||e.srcElement||window,e.correspondingUseElement&&(e=e.correspondingUseElement),e.nodeType===3?e.parentNode:e}var mc=null,Qr=null,Xr=null;function Bd(e){if(e=Es(e)){if(typeof mc!="function")throw Error(V(280));var t=e.stateNode;t&&(t=Ca(t),mc(e.stateNode,e.type,t))}}function em(e){Qr?Xr?Xr.push(e):Xr=[e]:Qr=e}function tm(){if(Qr){var e=Qr,t=Xr;if(Xr=Qr=null,Bd(e),t)for(e=0;e>>=0,e===0?32:31-(bx(e)/wx|0)|0}var $s=64,Ws=4194304;function Do(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return e&4194240;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return e&130023424;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function Fi(e,t){var n=e.pendingLanes;if(n===0)return 0;var o=0,s=e.suspendedLanes,i=e.pingedLanes,a=n&268435455;if(a!==0){var l=a&~s;l!==0?o=Do(l):(i&=a,i!==0&&(o=Do(i)))}else a=n&~s,a!==0?o=Do(a):i!==0&&(o=Do(i));if(o===0)return 0;if(t!==0&&t!==o&&!(t&s)&&(s=o&-o,i=t&-t,s>=i||s===16&&(i&4194240)!==0))return t;if(o&4&&(o|=n&16),t=e.entangledLanes,t!==0)for(e=e.entanglements,t&=o;0n;n++)t.push(e);return t}function ws(e,t,n){e.pendingLanes|=t,t!==536870912&&(e.suspendedLanes=0,e.pingedLanes=0),e=e.eventTimes,t=31-Rt(t),e[t]=n}function Px(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var o=e.eventTimes;for(e=e.expirationTimes;0=$o),Yd=" ",Gd=!1;function Nm(e,t){switch(e){case"keyup":return ny.indexOf(t.keyCode)!==-1;case"keydown":return t.keyCode!==229;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function Cm(e){return e=e.detail,typeof e=="object"&&"data"in e?e.data:null}var Ar=!1;function oy(e,t){switch(e){case"compositionend":return Cm(t);case"keypress":return t.which!==32?null:(Gd=!0,Yd);case"textInput":return e=t.data,e===Yd&&Gd?null:e;default:return null}}function sy(e,t){if(Ar)return e==="compositionend"||!Du&&Nm(e,t)?(e=ym(),ci=Ru=Pn=null,Ar=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1=t)return{node:n,offset:t-e};e=o}e:{for(;n;){if(n.nextSibling){n=n.nextSibling;break e}n=n.parentNode}n=void 0}n=Zd(n)}}function Em(e,t){return e&&t?e===t?!0:e&&e.nodeType===3?!1:t&&t.nodeType===3?Em(e,t.parentNode):"contains"in e?e.contains(t):e.compareDocumentPosition?!!(e.compareDocumentPosition(t)&16):!1:!1}function km(){for(var e=window,t=Ri();t instanceof e.HTMLIFrameElement;){try{var n=typeof t.contentWindow.location.href=="string"}catch{n=!1}if(n)e=t.contentWindow;else break;t=Ri(e.document)}return t}function Fu(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&(t==="input"&&(e.type==="text"||e.type==="search"||e.type==="tel"||e.type==="url"||e.type==="password")||t==="textarea"||e.contentEditable==="true")}function my(e){var t=km(),n=e.focusedElem,o=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&Em(n.ownerDocument.documentElement,n)){if(o!==null&&Fu(n)){if(t=o.start,e=o.end,e===void 0&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if(e=(t=n.ownerDocument||document)&&t.defaultView||window,e.getSelection){e=e.getSelection();var s=n.textContent.length,i=Math.min(o.start,s);o=o.end===void 0?i:Math.min(o.end,s),!e.extend&&i>o&&(s=o,o=i,i=s),s=ef(n,i);var a=ef(n,o);s&&a&&(e.rangeCount!==1||e.anchorNode!==s.node||e.anchorOffset!==s.offset||e.focusNode!==a.node||e.focusOffset!==a.offset)&&(t=t.createRange(),t.setStart(s.node,s.offset),e.removeAllRanges(),i>o?(e.addRange(t),e.extend(a.node,a.offset)):(t.setEnd(a.node,a.offset),e.addRange(t)))}}for(t=[],e=n;e=e.parentNode;)e.nodeType===1&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for(typeof n.focus=="function"&&n.focus(),n=0;n=document.documentMode,Ir=null,jc=null,Uo=null,Nc=!1;function tf(e,t,n){var o=n.window===n?n.document:n.nodeType===9?n:n.ownerDocument;Nc||Ir==null||Ir!==Ri(o)||(o=Ir,"selectionStart"in o&&Fu(o)?o={start:o.selectionStart,end:o.selectionEnd}:(o=(o.ownerDocument&&o.ownerDocument.defaultView||window).getSelection(),o={anchorNode:o.anchorNode,anchorOffset:o.anchorOffset,focusNode:o.focusNode,focusOffset:o.focusOffset}),Uo&&ss(Uo,o)||(Uo=o,o=Bi(jc,"onSelect"),0Mr||(e.current=kc[Mr],kc[Mr]=null,Mr--)}function ge(e,t){Mr++,kc[Mr]=e.current,e.current=t}var Wn={},He=Vn(Wn),rt=Vn(!1),hr=Wn;function no(e,t){var n=e.type.contextTypes;if(!n)return Wn;var o=e.stateNode;if(o&&o.__reactInternalMemoizedUnmaskedChildContext===t)return o.__reactInternalMemoizedMaskedChildContext;var s={},i;for(i in n)s[i]=t[i];return o&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=s),s}function ot(e){return e=e.childContextTypes,e!=null}function $i(){je(rt),je(He)}function cf(e,t,n){if(He.current!==Wn)throw Error(V(168));ge(He,t),ge(rt,n)}function Fm(e,t,n){var o=e.stateNode;if(t=t.childContextTypes,typeof o.getChildContext!="function")return n;o=o.getChildContext();for(var s in o)if(!(s in t))throw Error(V(108,cx(e)||"Unknown",s));return Se({},n,o)}function Wi(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||Wn,hr=He.current,ge(He,e),ge(rt,rt.current),!0}function uf(e,t,n){var o=e.stateNode;if(!o)throw Error(V(169));n?(e=Fm(e,t,hr),o.__reactInternalMemoizedMergedChildContext=e,je(rt),je(He),ge(He,e)):je(rt),ge(rt,n)}var rn=null,ba=!1,Ol=!1;function Mm(e){rn===null?rn=[e]:rn.push(e)}function Ey(e){ba=!0,Mm(e)}function Hn(){if(!Ol&&rn!==null){Ol=!0;var e=0,t=me;try{var n=rn;for(me=1;e>=a,s-=a,on=1<<32-Rt(t)+s|n<P?(L=T,T=null):L=T.sibling;var z=g(h,T,m[P],y);if(z===null){T===null&&(T=L);break}e&&T&&z.alternate===null&&t(h,T),v=i(z,v,P),O===null?E=z:O.sibling=z,O=z,T=L}if(P===m.length)return n(h,T),Ce&&er(h,P),E;if(T===null){for(;PP?(L=T,T=null):L=T.sibling;var H=g(h,T,z.value,y);if(H===null){T===null&&(T=L);break}e&&T&&H.alternate===null&&t(h,T),v=i(H,v,P),O===null?E=H:O.sibling=H,O=H,T=L}if(z.done)return n(h,T),Ce&&er(h,P),E;if(T===null){for(;!z.done;P++,z=m.next())z=f(h,z.value,y),z!==null&&(v=i(z,v,P),O===null?E=z:O.sibling=z,O=z);return Ce&&er(h,P),E}for(T=o(h,T);!z.done;P++,z=m.next())z=b(T,h,P,z.value,y),z!==null&&(e&&z.alternate!==null&&T.delete(z.key===null?P:z.key),v=i(z,v,P),O===null?E=z:O.sibling=z,O=z);return e&&T.forEach(function(te){return t(h,te)}),Ce&&er(h,P),E}function C(h,v,m,y){if(typeof m=="object"&&m!==null&&m.type===Rr&&m.key===null&&(m=m.props.children),typeof m=="object"&&m!==null){switch(m.$$typeof){case Ls:e:{for(var E=m.key,O=v;O!==null;){if(O.key===E){if(E=m.type,E===Rr){if(O.tag===7){n(h,O.sibling),v=s(O,m.props.children),v.return=h,h=v;break e}}else if(O.elementType===E||typeof E=="object"&&E!==null&&E.$$typeof===jn&&pf(E)===O.type){n(h,O.sibling),v=s(O,m.props),v.ref=_o(h,O,m),v.return=h,h=v;break e}n(h,O);break}else t(h,O);O=O.sibling}m.type===Rr?(v=dr(m.props.children,h.mode,y,m.key),v.return=h,h=v):(y=gi(m.type,m.key,m.props,null,h.mode,y),y.ref=_o(h,v,m),y.return=h,h=y)}return a(h);case Tr:e:{for(O=m.key;v!==null;){if(v.key===O)if(v.tag===4&&v.stateNode.containerInfo===m.containerInfo&&v.stateNode.implementation===m.implementation){n(h,v.sibling),v=s(v,m.children||[]),v.return=h,h=v;break e}else{n(h,v);break}else t(h,v);v=v.sibling}v=Ll(m,h.mode,y),v.return=h,h=v}return a(h);case jn:return O=m._init,C(h,v,O(m._payload),y)}if(Io(m))return x(h,v,m,y);if(wo(m))return N(h,v,m,y);Gs(h,m)}return typeof m=="string"&&m!==""||typeof m=="number"?(m=""+m,v!==null&&v.tag===6?(n(h,v.sibling),v=s(v,m),v.return=h,h=v):(n(h,v),v=Ml(m,h.mode,y),v.return=h,h=v),a(h)):n(h,v)}return C}var oo=$m(!0),Wm=$m(!1),Vi=Vn(null),Hi=null,zr=null,zu=null;function $u(){zu=zr=Hi=null}function Wu(e){var t=Vi.current;je(Vi),e._currentValue=t}function Oc(e,t,n){for(;e!==null;){var o=e.alternate;if((e.childLanes&t)!==t?(e.childLanes|=t,o!==null&&(o.childLanes|=t)):o!==null&&(o.childLanes&t)!==t&&(o.childLanes|=t),e===n)break;e=e.return}}function Zr(e,t){Hi=e,zu=zr=null,e=e.dependencies,e!==null&&e.firstContext!==null&&(e.lanes&t&&(nt=!0),e.firstContext=null)}function wt(e){var t=e._currentValue;if(zu!==e)if(e={context:e,memoizedValue:t,next:null},zr===null){if(Hi===null)throw Error(V(308));zr=e,Hi.dependencies={lanes:0,firstContext:e}}else zr=zr.next=e;return t}var ar=null;function Uu(e){ar===null?ar=[e]:ar.push(e)}function Um(e,t,n,o){var s=t.interleaved;return s===null?(n.next=n,Uu(t)):(n.next=s.next,s.next=n),t.interleaved=n,un(e,o)}function un(e,t){e.lanes|=t;var n=e.alternate;for(n!==null&&(n.lanes|=t),n=e,e=e.return;e!==null;)e.childLanes|=t,n=e.alternate,n!==null&&(n.childLanes|=t),n=e,e=e.return;return n.tag===3?n.stateNode:null}var Nn=!1;function qu(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function qm(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function an(e,t){return{eventTime:e,lane:t,tag:0,payload:null,callback:null,next:null}}function Fn(e,t,n){var o=e.updateQueue;if(o===null)return null;if(o=o.shared,fe&2){var s=o.pending;return s===null?t.next=t:(t.next=s.next,s.next=t),o.pending=t,un(e,n)}return s=o.interleaved,s===null?(t.next=t,Uu(o)):(t.next=s.next,s.next=t),o.interleaved=t,un(e,n)}function di(e,t,n){if(t=t.updateQueue,t!==null&&(t=t.shared,(n&4194240)!==0)){var o=t.lanes;o&=e.pendingLanes,n|=o,t.lanes=n,_u(e,n)}}function mf(e,t){var n=e.updateQueue,o=e.alternate;if(o!==null&&(o=o.updateQueue,n===o)){var s=null,i=null;if(n=n.firstBaseUpdate,n!==null){do{var a={eventTime:n.eventTime,lane:n.lane,tag:n.tag,payload:n.payload,callback:n.callback,next:null};i===null?s=i=a:i=i.next=a,n=n.next}while(n!==null);i===null?s=i=t:i=i.next=t}else s=i=t;n={baseState:o.baseState,firstBaseUpdate:s,lastBaseUpdate:i,shared:o.shared,effects:o.effects},e.updateQueue=n;return}e=n.lastBaseUpdate,e===null?n.firstBaseUpdate=t:e.next=t,n.lastBaseUpdate=t}function Ki(e,t,n,o){var s=e.updateQueue;Nn=!1;var i=s.firstBaseUpdate,a=s.lastBaseUpdate,l=s.shared.pending;if(l!==null){s.shared.pending=null;var u=l,c=u.next;u.next=null,a===null?i=c:a.next=c,a=u;var d=e.alternate;d!==null&&(d=d.updateQueue,l=d.lastBaseUpdate,l!==a&&(l===null?d.firstBaseUpdate=c:l.next=c,d.lastBaseUpdate=u))}if(i!==null){var f=s.baseState;a=0,d=c=u=null,l=i;do{var g=l.lane,b=l.eventTime;if((o&g)===g){d!==null&&(d=d.next={eventTime:b,lane:0,tag:l.tag,payload:l.payload,callback:l.callback,next:null});e:{var x=e,N=l;switch(g=t,b=n,N.tag){case 1:if(x=N.payload,typeof x=="function"){f=x.call(b,f,g);break e}f=x;break e;case 3:x.flags=x.flags&-65537|128;case 0:if(x=N.payload,g=typeof x=="function"?x.call(b,f,g):x,g==null)break e;f=Se({},f,g);break e;case 2:Nn=!0}}l.callback!==null&&l.lane!==0&&(e.flags|=64,g=s.effects,g===null?s.effects=[l]:g.push(l))}else b={eventTime:b,lane:g,tag:l.tag,payload:l.payload,callback:l.callback,next:null},d===null?(c=d=b,u=f):d=d.next=b,a|=g;if(l=l.next,l===null){if(l=s.shared.pending,l===null)break;g=l,l=g.next,g.next=null,s.lastBaseUpdate=g,s.shared.pending=null}}while(!0);if(d===null&&(u=f),s.baseState=u,s.firstBaseUpdate=c,s.lastBaseUpdate=d,t=s.shared.interleaved,t!==null){s=t;do a|=s.lane,s=s.next;while(s!==t)}else i===null&&(s.shared.lanes=0);xr|=a,e.lanes=a,e.memoizedState=f}}function hf(e,t,n){if(e=t.effects,t.effects=null,e!==null)for(t=0;tn?n:4,e(!0);var o=Rl.transition;Rl.transition={};try{e(!1),t()}finally{me=n,Rl.transition=o}}function ah(){return St().memoizedState}function Oy(e,t,n){var o=Ln(e);if(n={lane:o,action:n,hasEagerState:!1,eagerState:null,next:null},lh(e))ch(t,n);else if(n=Um(e,t,n,o),n!==null){var s=Qe();At(n,e,o,s),uh(n,t,o)}}function Ty(e,t,n){var o=Ln(e),s={lane:o,action:n,hasEagerState:!1,eagerState:null,next:null};if(lh(e))ch(t,s);else{var i=e.alternate;if(e.lanes===0&&(i===null||i.lanes===0)&&(i=t.lastRenderedReducer,i!==null))try{var a=t.lastRenderedState,l=i(a,n);if(s.hasEagerState=!0,s.eagerState=l,Dt(l,a)){var u=t.interleaved;u===null?(s.next=s,Uu(t)):(s.next=u.next,u.next=s),t.interleaved=s;return}}catch{}finally{}n=Um(e,t,s,o),n!==null&&(s=Qe(),At(n,e,o,s),uh(n,t,o))}}function lh(e){var t=e.alternate;return e===we||t!==null&&t===we}function ch(e,t){qo=Gi=!0;var n=e.pending;n===null?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function uh(e,t,n){if(n&4194240){var o=t.lanes;o&=e.pendingLanes,n|=o,t.lanes=n,_u(e,n)}}var Qi={readContext:wt,useCallback:We,useContext:We,useEffect:We,useImperativeHandle:We,useInsertionEffect:We,useLayoutEffect:We,useMemo:We,useReducer:We,useRef:We,useState:We,useDebugValue:We,useDeferredValue:We,useTransition:We,useMutableSource:We,useSyncExternalStore:We,useId:We,unstable_isNewReconciler:!1},Ry={readContext:wt,useCallback:function(e,t){return qt().memoizedState=[e,t===void 0?null:t],e},useContext:wt,useEffect:gf,useImperativeHandle:function(e,t,n){return n=n!=null?n.concat([e]):null,pi(4194308,4,nh.bind(null,t,e),n)},useLayoutEffect:function(e,t){return pi(4194308,4,e,t)},useInsertionEffect:function(e,t){return pi(4,2,e,t)},useMemo:function(e,t){var n=qt();return t=t===void 0?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var o=qt();return t=n!==void 0?n(t):t,o.memoizedState=o.baseState=t,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},o.queue=e,e=e.dispatch=Oy.bind(null,we,e),[o.memoizedState,e]},useRef:function(e){var t=qt();return e={current:e},t.memoizedState=e},useState:vf,useDebugValue:Ju,useDeferredValue:function(e){return qt().memoizedState=e},useTransition:function(){var e=vf(!1),t=e[0];return e=_y.bind(null,e[1]),qt().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var o=we,s=qt();if(Ce){if(n===void 0)throw Error(V(407));n=n()}else{if(n=t(),Fe===null)throw Error(V(349));gr&30||Ym(o,t,n)}s.memoizedState=n;var i={value:n,getSnapshot:t};return s.queue=i,gf(Qm.bind(null,o,i,e),[e]),o.flags|=2048,ps(9,Gm.bind(null,o,i,n,t),void 0,null),n},useId:function(){var e=qt(),t=Fe.identifierPrefix;if(Ce){var n=sn,o=on;n=(o&~(1<<32-Rt(o)-1)).toString(32)+n,t=":"+t+"R"+n,n=ds++,0")&&(u=u.replace("",e.displayName)),u}while(1<=a&&0<=l);break}}}finally{vl=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?Ao(e):""}function lx(e){switch(e.tag){case 5:return Ao(e.type);case 16:return Ao("Lazy");case 13:return Ao("Suspense");case 19:return Ao("SuspenseList");case 0:case 2:case 15:return e=gl(e.type,!1),e;case 11:return e=gl(e.type.render,!1),e;case 1:return e=gl(e.type,!0),e;default:return""}}function ic(e){if(e==null)return null;if(typeof e=="function")return e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case Tr:return"Fragment";case Or:return"Portal";case rc:return"Profiler";case wu:return"StrictMode";case oc:return"Suspense";case sc:return"SuspenseList"}if(typeof e=="object")switch(e.$$typeof){case qp:return(e.displayName||"Context")+".Consumer";case Up:return(e._context.displayName||"Context")+".Provider";case Su:var t=e.render;return e=e.displayName,e||(e=t.displayName||t.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case Eu:return t=e.displayName||null,t!==null?t:ic(e.type)||"Memo";case jn:t=e._payload,e=e._init;try{return ic(e(t))}catch{}}return null}function cx(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=t.render,e=e.displayName||e.name||"",t.displayName||(e!==""?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return ic(t);case 8:return t===wu?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if(typeof t=="function")return t.displayName||t.name||null;if(typeof t=="string")return t}return null}function $n(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":return e;case"object":return e;default:return""}}function Hp(e){var t=e.type;return(e=e.nodeName)&&e.toLowerCase()==="input"&&(t==="checkbox"||t==="radio")}function ux(e){var t=Hp(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),o=""+e[t];if(!e.hasOwnProperty(t)&&typeof n<"u"&&typeof n.get=="function"&&typeof n.set=="function"){var s=n.get,i=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return s.call(this)},set:function(a){o=""+a,i.call(this,a)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return o},setValue:function(a){o=""+a},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}function zs(e){e._valueTracker||(e._valueTracker=ux(e))}function Kp(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),o="";return e&&(o=Hp(e)?e.checked?"true":"false":e.value),e=o,e!==n?(t.setValue(e),!0):!1}function Ai(e){if(e=e||(typeof document<"u"?document:void 0),typeof e>"u")return null;try{return e.activeElement||e.body}catch{return e.body}}function ac(e,t){var n=t.checked;return Se({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:n??e._wrapperState.initialChecked})}function Dd(e,t){var n=t.defaultValue==null?"":t.defaultValue,o=t.checked!=null?t.checked:t.defaultChecked;n=$n(t.value!=null?t.value:n),e._wrapperState={initialChecked:o,initialValue:n,controlled:t.type==="checkbox"||t.type==="radio"?t.checked!=null:t.value!=null}}function Yp(e,t){t=t.checked,t!=null&&bu(e,"checked",t,!1)}function lc(e,t){Yp(e,t);var n=$n(t.value),o=t.type;if(n!=null)o==="number"?(n===0&&e.value===""||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if(o==="submit"||o==="reset"){e.removeAttribute("value");return}t.hasOwnProperty("value")?cc(e,t.type,n):t.hasOwnProperty("defaultValue")&&cc(e,t.type,$n(t.defaultValue)),t.checked==null&&t.defaultChecked!=null&&(e.defaultChecked=!!t.defaultChecked)}function Fd(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var o=t.type;if(!(o!=="submit"&&o!=="reset"||t.value!==void 0&&t.value!==null))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}n=e.name,n!==""&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,n!==""&&(e.name=n)}function cc(e,t,n){(t!=="number"||Ai(e.ownerDocument)!==e)&&(n==null?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var Io=Array.isArray;function Yr(e,t,n,o){if(e=e.options,t){t={};for(var s=0;s"+t.valueOf().toString()+"",t=$s.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}});function es(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&n.nodeType===3){n.nodeValue=t;return}}e.textContent=t}var Bo={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},dx=["Webkit","ms","Moz","O"];Object.keys(Bo).forEach(function(e){dx.forEach(function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Bo[t]=Bo[e]})});function Jp(e,t,n){return t==null||typeof t=="boolean"||t===""?"":n||typeof t!="number"||t===0||Bo.hasOwnProperty(e)&&Bo[e]?(""+t).trim():t+"px"}function Zp(e,t){e=e.style;for(var n in t)if(t.hasOwnProperty(n)){var o=n.indexOf("--")===0,s=Jp(n,t[n],o);n==="float"&&(n="cssFloat"),o?e.setProperty(n,s):e[n]=s}}var fx=Se({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function fc(e,t){if(t){if(fx[e]&&(t.children!=null||t.dangerouslySetInnerHTML!=null))throw Error(V(137,e));if(t.dangerouslySetInnerHTML!=null){if(t.children!=null)throw Error(V(60));if(typeof t.dangerouslySetInnerHTML!="object"||!("__html"in t.dangerouslySetInnerHTML))throw Error(V(61))}if(t.style!=null&&typeof t.style!="object")throw Error(V(62))}}function pc(e,t){if(e.indexOf("-")===-1)return typeof t.is=="string";switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var mc=null;function ku(e){return e=e.target||e.srcElement||window,e.correspondingUseElement&&(e=e.correspondingUseElement),e.nodeType===3?e.parentNode:e}var hc=null,Gr=null,Qr=null;function Bd(e){if(e=ks(e)){if(typeof hc!="function")throw Error(V(280));var t=e.stateNode;t&&(t=ba(t),hc(e.stateNode,e.type,t))}}function em(e){Gr?Qr?Qr.push(e):Qr=[e]:Gr=e}function tm(){if(Gr){var e=Gr,t=Qr;if(Qr=Gr=null,Bd(e),t)for(e=0;e>>=0,e===0?32:31-(bx(e)/wx|0)|0}var Ws=64,Us=4194304;function Do(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return e&4194240;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return e&130023424;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function Mi(e,t){var n=e.pendingLanes;if(n===0)return 0;var o=0,s=e.suspendedLanes,i=e.pingedLanes,a=n&268435455;if(a!==0){var l=a&~s;l!==0?o=Do(l):(i&=a,i!==0&&(o=Do(i)))}else a=n&~s,a!==0?o=Do(a):i!==0&&(o=Do(i));if(o===0)return 0;if(t!==0&&t!==o&&!(t&s)&&(s=o&-o,i=t&-t,s>=i||s===16&&(i&4194240)!==0))return t;if(o&4&&(o|=n&16),t=e.entangledLanes,t!==0)for(e=e.entanglements,t&=o;0n;n++)t.push(e);return t}function Ss(e,t,n){e.pendingLanes|=t,t!==536870912&&(e.suspendedLanes=0,e.pingedLanes=0),e=e.eventTimes,t=31-Rt(t),e[t]=n}function Px(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var o=e.eventTimes;for(e=e.expirationTimes;0=$o),Yd=" ",Gd=!1;function Nm(e,t){switch(e){case"keyup":return ny.indexOf(t.keyCode)!==-1;case"keydown":return t.keyCode!==229;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function Cm(e){return e=e.detail,typeof e=="object"&&"data"in e?e.data:null}var Rr=!1;function oy(e,t){switch(e){case"compositionend":return Cm(t);case"keypress":return t.which!==32?null:(Gd=!0,Yd);case"textInput":return e=t.data,e===Yd&&Gd?null:e;default:return null}}function sy(e,t){if(Rr)return e==="compositionend"||!Du&&Nm(e,t)?(e=ym(),ui=Ru=Pn=null,Rr=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1=t)return{node:n,offset:t-e};e=o}e:{for(;n;){if(n.nextSibling){n=n.nextSibling;break e}n=n.parentNode}n=void 0}n=Zd(n)}}function Em(e,t){return e&&t?e===t?!0:e&&e.nodeType===3?!1:t&&t.nodeType===3?Em(e,t.parentNode):"contains"in e?e.contains(t):e.compareDocumentPosition?!!(e.compareDocumentPosition(t)&16):!1:!1}function km(){for(var e=window,t=Ai();t instanceof e.HTMLIFrameElement;){try{var n=typeof t.contentWindow.location.href=="string"}catch{n=!1}if(n)e=t.contentWindow;else break;t=Ai(e.document)}return t}function Fu(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&(t==="input"&&(e.type==="text"||e.type==="search"||e.type==="tel"||e.type==="url"||e.type==="password")||t==="textarea"||e.contentEditable==="true")}function my(e){var t=km(),n=e.focusedElem,o=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&Em(n.ownerDocument.documentElement,n)){if(o!==null&&Fu(n)){if(t=o.start,e=o.end,e===void 0&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if(e=(t=n.ownerDocument||document)&&t.defaultView||window,e.getSelection){e=e.getSelection();var s=n.textContent.length,i=Math.min(o.start,s);o=o.end===void 0?i:Math.min(o.end,s),!e.extend&&i>o&&(s=o,o=i,i=s),s=ef(n,i);var a=ef(n,o);s&&a&&(e.rangeCount!==1||e.anchorNode!==s.node||e.anchorOffset!==s.offset||e.focusNode!==a.node||e.focusOffset!==a.offset)&&(t=t.createRange(),t.setStart(s.node,s.offset),e.removeAllRanges(),i>o?(e.addRange(t),e.extend(a.node,a.offset)):(t.setEnd(a.node,a.offset),e.addRange(t)))}}for(t=[],e=n;e=e.parentNode;)e.nodeType===1&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for(typeof n.focus=="function"&&n.focus(),n=0;n=document.documentMode,Ar=null,Nc=null,Uo=null,Cc=!1;function tf(e,t,n){var o=n.window===n?n.document:n.nodeType===9?n:n.ownerDocument;Cc||Ar==null||Ar!==Ai(o)||(o=Ar,"selectionStart"in o&&Fu(o)?o={start:o.selectionStart,end:o.selectionEnd}:(o=(o.ownerDocument&&o.ownerDocument.defaultView||window).getSelection(),o={anchorNode:o.anchorNode,anchorOffset:o.anchorOffset,focusNode:o.focusNode,focusOffset:o.focusOffset}),Uo&&is(Uo,o)||(Uo=o,o=zi(Nc,"onSelect"),0Fr||(e.current=Pc[Fr],Pc[Fr]=null,Fr--)}function ge(e,t){Fr++,Pc[Fr]=e.current,e.current=t}var Wn={},He=Vn(Wn),rt=Vn(!1),hr=Wn;function to(e,t){var n=e.type.contextTypes;if(!n)return Wn;var o=e.stateNode;if(o&&o.__reactInternalMemoizedUnmaskedChildContext===t)return o.__reactInternalMemoizedMaskedChildContext;var s={},i;for(i in n)s[i]=t[i];return o&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=s),s}function ot(e){return e=e.childContextTypes,e!=null}function Wi(){je(rt),je(He)}function cf(e,t,n){if(He.current!==Wn)throw Error(V(168));ge(He,t),ge(rt,n)}function Fm(e,t,n){var o=e.stateNode;if(t=t.childContextTypes,typeof o.getChildContext!="function")return n;o=o.getChildContext();for(var s in o)if(!(s in t))throw Error(V(108,cx(e)||"Unknown",s));return Se({},n,o)}function Ui(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||Wn,hr=He.current,ge(He,e),ge(rt,rt.current),!0}function uf(e,t,n){var o=e.stateNode;if(!o)throw Error(V(169));n?(e=Fm(e,t,hr),o.__reactInternalMemoizedMergedChildContext=e,je(rt),je(He),ge(He,e)):je(rt),ge(rt,n)}var nn=null,wa=!1,Tl=!1;function Mm(e){nn===null?nn=[e]:nn.push(e)}function Ey(e){wa=!0,Mm(e)}function Hn(){if(!Tl&&nn!==null){Tl=!0;var e=0,t=me;try{var n=nn;for(me=1;e>=a,s-=a,rn=1<<32-Rt(t)+s|n<O?(B=T,T=null):B=T.sibling;var $=g(h,T,m[O],y);if($===null){T===null&&(T=B);break}e&&T&&$.alternate===null&&t(h,T),v=i($,v,O),k===null?E=$:k.sibling=$,k=$,T=B}if(O===m.length)return n(h,T),Ce&&er(h,O),E;if(T===null){for(;OO?(B=T,T=null):B=T.sibling;var H=g(h,T,$.value,y);if(H===null){T===null&&(T=B);break}e&&T&&H.alternate===null&&t(h,T),v=i(H,v,O),k===null?E=H:k.sibling=H,k=H,T=B}if($.done)return n(h,T),Ce&&er(h,O),E;if(T===null){for(;!$.done;O++,$=m.next())$=f(h,$.value,y),$!==null&&(v=i($,v,O),k===null?E=$:k.sibling=$,k=$);return Ce&&er(h,O),E}for(T=o(h,T);!$.done;O++,$=m.next())$=C(T,h,O,$.value,y),$!==null&&(e&&$.alternate!==null&&T.delete($.key===null?O:$.key),v=i($,v,O),k===null?E=$:k.sibling=$,k=$);return e&&T.forEach(function(te){return t(h,te)}),Ce&&er(h,O),E}function b(h,v,m,y){if(typeof m=="object"&&m!==null&&m.type===Tr&&m.key===null&&(m=m.props.children),typeof m=="object"&&m!==null){switch(m.$$typeof){case Bs:e:{for(var E=m.key,k=v;k!==null;){if(k.key===E){if(E=m.type,E===Tr){if(k.tag===7){n(h,k.sibling),v=s(k,m.props.children),v.return=h,h=v;break e}}else if(k.elementType===E||typeof E=="object"&&E!==null&&E.$$typeof===jn&&pf(E)===k.type){n(h,k.sibling),v=s(k,m.props),v.ref=_o(h,k,m),v.return=h,h=v;break e}n(h,k);break}else t(h,k);k=k.sibling}m.type===Tr?(v=dr(m.props.children,h.mode,y,m.key),v.return=h,h=v):(y=xi(m.type,m.key,m.props,null,h.mode,y),y.ref=_o(h,v,m),y.return=h,h=y)}return a(h);case Or:e:{for(k=m.key;v!==null;){if(v.key===k)if(v.tag===4&&v.stateNode.containerInfo===m.containerInfo&&v.stateNode.implementation===m.implementation){n(h,v.sibling),v=s(v,m.children||[]),v.return=h,h=v;break e}else{n(h,v);break}else t(h,v);v=v.sibling}v=Bl(m,h.mode,y),v.return=h,h=v}return a(h);case jn:return k=m._init,b(h,v,k(m._payload),y)}if(Io(m))return x(h,v,m,y);if(wo(m))return N(h,v,m,y);Qs(h,m)}return typeof m=="string"&&m!==""||typeof m=="number"?(m=""+m,v!==null&&v.tag===6?(n(h,v.sibling),v=s(v,m),v.return=h,h=v):(n(h,v),v=Ll(m,h.mode,y),v.return=h,h=v),a(h)):n(h,v)}return b}var ro=$m(!0),Wm=$m(!1),Hi=Vn(null),Ki=null,Br=null,zu=null;function $u(){zu=Br=Ki=null}function Wu(e){var t=Hi.current;je(Hi),e._currentValue=t}function Tc(e,t,n){for(;e!==null;){var o=e.alternate;if((e.childLanes&t)!==t?(e.childLanes|=t,o!==null&&(o.childLanes|=t)):o!==null&&(o.childLanes&t)!==t&&(o.childLanes|=t),e===n)break;e=e.return}}function Jr(e,t){Ki=e,zu=Br=null,e=e.dependencies,e!==null&&e.firstContext!==null&&(e.lanes&t&&(nt=!0),e.firstContext=null)}function wt(e){var t=e._currentValue;if(zu!==e)if(e={context:e,memoizedValue:t,next:null},Br===null){if(Ki===null)throw Error(V(308));Br=e,Ki.dependencies={lanes:0,firstContext:e}}else Br=Br.next=e;return t}var ar=null;function Uu(e){ar===null?ar=[e]:ar.push(e)}function Um(e,t,n,o){var s=t.interleaved;return s===null?(n.next=n,Uu(t)):(n.next=s.next,s.next=n),t.interleaved=n,cn(e,o)}function cn(e,t){e.lanes|=t;var n=e.alternate;for(n!==null&&(n.lanes|=t),n=e,e=e.return;e!==null;)e.childLanes|=t,n=e.alternate,n!==null&&(n.childLanes|=t),n=e,e=e.return;return n.tag===3?n.stateNode:null}var Nn=!1;function qu(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function qm(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function sn(e,t){return{eventTime:e,lane:t,tag:0,payload:null,callback:null,next:null}}function Fn(e,t,n){var o=e.updateQueue;if(o===null)return null;if(o=o.shared,fe&2){var s=o.pending;return s===null?t.next=t:(t.next=s.next,s.next=t),o.pending=t,cn(e,n)}return s=o.interleaved,s===null?(t.next=t,Uu(o)):(t.next=s.next,s.next=t),o.interleaved=t,cn(e,n)}function fi(e,t,n){if(t=t.updateQueue,t!==null&&(t=t.shared,(n&4194240)!==0)){var o=t.lanes;o&=e.pendingLanes,n|=o,t.lanes=n,_u(e,n)}}function mf(e,t){var n=e.updateQueue,o=e.alternate;if(o!==null&&(o=o.updateQueue,n===o)){var s=null,i=null;if(n=n.firstBaseUpdate,n!==null){do{var a={eventTime:n.eventTime,lane:n.lane,tag:n.tag,payload:n.payload,callback:n.callback,next:null};i===null?s=i=a:i=i.next=a,n=n.next}while(n!==null);i===null?s=i=t:i=i.next=t}else s=i=t;n={baseState:o.baseState,firstBaseUpdate:s,lastBaseUpdate:i,shared:o.shared,effects:o.effects},e.updateQueue=n;return}e=n.lastBaseUpdate,e===null?n.firstBaseUpdate=t:e.next=t,n.lastBaseUpdate=t}function Yi(e,t,n,o){var s=e.updateQueue;Nn=!1;var i=s.firstBaseUpdate,a=s.lastBaseUpdate,l=s.shared.pending;if(l!==null){s.shared.pending=null;var u=l,c=u.next;u.next=null,a===null?i=c:a.next=c,a=u;var d=e.alternate;d!==null&&(d=d.updateQueue,l=d.lastBaseUpdate,l!==a&&(l===null?d.firstBaseUpdate=c:l.next=c,d.lastBaseUpdate=u))}if(i!==null){var f=s.baseState;a=0,d=c=u=null,l=i;do{var g=l.lane,C=l.eventTime;if((o&g)===g){d!==null&&(d=d.next={eventTime:C,lane:0,tag:l.tag,payload:l.payload,callback:l.callback,next:null});e:{var x=e,N=l;switch(g=t,C=n,N.tag){case 1:if(x=N.payload,typeof x=="function"){f=x.call(C,f,g);break e}f=x;break e;case 3:x.flags=x.flags&-65537|128;case 0:if(x=N.payload,g=typeof x=="function"?x.call(C,f,g):x,g==null)break e;f=Se({},f,g);break e;case 2:Nn=!0}}l.callback!==null&&l.lane!==0&&(e.flags|=64,g=s.effects,g===null?s.effects=[l]:g.push(l))}else C={eventTime:C,lane:g,tag:l.tag,payload:l.payload,callback:l.callback,next:null},d===null?(c=d=C,u=f):d=d.next=C,a|=g;if(l=l.next,l===null){if(l=s.shared.pending,l===null)break;g=l,l=g.next,g.next=null,s.lastBaseUpdate=g,s.shared.pending=null}}while(!0);if(d===null&&(u=f),s.baseState=u,s.firstBaseUpdate=c,s.lastBaseUpdate=d,t=s.shared.interleaved,t!==null){s=t;do a|=s.lane,s=s.next;while(s!==t)}else i===null&&(s.shared.lanes=0);xr|=a,e.lanes=a,e.memoizedState=f}}function hf(e,t,n){if(e=t.effects,t.effects=null,e!==null)for(t=0;tn?n:4,e(!0);var o=Al.transition;Al.transition={};try{e(!1),t()}finally{me=n,Al.transition=o}}function ah(){return St().memoizedState}function Oy(e,t,n){var o=Ln(e);if(n={lane:o,action:n,hasEagerState:!1,eagerState:null,next:null},lh(e))ch(t,n);else if(n=Um(e,t,n,o),n!==null){var s=Qe();At(n,e,o,s),uh(n,t,o)}}function Ty(e,t,n){var o=Ln(e),s={lane:o,action:n,hasEagerState:!1,eagerState:null,next:null};if(lh(e))ch(t,s);else{var i=e.alternate;if(e.lanes===0&&(i===null||i.lanes===0)&&(i=t.lastRenderedReducer,i!==null))try{var a=t.lastRenderedState,l=i(a,n);if(s.hasEagerState=!0,s.eagerState=l,Dt(l,a)){var u=t.interleaved;u===null?(s.next=s,Uu(t)):(s.next=u.next,u.next=s),t.interleaved=s;return}}catch{}finally{}n=Um(e,t,s,o),n!==null&&(s=Qe(),At(n,e,o,s),uh(n,t,o))}}function lh(e){var t=e.alternate;return e===we||t!==null&&t===we}function ch(e,t){qo=Qi=!0;var n=e.pending;n===null?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function uh(e,t,n){if(n&4194240){var o=t.lanes;o&=e.pendingLanes,n|=o,t.lanes=n,_u(e,n)}}var Xi={readContext:wt,useCallback:We,useContext:We,useEffect:We,useImperativeHandle:We,useInsertionEffect:We,useLayoutEffect:We,useMemo:We,useReducer:We,useRef:We,useState:We,useDebugValue:We,useDeferredValue:We,useTransition:We,useMutableSource:We,useSyncExternalStore:We,useId:We,unstable_isNewReconciler:!1},Ry={readContext:wt,useCallback:function(e,t){return qt().memoizedState=[e,t===void 0?null:t],e},useContext:wt,useEffect:gf,useImperativeHandle:function(e,t,n){return n=n!=null?n.concat([e]):null,mi(4194308,4,nh.bind(null,t,e),n)},useLayoutEffect:function(e,t){return mi(4194308,4,e,t)},useInsertionEffect:function(e,t){return mi(4,2,e,t)},useMemo:function(e,t){var n=qt();return t=t===void 0?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var o=qt();return t=n!==void 0?n(t):t,o.memoizedState=o.baseState=t,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},o.queue=e,e=e.dispatch=Oy.bind(null,we,e),[o.memoizedState,e]},useRef:function(e){var t=qt();return e={current:e},t.memoizedState=e},useState:vf,useDebugValue:Ju,useDeferredValue:function(e){return qt().memoizedState=e},useTransition:function(){var e=vf(!1),t=e[0];return e=_y.bind(null,e[1]),qt().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var o=we,s=qt();if(Ce){if(n===void 0)throw Error(V(407));n=n()}else{if(n=t(),Fe===null)throw Error(V(349));gr&30||Ym(o,t,n)}s.memoizedState=n;var i={value:n,getSnapshot:t};return s.queue=i,gf(Qm.bind(null,o,i,e),[e]),o.flags|=2048,ms(9,Gm.bind(null,o,i,n,t),void 0,null),n},useId:function(){var e=qt(),t=Fe.identifierPrefix;if(Ce){var n=on,o=rn;n=(o&~(1<<32-Rt(o)-1)).toString(32)+n,t=":"+t+"R"+n,n=fs++,0<\/script>",e=e.removeChild(e.firstChild)):typeof o.is=="string"?e=a.createElement(n,{is:o.is}):(e=a.createElement(n),n==="select"&&(a=e,o.multiple?a.multiple=!0:o.size&&(a.size=o.size))):e=a.createElementNS(e,n),e[Ht]=t,e[ls]=o,jh(e,t,!1,!1),t.stateNode=e;e:{switch(a=fc(n,o),n){case"dialog":ye("cancel",e),ye("close",e),s=o;break;case"iframe":case"object":case"embed":ye("load",e),s=o;break;case"video":case"audio":for(s=0;sao&&(t.flags|=128,o=!0,Oo(i,!1),t.lanes=4194304)}else{if(!o)if(e=Yi(a),e!==null){if(t.flags|=128,o=!0,n=e.updateQueue,n!==null&&(t.updateQueue=n,t.flags|=4),Oo(i,!0),i.tail===null&&i.tailMode==="hidden"&&!a.alternate&&!Ce)return Ue(t),null}else 2*Pe()-i.renderingStartTime>ao&&n!==1073741824&&(t.flags|=128,o=!0,Oo(i,!1),t.lanes=4194304);i.isBackwards?(a.sibling=t.child,t.child=a):(n=i.last,n!==null?n.sibling=a:t.child=a,i.last=a)}return i.tail!==null?(t=i.tail,i.rendering=t,i.tail=t.sibling,i.renderingStartTime=Pe(),t.sibling=null,n=be.current,ge(be,o?n&1|2:n&1),t):(Ue(t),null);case 22:case 23:return od(),o=t.memoizedState!==null,e!==null&&e.memoizedState!==null!==o&&(t.flags|=8192),o&&t.mode&1?lt&1073741824&&(Ue(t),t.subtreeFlags&6&&(t.flags|=8192)):Ue(t),null;case 24:return null;case 25:return null}throw Error(V(156,t.tag))}function zy(e,t){switch(Lu(t),t.tag){case 1:return ot(t.type)&&$i(),e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 3:return so(),je(rt),je(He),Ku(),e=t.flags,e&65536&&!(e&128)?(t.flags=e&-65537|128,t):null;case 5:return Hu(t),null;case 13:if(je(be),e=t.memoizedState,e!==null&&e.dehydrated!==null){if(t.alternate===null)throw Error(V(340));ro()}return e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 19:return je(be),null;case 4:return so(),null;case 10:return Wu(t.type._context),null;case 22:case 23:return od(),null;case 24:return null;default:return null}}var Xs=!1,qe=!1,$y=typeof WeakSet=="function"?WeakSet:Set,J=null;function $r(e,t){var n=e.ref;if(n!==null)if(typeof n=="function")try{n(null)}catch(o){Ee(e,t,o)}else n.current=null}function Bc(e,t,n){try{n()}catch(o){Ee(e,t,o)}}var Pf=!1;function Wy(e,t){if(Cc=Mi,e=km(),Fu(e)){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{n=(n=e.ownerDocument)&&n.defaultView||window;var o=n.getSelection&&n.getSelection();if(o&&o.rangeCount!==0){n=o.anchorNode;var s=o.anchorOffset,i=o.focusNode;o=o.focusOffset;try{n.nodeType,i.nodeType}catch{n=null;break e}var a=0,l=-1,u=-1,c=0,d=0,f=e,g=null;t:for(;;){for(var b;f!==n||s!==0&&f.nodeType!==3||(l=a+s),f!==i||o!==0&&f.nodeType!==3||(u=a+o),f.nodeType===3&&(a+=f.nodeValue.length),(b=f.firstChild)!==null;)g=f,f=b;for(;;){if(f===e)break t;if(g===n&&++c===s&&(l=a),g===i&&++d===o&&(u=a),(b=f.nextSibling)!==null)break;f=g,g=f.parentNode}f=b}n=l===-1||u===-1?null:{start:l,end:u}}else n=null}n=n||{start:0,end:0}}else n=null;for(bc={focusedElem:e,selectionRange:n},Mi=!1,J=t;J!==null;)if(t=J,e=t.child,(t.subtreeFlags&1028)!==0&&e!==null)e.return=t,J=e;else for(;J!==null;){t=J;try{var x=t.alternate;if(t.flags&1024)switch(t.tag){case 0:case 11:case 15:break;case 1:if(x!==null){var N=x.memoizedProps,C=x.memoizedState,h=t.stateNode,v=h.getSnapshotBeforeUpdate(t.elementType===t.type?N:Pt(t.type,N),C);h.__reactInternalSnapshotBeforeUpdate=v}break;case 3:var m=t.stateNode.containerInfo;m.nodeType===1?m.textContent="":m.nodeType===9&&m.documentElement&&m.removeChild(m.documentElement);break;case 5:case 6:case 4:case 17:break;default:throw Error(V(163))}}catch(y){Ee(t,t.return,y)}if(e=t.sibling,e!==null){e.return=t.return,J=e;break}J=t.return}return x=Pf,Pf=!1,x}function Vo(e,t,n){var o=t.updateQueue;if(o=o!==null?o.lastEffect:null,o!==null){var s=o=o.next;do{if((s.tag&e)===e){var i=s.destroy;s.destroy=void 0,i!==void 0&&Bc(t,n,i)}s=s.next}while(s!==o)}}function Ea(e,t){if(t=t.updateQueue,t=t!==null?t.lastEffect:null,t!==null){var n=t=t.next;do{if((n.tag&e)===e){var o=n.create;n.destroy=o()}n=n.next}while(n!==t)}}function zc(e){var t=e.ref;if(t!==null){var n=e.stateNode;switch(e.tag){case 5:e=n;break;default:e=n}typeof t=="function"?t(e):t.current=e}}function bh(e){var t=e.alternate;t!==null&&(e.alternate=null,bh(t)),e.child=null,e.deletions=null,e.sibling=null,e.tag===5&&(t=e.stateNode,t!==null&&(delete t[Ht],delete t[ls],delete t[Ec],delete t[wy],delete t[Sy])),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function wh(e){return e.tag===5||e.tag===3||e.tag===4}function _f(e){e:for(;;){for(;e.sibling===null;){if(e.return===null||wh(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;e.tag!==5&&e.tag!==6&&e.tag!==18;){if(e.flags&2||e.child===null||e.tag===4)continue e;e.child.return=e,e=e.child}if(!(e.flags&2))return e.stateNode}}function $c(e,t,n){var o=e.tag;if(o===5||o===6)e=e.stateNode,t?n.nodeType===8?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(n.nodeType===8?(t=n.parentNode,t.insertBefore(e,n)):(t=n,t.appendChild(e)),n=n._reactRootContainer,n!=null||t.onclick!==null||(t.onclick=zi));else if(o!==4&&(e=e.child,e!==null))for($c(e,t,n),e=e.sibling;e!==null;)$c(e,t,n),e=e.sibling}function Wc(e,t,n){var o=e.tag;if(o===5||o===6)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(o!==4&&(e=e.child,e!==null))for(Wc(e,t,n),e=e.sibling;e!==null;)Wc(e,t,n),e=e.sibling}var Be=null,_t=!1;function xn(e,t,n){for(n=n.child;n!==null;)Sh(e,t,n),n=n.sibling}function Sh(e,t,n){if(Gt&&typeof Gt.onCommitFiberUnmount=="function")try{Gt.onCommitFiberUnmount(xa,n)}catch{}switch(n.tag){case 5:qe||$r(n,t);case 6:var o=Be,s=_t;Be=null,xn(e,t,n),Be=o,_t=s,Be!==null&&(_t?(e=Be,n=n.stateNode,e.nodeType===8?e.parentNode.removeChild(n):e.removeChild(n)):Be.removeChild(n.stateNode));break;case 18:Be!==null&&(_t?(e=Be,n=n.stateNode,e.nodeType===8?_l(e.parentNode,n):e.nodeType===1&&_l(e,n),rs(e)):_l(Be,n.stateNode));break;case 4:o=Be,s=_t,Be=n.stateNode.containerInfo,_t=!0,xn(e,t,n),Be=o,_t=s;break;case 0:case 11:case 14:case 15:if(!qe&&(o=n.updateQueue,o!==null&&(o=o.lastEffect,o!==null))){s=o=o.next;do{var i=s,a=i.destroy;i=i.tag,a!==void 0&&(i&2||i&4)&&Bc(n,t,a),s=s.next}while(s!==o)}xn(e,t,n);break;case 1:if(!qe&&($r(n,t),o=n.stateNode,typeof o.componentWillUnmount=="function"))try{o.props=n.memoizedProps,o.state=n.memoizedState,o.componentWillUnmount()}catch(l){Ee(n,t,l)}xn(e,t,n);break;case 21:xn(e,t,n);break;case 22:n.mode&1?(qe=(o=qe)||n.memoizedState!==null,xn(e,t,n),qe=o):xn(e,t,n);break;default:xn(e,t,n)}}function Of(e){var t=e.updateQueue;if(t!==null){e.updateQueue=null;var n=e.stateNode;n===null&&(n=e.stateNode=new $y),t.forEach(function(o){var s=Xy.bind(null,e,o);n.has(o)||(n.add(o),o.then(s,s))})}}function kt(e,t){var n=t.deletions;if(n!==null)for(var o=0;os&&(s=a),o&=~i}if(o=s,o=Pe()-o,o=(120>o?120:480>o?480:1080>o?1080:1920>o?1920:3e3>o?3e3:4320>o?4320:1960*qy(o/1960))-o,10e?16:e,_n===null)var o=!1;else{if(e=_n,_n=null,Zi=0,fe&6)throw Error(V(331));var s=fe;for(fe|=4,J=e.current;J!==null;){var i=J,a=i.child;if(J.flags&16){var l=i.deletions;if(l!==null){for(var u=0;uPe()-nd?ur(e,0):td|=n),st(e,t)}function Ah(e,t){t===0&&(e.mode&1?(t=Ws,Ws<<=1,!(Ws&130023424)&&(Ws=4194304)):t=1);var n=Qe();e=un(e,t),e!==null&&(ws(e,t,n),st(e,n))}function Qy(e){var t=e.memoizedState,n=0;t!==null&&(n=t.retryLane),Ah(e,n)}function Xy(e,t){var n=0;switch(e.tag){case 13:var o=e.stateNode,s=e.memoizedState;s!==null&&(n=s.retryLane);break;case 19:o=e.stateNode;break;default:throw Error(V(314))}o!==null&&o.delete(t),Ah(e,n)}var Ih;Ih=function(e,t,n){if(e!==null)if(e.memoizedProps!==t.pendingProps||rt.current)nt=!0;else{if(!(e.lanes&n)&&!(t.flags&128))return nt=!1,Ly(e,t,n);nt=!!(e.flags&131072)}else nt=!1,Ce&&t.flags&1048576&&Lm(t,qi,t.index);switch(t.lanes=0,t.tag){case 2:var o=t.type;mi(e,t),e=t.pendingProps;var s=no(t,He.current);Zr(t,n),s=Gu(null,t,o,e,s,n);var i=Qu();return t.flags|=1,typeof s=="object"&&s!==null&&typeof s.render=="function"&&s.$$typeof===void 0?(t.tag=1,t.memoizedState=null,t.updateQueue=null,ot(o)?(i=!0,Wi(t)):i=!1,t.memoizedState=s.state!==null&&s.state!==void 0?s.state:null,qu(t),s.updater=Sa,t.stateNode=s,s._reactInternals=t,Rc(t,o,e,n),t=Dc(null,t,o,!0,i,n)):(t.tag=0,Ce&&i&&Mu(t),Ye(null,t,s,n),t=t.child),t;case 16:o=t.elementType;e:{switch(mi(e,t),e=t.pendingProps,s=o._init,o=s(o._payload),t.type=o,s=t.tag=Zy(o),e=Pt(o,e),s){case 0:t=Ic(null,t,o,e,n);break e;case 1:t=Sf(null,t,o,e,n);break e;case 11:t=bf(null,t,o,e,n);break e;case 14:t=wf(null,t,o,Pt(o.type,e),n);break e}throw Error(V(306,o,""))}return t;case 0:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),Ic(e,t,o,s,n);case 1:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),Sf(e,t,o,s,n);case 3:e:{if(gh(t),e===null)throw Error(V(387));o=t.pendingProps,i=t.memoizedState,s=i.element,qm(e,t),Ki(t,o,null,n);var a=t.memoizedState;if(o=a.element,i.isDehydrated)if(i={element:o,isDehydrated:!1,cache:a.cache,pendingSuspenseBoundaries:a.pendingSuspenseBoundaries,transitions:a.transitions},t.updateQueue.baseState=i,t.memoizedState=i,t.flags&256){s=io(Error(V(423)),t),t=Ef(e,t,o,n,s);break e}else if(o!==s){s=io(Error(V(424)),t),t=Ef(e,t,o,n,s);break e}else for(ct=Dn(t.stateNode.containerInfo.firstChild),ft=t,Ce=!0,Ot=null,n=Wm(t,null,o,n),t.child=n;n;)n.flags=n.flags&-3|4096,n=n.sibling;else{if(ro(),o===s){t=dn(e,t,n);break e}Ye(e,t,o,n)}t=t.child}return t;case 5:return Vm(t),e===null&&_c(t),o=t.type,s=t.pendingProps,i=e!==null?e.memoizedProps:null,a=s.children,wc(o,s)?a=null:i!==null&&wc(o,i)&&(t.flags|=32),vh(e,t),Ye(e,t,a,n),t.child;case 6:return e===null&&_c(t),null;case 13:return xh(e,t,n);case 4:return Vu(t,t.stateNode.containerInfo),o=t.pendingProps,e===null?t.child=oo(t,null,o,n):Ye(e,t,o,n),t.child;case 11:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),bf(e,t,o,s,n);case 7:return Ye(e,t,t.pendingProps,n),t.child;case 8:return Ye(e,t,t.pendingProps.children,n),t.child;case 12:return Ye(e,t,t.pendingProps.children,n),t.child;case 10:e:{if(o=t.type._context,s=t.pendingProps,i=t.memoizedProps,a=s.value,ge(Vi,o._currentValue),o._currentValue=a,i!==null)if(Dt(i.value,a)){if(i.children===s.children&&!rt.current){t=dn(e,t,n);break e}}else for(i=t.child,i!==null&&(i.return=t);i!==null;){var l=i.dependencies;if(l!==null){a=i.child;for(var u=l.firstContext;u!==null;){if(u.context===o){if(i.tag===1){u=an(-1,n&-n),u.tag=2;var c=i.updateQueue;if(c!==null){c=c.shared;var d=c.pending;d===null?u.next=u:(u.next=d.next,d.next=u),c.pending=u}}i.lanes|=n,u=i.alternate,u!==null&&(u.lanes|=n),Oc(i.return,n,t),l.lanes|=n;break}u=u.next}}else if(i.tag===10)a=i.type===t.type?null:i.child;else if(i.tag===18){if(a=i.return,a===null)throw Error(V(341));a.lanes|=n,l=a.alternate,l!==null&&(l.lanes|=n),Oc(a,n,t),a=i.sibling}else a=i.child;if(a!==null)a.return=i;else for(a=i;a!==null;){if(a===t){a=null;break}if(i=a.sibling,i!==null){i.return=a.return,a=i;break}a=a.return}i=a}Ye(e,t,s.children,n),t=t.child}return t;case 9:return s=t.type,o=t.pendingProps.children,Zr(t,n),s=wt(s),o=o(s),t.flags|=1,Ye(e,t,o,n),t.child;case 14:return o=t.type,s=Pt(o,t.pendingProps),s=Pt(o.type,s),wf(e,t,o,s,n);case 15:return mh(e,t,t.type,t.pendingProps,n);case 17:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),mi(e,t),t.tag=1,ot(o)?(e=!0,Wi(t)):e=!1,Zr(t,n),dh(t,o,s),Rc(t,o,s,n),Dc(null,t,o,!0,e,n);case 19:return yh(e,t,n);case 22:return hh(e,t,n)}throw Error(V(156,t.tag))};function Dh(e,t){return lm(e,t)}function Jy(e,t,n,o){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=o,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function Ct(e,t,n,o){return new Jy(e,t,n,o)}function id(e){return e=e.prototype,!(!e||!e.isReactComponent)}function Zy(e){if(typeof e=="function")return id(e)?1:0;if(e!=null){if(e=e.$$typeof,e===Su)return 11;if(e===Eu)return 14}return 2}function Bn(e,t){var n=e.alternate;return n===null?(n=Ct(e.tag,t,e.key,e.mode),n.elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=e.flags&14680064,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=t===null?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function gi(e,t,n,o,s,i){var a=2;if(o=e,typeof e=="function")id(e)&&(a=1);else if(typeof e=="string")a=5;else e:switch(e){case Rr:return dr(n.children,s,i,t);case wu:a=8,s|=8;break;case nc:return e=Ct(12,n,t,s|2),e.elementType=nc,e.lanes=i,e;case rc:return e=Ct(13,n,t,s),e.elementType=rc,e.lanes=i,e;case oc:return e=Ct(19,n,t,s),e.elementType=oc,e.lanes=i,e;case Vp:return Pa(n,s,i,t);default:if(typeof e=="object"&&e!==null)switch(e.$$typeof){case Up:a=10;break e;case qp:a=9;break e;case Su:a=11;break e;case Eu:a=14;break e;case jn:a=16,o=null;break e}throw Error(V(130,e==null?e:typeof e,""))}return t=Ct(a,n,t,s),t.elementType=e,t.type=o,t.lanes=i,t}function dr(e,t,n,o){return e=Ct(7,e,o,t),e.lanes=n,e}function Pa(e,t,n,o){return e=Ct(22,e,o,t),e.elementType=Vp,e.lanes=n,e.stateNode={isHidden:!1},e}function Ml(e,t,n){return e=Ct(6,e,null,t),e.lanes=n,e}function Ll(e,t,n){return t=Ct(4,e.children!==null?e.children:[],e.key,t),t.lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function ej(e,t,n,o,s){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=xl(0),this.expirationTimes=xl(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=xl(0),this.identifierPrefix=o,this.onRecoverableError=s,this.mutableSourceEagerHydrationData=null}function ad(e,t,n,o,s,i,a,l,u){return e=new ej(e,t,n,l,u),t===1?(t=1,i===!0&&(t|=8)):t=0,i=Ct(3,null,null,t),e.current=i,i.stateNode=e,i.memoizedState={element:o,isDehydrated:n,cache:null,transitions:null,pendingSuspenseBoundaries:null},qu(i),e}function tj(e,t,n){var o=3"u"||typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE!="function"))try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(Bh)}catch(e){console.error(e)}}Bh(),Bp.exports=gt;var zh=Bp.exports;const Ur=Cs(zh);var $h,Lf=zh;$h=Lf.createRoot,Lf.hydrateRoot;var Wh={exports:{}},Uh={};/** +`+i.stack}return{value:e,source:t,stack:s,digest:null}}function Fl(e,t,n){return{value:e,source:null,stack:n??null,digest:t??null}}function Ic(e,t){try{console.error(t.value)}catch(n){setTimeout(function(){throw n})}}var Dy=typeof WeakMap=="function"?WeakMap:Map;function fh(e,t,n){n=sn(-1,n),n.tag=3,n.payload={element:null};var o=t.value;return n.callback=function(){Zi||(Zi=!0,qc=o),Ic(e,t)},n}function ph(e,t,n){n=sn(-1,n),n.tag=3;var o=e.type.getDerivedStateFromError;if(typeof o=="function"){var s=t.value;n.payload=function(){return o(s)},n.callback=function(){Ic(e,t)}}var i=e.stateNode;return i!==null&&typeof i.componentDidCatch=="function"&&(n.callback=function(){Ic(e,t),typeof o!="function"&&(Mn===null?Mn=new Set([this]):Mn.add(this));var a=t.stack;this.componentDidCatch(t.value,{componentStack:a!==null?a:""})}),n}function jf(e,t,n){var o=e.pingCache;if(o===null){o=e.pingCache=new Dy;var s=new Set;o.set(t,s)}else s=o.get(t),s===void 0&&(s=new Set,o.set(t,s));s.has(n)||(s.add(n),e=Gy.bind(null,e,t,n),t.then(e,e))}function Nf(e){do{var t;if((t=e.tag===13)&&(t=e.memoizedState,t=t!==null?t.dehydrated!==null:!0),t)return e;e=e.return}while(e!==null);return null}function Cf(e,t,n,o,s){return e.mode&1?(e.flags|=65536,e.lanes=s,e):(e===t?e.flags|=65536:(e.flags|=128,n.flags|=131072,n.flags&=-52805,n.tag===1&&(n.alternate===null?n.tag=17:(t=sn(-1,1),t.tag=2,Fn(n,t,1))),n.lanes|=1),e)}var Fy=pn.ReactCurrentOwner,nt=!1;function Ye(e,t,n,o){t.child=e===null?Wm(t,null,n,o):ro(t,e.child,n,o)}function bf(e,t,n,o,s){n=n.render;var i=t.ref;return Jr(t,s),o=Gu(e,t,n,o,i,s),n=Qu(),e!==null&&!nt?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~s,un(e,t,s)):(Ce&&n&&Mu(t),t.flags|=1,Ye(e,t,o,s),t.child)}function wf(e,t,n,o,s){if(e===null){var i=n.type;return typeof i=="function"&&!id(i)&&i.defaultProps===void 0&&n.compare===null&&n.defaultProps===void 0?(t.tag=15,t.type=i,mh(e,t,i,o,s)):(e=xi(n.type,null,o,t,t.mode,s),e.ref=t.ref,e.return=t,t.child=e)}if(i=e.child,!(e.lanes&s)){var a=i.memoizedProps;if(n=n.compare,n=n!==null?n:is,n(a,o)&&e.ref===t.ref)return un(e,t,s)}return t.flags|=1,e=Bn(i,o),e.ref=t.ref,e.return=t,t.child=e}function mh(e,t,n,o,s){if(e!==null){var i=e.memoizedProps;if(is(i,o)&&e.ref===t.ref)if(nt=!1,t.pendingProps=o=i,(e.lanes&s)!==0)e.flags&131072&&(nt=!0);else return t.lanes=e.lanes,un(e,t,s)}return Dc(e,t,n,o,s)}function hh(e,t,n){var o=t.pendingProps,s=o.children,i=e!==null?e.memoizedState:null;if(o.mode==="hidden")if(!(t.mode&1))t.memoizedState={baseLanes:0,cachePool:null,transitions:null},ge($r,lt),lt|=n;else{if(!(n&1073741824))return e=i!==null?i.baseLanes|n:n,t.lanes=t.childLanes=1073741824,t.memoizedState={baseLanes:e,cachePool:null,transitions:null},t.updateQueue=null,ge($r,lt),lt|=e,null;t.memoizedState={baseLanes:0,cachePool:null,transitions:null},o=i!==null?i.baseLanes:n,ge($r,lt),lt|=o}else i!==null?(o=i.baseLanes|n,t.memoizedState=null):o=n,ge($r,lt),lt|=o;return Ye(e,t,s,n),t.child}function vh(e,t){var n=t.ref;(e===null&&n!==null||e!==null&&e.ref!==n)&&(t.flags|=512,t.flags|=2097152)}function Dc(e,t,n,o,s){var i=ot(n)?hr:He.current;return i=to(t,i),Jr(t,s),n=Gu(e,t,n,o,i,s),o=Qu(),e!==null&&!nt?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~s,un(e,t,s)):(Ce&&o&&Mu(t),t.flags|=1,Ye(e,t,n,s),t.child)}function Sf(e,t,n,o,s){if(ot(n)){var i=!0;Ui(t)}else i=!1;if(Jr(t,s),t.stateNode===null)hi(e,t),dh(t,n,o),Ac(t,n,o,s),o=!0;else if(e===null){var a=t.stateNode,l=t.memoizedProps;a.props=l;var u=a.context,c=n.contextType;typeof c=="object"&&c!==null?c=wt(c):(c=ot(n)?hr:He.current,c=to(t,c));var d=n.getDerivedStateFromProps,f=typeof d=="function"||typeof a.getSnapshotBeforeUpdate=="function";f||typeof a.UNSAFE_componentWillReceiveProps!="function"&&typeof a.componentWillReceiveProps!="function"||(l!==o||u!==c)&&yf(t,a,o,c),Nn=!1;var g=t.memoizedState;a.state=g,Yi(t,o,a,s),u=t.memoizedState,l!==o||g!==u||rt.current||Nn?(typeof d=="function"&&(Rc(t,n,d,o),u=t.memoizedState),(l=Nn||xf(t,n,l,o,g,u,c))?(f||typeof a.UNSAFE_componentWillMount!="function"&&typeof a.componentWillMount!="function"||(typeof a.componentWillMount=="function"&&a.componentWillMount(),typeof a.UNSAFE_componentWillMount=="function"&&a.UNSAFE_componentWillMount()),typeof a.componentDidMount=="function"&&(t.flags|=4194308)):(typeof a.componentDidMount=="function"&&(t.flags|=4194308),t.memoizedProps=o,t.memoizedState=u),a.props=o,a.state=u,a.context=c,o=l):(typeof a.componentDidMount=="function"&&(t.flags|=4194308),o=!1)}else{a=t.stateNode,qm(e,t),l=t.memoizedProps,c=t.type===t.elementType?l:Pt(t.type,l),a.props=c,f=t.pendingProps,g=a.context,u=n.contextType,typeof u=="object"&&u!==null?u=wt(u):(u=ot(n)?hr:He.current,u=to(t,u));var C=n.getDerivedStateFromProps;(d=typeof C=="function"||typeof a.getSnapshotBeforeUpdate=="function")||typeof a.UNSAFE_componentWillReceiveProps!="function"&&typeof a.componentWillReceiveProps!="function"||(l!==f||g!==u)&&yf(t,a,o,u),Nn=!1,g=t.memoizedState,a.state=g,Yi(t,o,a,s);var x=t.memoizedState;l!==f||g!==x||rt.current||Nn?(typeof C=="function"&&(Rc(t,n,C,o),x=t.memoizedState),(c=Nn||xf(t,n,c,o,g,x,u)||!1)?(d||typeof a.UNSAFE_componentWillUpdate!="function"&&typeof a.componentWillUpdate!="function"||(typeof a.componentWillUpdate=="function"&&a.componentWillUpdate(o,x,u),typeof a.UNSAFE_componentWillUpdate=="function"&&a.UNSAFE_componentWillUpdate(o,x,u)),typeof a.componentDidUpdate=="function"&&(t.flags|=4),typeof a.getSnapshotBeforeUpdate=="function"&&(t.flags|=1024)):(typeof a.componentDidUpdate!="function"||l===e.memoizedProps&&g===e.memoizedState||(t.flags|=4),typeof a.getSnapshotBeforeUpdate!="function"||l===e.memoizedProps&&g===e.memoizedState||(t.flags|=1024),t.memoizedProps=o,t.memoizedState=x),a.props=o,a.state=x,a.context=u,o=c):(typeof a.componentDidUpdate!="function"||l===e.memoizedProps&&g===e.memoizedState||(t.flags|=4),typeof a.getSnapshotBeforeUpdate!="function"||l===e.memoizedProps&&g===e.memoizedState||(t.flags|=1024),o=!1)}return Fc(e,t,n,o,i,s)}function Fc(e,t,n,o,s,i){vh(e,t);var a=(t.flags&128)!==0;if(!o&&!a)return s&&uf(t,n,!1),un(e,t,i);o=t.stateNode,Fy.current=t;var l=a&&typeof n.getDerivedStateFromError!="function"?null:o.render();return t.flags|=1,e!==null&&a?(t.child=ro(t,e.child,null,i),t.child=ro(t,null,l,i)):Ye(e,t,l,i),t.memoizedState=o.state,s&&uf(t,n,!0),t.child}function gh(e){var t=e.stateNode;t.pendingContext?cf(e,t.pendingContext,t.pendingContext!==t.context):t.context&&cf(e,t.context,!1),Vu(e,t.containerInfo)}function Ef(e,t,n,o,s){return no(),Bu(s),t.flags|=256,Ye(e,t,n,o),t.child}var Mc={dehydrated:null,treeContext:null,retryLane:0};function Lc(e){return{baseLanes:e,cachePool:null,transitions:null}}function xh(e,t,n){var o=t.pendingProps,s=be.current,i=!1,a=(t.flags&128)!==0,l;if((l=a)||(l=e!==null&&e.memoizedState===null?!1:(s&2)!==0),l?(i=!0,t.flags&=-129):(e===null||e.memoizedState!==null)&&(s|=1),ge(be,s&1),e===null)return Oc(t),e=t.memoizedState,e!==null&&(e=e.dehydrated,e!==null)?(t.mode&1?e.data==="$!"?t.lanes=8:t.lanes=1073741824:t.lanes=1,null):(a=o.children,e=o.fallback,i?(o=t.mode,i=t.child,a={mode:"hidden",children:a},!(o&1)&&i!==null?(i.childLanes=0,i.pendingProps=a):i=_a(a,o,0,null),e=dr(e,o,n,null),i.return=t,e.return=t,i.sibling=e,t.child=i,t.child.memoizedState=Lc(n),t.memoizedState=Mc,e):Zu(t,a));if(s=e.memoizedState,s!==null&&(l=s.dehydrated,l!==null))return My(e,t,a,o,l,s,n);if(i){i=o.fallback,a=t.mode,s=e.child,l=s.sibling;var u={mode:"hidden",children:o.children};return!(a&1)&&t.child!==s?(o=t.child,o.childLanes=0,o.pendingProps=u,t.deletions=null):(o=Bn(s,u),o.subtreeFlags=s.subtreeFlags&14680064),l!==null?i=Bn(l,i):(i=dr(i,a,n,null),i.flags|=2),i.return=t,o.return=t,o.sibling=i,t.child=o,o=i,i=t.child,a=e.child.memoizedState,a=a===null?Lc(n):{baseLanes:a.baseLanes|n,cachePool:null,transitions:a.transitions},i.memoizedState=a,i.childLanes=e.childLanes&~n,t.memoizedState=Mc,o}return i=e.child,e=i.sibling,o=Bn(i,{mode:"visible",children:o.children}),!(t.mode&1)&&(o.lanes=n),o.return=t,o.sibling=null,e!==null&&(n=t.deletions,n===null?(t.deletions=[e],t.flags|=16):n.push(e)),t.child=o,t.memoizedState=null,o}function Zu(e,t){return t=_a({mode:"visible",children:t},e.mode,0,null),t.return=e,e.child=t}function Xs(e,t,n,o){return o!==null&&Bu(o),ro(t,e.child,null,n),e=Zu(t,t.pendingProps.children),e.flags|=2,t.memoizedState=null,e}function My(e,t,n,o,s,i,a){if(n)return t.flags&256?(t.flags&=-257,o=Fl(Error(V(422))),Xs(e,t,a,o)):t.memoizedState!==null?(t.child=e.child,t.flags|=128,null):(i=o.fallback,s=t.mode,o=_a({mode:"visible",children:o.children},s,0,null),i=dr(i,s,a,null),i.flags|=2,o.return=t,i.return=t,o.sibling=i,t.child=o,t.mode&1&&ro(t,e.child,null,a),t.child.memoizedState=Lc(a),t.memoizedState=Mc,i);if(!(t.mode&1))return Xs(e,t,a,null);if(s.data==="$!"){if(o=s.nextSibling&&s.nextSibling.dataset,o)var l=o.dgst;return o=l,i=Error(V(419)),o=Fl(i,o,void 0),Xs(e,t,a,o)}if(l=(a&e.childLanes)!==0,nt||l){if(o=Fe,o!==null){switch(a&-a){case 4:s=2;break;case 16:s=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:s=32;break;case 536870912:s=268435456;break;default:s=0}s=s&(o.suspendedLanes|a)?0:s,s!==0&&s!==i.retryLane&&(i.retryLane=s,cn(e,s),At(o,e,s,-1))}return sd(),o=Fl(Error(V(421))),Xs(e,t,a,o)}return s.data==="$?"?(t.flags|=128,t.child=e.child,t=Qy.bind(null,e),s._reactRetry=t,null):(e=i.treeContext,ct=Dn(s.nextSibling),ft=t,Ce=!0,Ot=null,e!==null&&(jt[Nt++]=rn,jt[Nt++]=on,jt[Nt++]=vr,rn=e.id,on=e.overflow,vr=t),t=Zu(t,o.children),t.flags|=4096,t)}function kf(e,t,n){e.lanes|=t;var o=e.alternate;o!==null&&(o.lanes|=t),Tc(e.return,t,n)}function Ml(e,t,n,o,s){var i=e.memoizedState;i===null?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:o,tail:n,tailMode:s}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=o,i.tail=n,i.tailMode=s)}function yh(e,t,n){var o=t.pendingProps,s=o.revealOrder,i=o.tail;if(Ye(e,t,o.children,n),o=be.current,o&2)o=o&1|2,t.flags|=128;else{if(e!==null&&e.flags&128)e:for(e=t.child;e!==null;){if(e.tag===13)e.memoizedState!==null&&kf(e,n,t);else if(e.tag===19)kf(e,n,t);else if(e.child!==null){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;e.sibling===null;){if(e.return===null||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}o&=1}if(ge(be,o),!(t.mode&1))t.memoizedState=null;else switch(s){case"forwards":for(n=t.child,s=null;n!==null;)e=n.alternate,e!==null&&Gi(e)===null&&(s=n),n=n.sibling;n=s,n===null?(s=t.child,t.child=null):(s=n.sibling,n.sibling=null),Ml(t,!1,s,n,i);break;case"backwards":for(n=null,s=t.child,t.child=null;s!==null;){if(e=s.alternate,e!==null&&Gi(e)===null){t.child=s;break}e=s.sibling,s.sibling=n,n=s,s=e}Ml(t,!0,n,null,i);break;case"together":Ml(t,!1,null,null,void 0);break;default:t.memoizedState=null}return t.child}function hi(e,t){!(t.mode&1)&&e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2)}function un(e,t,n){if(e!==null&&(t.dependencies=e.dependencies),xr|=t.lanes,!(n&t.childLanes))return null;if(e!==null&&t.child!==e.child)throw Error(V(153));if(t.child!==null){for(e=t.child,n=Bn(e,e.pendingProps),t.child=n,n.return=t;e.sibling!==null;)e=e.sibling,n=n.sibling=Bn(e,e.pendingProps),n.return=t;n.sibling=null}return t.child}function Ly(e,t,n){switch(t.tag){case 3:gh(t),no();break;case 5:Vm(t);break;case 1:ot(t.type)&&Ui(t);break;case 4:Vu(t,t.stateNode.containerInfo);break;case 10:var o=t.type._context,s=t.memoizedProps.value;ge(Hi,o._currentValue),o._currentValue=s;break;case 13:if(o=t.memoizedState,o!==null)return o.dehydrated!==null?(ge(be,be.current&1),t.flags|=128,null):n&t.child.childLanes?xh(e,t,n):(ge(be,be.current&1),e=un(e,t,n),e!==null?e.sibling:null);ge(be,be.current&1);break;case 19:if(o=(n&t.childLanes)!==0,e.flags&128){if(o)return yh(e,t,n);t.flags|=128}if(s=t.memoizedState,s!==null&&(s.rendering=null,s.tail=null,s.lastEffect=null),ge(be,be.current),o)break;return null;case 22:case 23:return t.lanes=0,hh(e,t,n)}return un(e,t,n)}var jh,Bc,Nh,Ch;jh=function(e,t){for(var n=t.child;n!==null;){if(n.tag===5||n.tag===6)e.appendChild(n.stateNode);else if(n.tag!==4&&n.child!==null){n.child.return=n,n=n.child;continue}if(n===t)break;for(;n.sibling===null;){if(n.return===null||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}};Bc=function(){};Nh=function(e,t,n,o){var s=e.memoizedProps;if(s!==o){e=t.stateNode,lr(Qt.current);var i=null;switch(n){case"input":s=ac(e,s),o=ac(e,o),i=[];break;case"select":s=Se({},s,{value:void 0}),o=Se({},o,{value:void 0}),i=[];break;case"textarea":s=uc(e,s),o=uc(e,o),i=[];break;default:typeof s.onClick!="function"&&typeof o.onClick=="function"&&(e.onclick=$i)}fc(n,o);var a;n=null;for(c in s)if(!o.hasOwnProperty(c)&&s.hasOwnProperty(c)&&s[c]!=null)if(c==="style"){var l=s[c];for(a in l)l.hasOwnProperty(a)&&(n||(n={}),n[a]="")}else c!=="dangerouslySetInnerHTML"&&c!=="children"&&c!=="suppressContentEditableWarning"&&c!=="suppressHydrationWarning"&&c!=="autoFocus"&&(Zo.hasOwnProperty(c)?i||(i=[]):(i=i||[]).push(c,null));for(c in o){var u=o[c];if(l=s!=null?s[c]:void 0,o.hasOwnProperty(c)&&u!==l&&(u!=null||l!=null))if(c==="style")if(l){for(a in l)!l.hasOwnProperty(a)||u&&u.hasOwnProperty(a)||(n||(n={}),n[a]="");for(a in u)u.hasOwnProperty(a)&&l[a]!==u[a]&&(n||(n={}),n[a]=u[a])}else n||(i||(i=[]),i.push(c,n)),n=u;else c==="dangerouslySetInnerHTML"?(u=u?u.__html:void 0,l=l?l.__html:void 0,u!=null&&l!==u&&(i=i||[]).push(c,u)):c==="children"?typeof u!="string"&&typeof u!="number"||(i=i||[]).push(c,""+u):c!=="suppressContentEditableWarning"&&c!=="suppressHydrationWarning"&&(Zo.hasOwnProperty(c)?(u!=null&&c==="onScroll"&&ye("scroll",e),i||l===u||(i=[])):(i=i||[]).push(c,u))}n&&(i=i||[]).push("style",n);var c=i;(t.updateQueue=c)&&(t.flags|=4)}};Ch=function(e,t,n,o){n!==o&&(t.flags|=4)};function Oo(e,t){if(!Ce)switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;t!==null;)t.alternate!==null&&(n=t),t=t.sibling;n===null?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var o=null;n!==null;)n.alternate!==null&&(o=n),n=n.sibling;o===null?t||e.tail===null?e.tail=null:e.tail.sibling=null:o.sibling=null}}function Ue(e){var t=e.alternate!==null&&e.alternate.child===e.child,n=0,o=0;if(t)for(var s=e.child;s!==null;)n|=s.lanes|s.childLanes,o|=s.subtreeFlags&14680064,o|=s.flags&14680064,s.return=e,s=s.sibling;else for(s=e.child;s!==null;)n|=s.lanes|s.childLanes,o|=s.subtreeFlags,o|=s.flags,s.return=e,s=s.sibling;return e.subtreeFlags|=o,e.childLanes=n,t}function By(e,t,n){var o=t.pendingProps;switch(Lu(t),t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return Ue(t),null;case 1:return ot(t.type)&&Wi(),Ue(t),null;case 3:return o=t.stateNode,oo(),je(rt),je(He),Ku(),o.pendingContext&&(o.context=o.pendingContext,o.pendingContext=null),(e===null||e.child===null)&&(Gs(t)?t.flags|=4:e===null||e.memoizedState.isDehydrated&&!(t.flags&256)||(t.flags|=1024,Ot!==null&&(Kc(Ot),Ot=null))),Bc(e,t),Ue(t),null;case 5:Hu(t);var s=lr(ds.current);if(n=t.type,e!==null&&t.stateNode!=null)Nh(e,t,n,o,s),e.ref!==t.ref&&(t.flags|=512,t.flags|=2097152);else{if(!o){if(t.stateNode===null)throw Error(V(166));return Ue(t),null}if(e=lr(Qt.current),Gs(t)){o=t.stateNode,n=t.type;var i=t.memoizedProps;switch(o[Ht]=t,o[cs]=i,e=(t.mode&1)!==0,n){case"dialog":ye("cancel",o),ye("close",o);break;case"iframe":case"object":case"embed":ye("load",o);break;case"video":case"audio":for(s=0;s<\/script>",e=e.removeChild(e.firstChild)):typeof o.is=="string"?e=a.createElement(n,{is:o.is}):(e=a.createElement(n),n==="select"&&(a=e,o.multiple?a.multiple=!0:o.size&&(a.size=o.size))):e=a.createElementNS(e,n),e[Ht]=t,e[cs]=o,jh(e,t,!1,!1),t.stateNode=e;e:{switch(a=pc(n,o),n){case"dialog":ye("cancel",e),ye("close",e),s=o;break;case"iframe":case"object":case"embed":ye("load",e),s=o;break;case"video":case"audio":for(s=0;sio&&(t.flags|=128,o=!0,Oo(i,!1),t.lanes=4194304)}else{if(!o)if(e=Gi(a),e!==null){if(t.flags|=128,o=!0,n=e.updateQueue,n!==null&&(t.updateQueue=n,t.flags|=4),Oo(i,!0),i.tail===null&&i.tailMode==="hidden"&&!a.alternate&&!Ce)return Ue(t),null}else 2*Pe()-i.renderingStartTime>io&&n!==1073741824&&(t.flags|=128,o=!0,Oo(i,!1),t.lanes=4194304);i.isBackwards?(a.sibling=t.child,t.child=a):(n=i.last,n!==null?n.sibling=a:t.child=a,i.last=a)}return i.tail!==null?(t=i.tail,i.rendering=t,i.tail=t.sibling,i.renderingStartTime=Pe(),t.sibling=null,n=be.current,ge(be,o?n&1|2:n&1),t):(Ue(t),null);case 22:case 23:return od(),o=t.memoizedState!==null,e!==null&&e.memoizedState!==null!==o&&(t.flags|=8192),o&&t.mode&1?lt&1073741824&&(Ue(t),t.subtreeFlags&6&&(t.flags|=8192)):Ue(t),null;case 24:return null;case 25:return null}throw Error(V(156,t.tag))}function zy(e,t){switch(Lu(t),t.tag){case 1:return ot(t.type)&&Wi(),e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 3:return oo(),je(rt),je(He),Ku(),e=t.flags,e&65536&&!(e&128)?(t.flags=e&-65537|128,t):null;case 5:return Hu(t),null;case 13:if(je(be),e=t.memoizedState,e!==null&&e.dehydrated!==null){if(t.alternate===null)throw Error(V(340));no()}return e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 19:return je(be),null;case 4:return oo(),null;case 10:return Wu(t.type._context),null;case 22:case 23:return od(),null;case 24:return null;default:return null}}var Js=!1,qe=!1,$y=typeof WeakSet=="function"?WeakSet:Set,J=null;function zr(e,t){var n=e.ref;if(n!==null)if(typeof n=="function")try{n(null)}catch(o){Ee(e,t,o)}else n.current=null}function zc(e,t,n){try{n()}catch(o){Ee(e,t,o)}}var Pf=!1;function Wy(e,t){if(bc=Li,e=km(),Fu(e)){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{n=(n=e.ownerDocument)&&n.defaultView||window;var o=n.getSelection&&n.getSelection();if(o&&o.rangeCount!==0){n=o.anchorNode;var s=o.anchorOffset,i=o.focusNode;o=o.focusOffset;try{n.nodeType,i.nodeType}catch{n=null;break e}var a=0,l=-1,u=-1,c=0,d=0,f=e,g=null;t:for(;;){for(var C;f!==n||s!==0&&f.nodeType!==3||(l=a+s),f!==i||o!==0&&f.nodeType!==3||(u=a+o),f.nodeType===3&&(a+=f.nodeValue.length),(C=f.firstChild)!==null;)g=f,f=C;for(;;){if(f===e)break t;if(g===n&&++c===s&&(l=a),g===i&&++d===o&&(u=a),(C=f.nextSibling)!==null)break;f=g,g=f.parentNode}f=C}n=l===-1||u===-1?null:{start:l,end:u}}else n=null}n=n||{start:0,end:0}}else n=null;for(wc={focusedElem:e,selectionRange:n},Li=!1,J=t;J!==null;)if(t=J,e=t.child,(t.subtreeFlags&1028)!==0&&e!==null)e.return=t,J=e;else for(;J!==null;){t=J;try{var x=t.alternate;if(t.flags&1024)switch(t.tag){case 0:case 11:case 15:break;case 1:if(x!==null){var N=x.memoizedProps,b=x.memoizedState,h=t.stateNode,v=h.getSnapshotBeforeUpdate(t.elementType===t.type?N:Pt(t.type,N),b);h.__reactInternalSnapshotBeforeUpdate=v}break;case 3:var m=t.stateNode.containerInfo;m.nodeType===1?m.textContent="":m.nodeType===9&&m.documentElement&&m.removeChild(m.documentElement);break;case 5:case 6:case 4:case 17:break;default:throw Error(V(163))}}catch(y){Ee(t,t.return,y)}if(e=t.sibling,e!==null){e.return=t.return,J=e;break}J=t.return}return x=Pf,Pf=!1,x}function Vo(e,t,n){var o=t.updateQueue;if(o=o!==null?o.lastEffect:null,o!==null){var s=o=o.next;do{if((s.tag&e)===e){var i=s.destroy;s.destroy=void 0,i!==void 0&&zc(t,n,i)}s=s.next}while(s!==o)}}function ka(e,t){if(t=t.updateQueue,t=t!==null?t.lastEffect:null,t!==null){var n=t=t.next;do{if((n.tag&e)===e){var o=n.create;n.destroy=o()}n=n.next}while(n!==t)}}function $c(e){var t=e.ref;if(t!==null){var n=e.stateNode;switch(e.tag){case 5:e=n;break;default:e=n}typeof t=="function"?t(e):t.current=e}}function bh(e){var t=e.alternate;t!==null&&(e.alternate=null,bh(t)),e.child=null,e.deletions=null,e.sibling=null,e.tag===5&&(t=e.stateNode,t!==null&&(delete t[Ht],delete t[cs],delete t[kc],delete t[wy],delete t[Sy])),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function wh(e){return e.tag===5||e.tag===3||e.tag===4}function _f(e){e:for(;;){for(;e.sibling===null;){if(e.return===null||wh(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;e.tag!==5&&e.tag!==6&&e.tag!==18;){if(e.flags&2||e.child===null||e.tag===4)continue e;e.child.return=e,e=e.child}if(!(e.flags&2))return e.stateNode}}function Wc(e,t,n){var o=e.tag;if(o===5||o===6)e=e.stateNode,t?n.nodeType===8?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(n.nodeType===8?(t=n.parentNode,t.insertBefore(e,n)):(t=n,t.appendChild(e)),n=n._reactRootContainer,n!=null||t.onclick!==null||(t.onclick=$i));else if(o!==4&&(e=e.child,e!==null))for(Wc(e,t,n),e=e.sibling;e!==null;)Wc(e,t,n),e=e.sibling}function Uc(e,t,n){var o=e.tag;if(o===5||o===6)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(o!==4&&(e=e.child,e!==null))for(Uc(e,t,n),e=e.sibling;e!==null;)Uc(e,t,n),e=e.sibling}var Be=null,_t=!1;function xn(e,t,n){for(n=n.child;n!==null;)Sh(e,t,n),n=n.sibling}function Sh(e,t,n){if(Gt&&typeof Gt.onCommitFiberUnmount=="function")try{Gt.onCommitFiberUnmount(ya,n)}catch{}switch(n.tag){case 5:qe||zr(n,t);case 6:var o=Be,s=_t;Be=null,xn(e,t,n),Be=o,_t=s,Be!==null&&(_t?(e=Be,n=n.stateNode,e.nodeType===8?e.parentNode.removeChild(n):e.removeChild(n)):Be.removeChild(n.stateNode));break;case 18:Be!==null&&(_t?(e=Be,n=n.stateNode,e.nodeType===8?Ol(e.parentNode,n):e.nodeType===1&&Ol(e,n),os(e)):Ol(Be,n.stateNode));break;case 4:o=Be,s=_t,Be=n.stateNode.containerInfo,_t=!0,xn(e,t,n),Be=o,_t=s;break;case 0:case 11:case 14:case 15:if(!qe&&(o=n.updateQueue,o!==null&&(o=o.lastEffect,o!==null))){s=o=o.next;do{var i=s,a=i.destroy;i=i.tag,a!==void 0&&(i&2||i&4)&&zc(n,t,a),s=s.next}while(s!==o)}xn(e,t,n);break;case 1:if(!qe&&(zr(n,t),o=n.stateNode,typeof o.componentWillUnmount=="function"))try{o.props=n.memoizedProps,o.state=n.memoizedState,o.componentWillUnmount()}catch(l){Ee(n,t,l)}xn(e,t,n);break;case 21:xn(e,t,n);break;case 22:n.mode&1?(qe=(o=qe)||n.memoizedState!==null,xn(e,t,n),qe=o):xn(e,t,n);break;default:xn(e,t,n)}}function Of(e){var t=e.updateQueue;if(t!==null){e.updateQueue=null;var n=e.stateNode;n===null&&(n=e.stateNode=new $y),t.forEach(function(o){var s=Xy.bind(null,e,o);n.has(o)||(n.add(o),o.then(s,s))})}}function kt(e,t){var n=t.deletions;if(n!==null)for(var o=0;os&&(s=a),o&=~i}if(o=s,o=Pe()-o,o=(120>o?120:480>o?480:1080>o?1080:1920>o?1920:3e3>o?3e3:4320>o?4320:1960*qy(o/1960))-o,10e?16:e,_n===null)var o=!1;else{if(e=_n,_n=null,ea=0,fe&6)throw Error(V(331));var s=fe;for(fe|=4,J=e.current;J!==null;){var i=J,a=i.child;if(J.flags&16){var l=i.deletions;if(l!==null){for(var u=0;uPe()-nd?ur(e,0):td|=n),st(e,t)}function Ah(e,t){t===0&&(e.mode&1?(t=Us,Us<<=1,!(Us&130023424)&&(Us=4194304)):t=1);var n=Qe();e=cn(e,t),e!==null&&(Ss(e,t,n),st(e,n))}function Qy(e){var t=e.memoizedState,n=0;t!==null&&(n=t.retryLane),Ah(e,n)}function Xy(e,t){var n=0;switch(e.tag){case 13:var o=e.stateNode,s=e.memoizedState;s!==null&&(n=s.retryLane);break;case 19:o=e.stateNode;break;default:throw Error(V(314))}o!==null&&o.delete(t),Ah(e,n)}var Ih;Ih=function(e,t,n){if(e!==null)if(e.memoizedProps!==t.pendingProps||rt.current)nt=!0;else{if(!(e.lanes&n)&&!(t.flags&128))return nt=!1,Ly(e,t,n);nt=!!(e.flags&131072)}else nt=!1,Ce&&t.flags&1048576&&Lm(t,Vi,t.index);switch(t.lanes=0,t.tag){case 2:var o=t.type;hi(e,t),e=t.pendingProps;var s=to(t,He.current);Jr(t,n),s=Gu(null,t,o,e,s,n);var i=Qu();return t.flags|=1,typeof s=="object"&&s!==null&&typeof s.render=="function"&&s.$$typeof===void 0?(t.tag=1,t.memoizedState=null,t.updateQueue=null,ot(o)?(i=!0,Ui(t)):i=!1,t.memoizedState=s.state!==null&&s.state!==void 0?s.state:null,qu(t),s.updater=Ea,t.stateNode=s,s._reactInternals=t,Ac(t,o,e,n),t=Fc(null,t,o,!0,i,n)):(t.tag=0,Ce&&i&&Mu(t),Ye(null,t,s,n),t=t.child),t;case 16:o=t.elementType;e:{switch(hi(e,t),e=t.pendingProps,s=o._init,o=s(o._payload),t.type=o,s=t.tag=Zy(o),e=Pt(o,e),s){case 0:t=Dc(null,t,o,e,n);break e;case 1:t=Sf(null,t,o,e,n);break e;case 11:t=bf(null,t,o,e,n);break e;case 14:t=wf(null,t,o,Pt(o.type,e),n);break e}throw Error(V(306,o,""))}return t;case 0:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),Dc(e,t,o,s,n);case 1:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),Sf(e,t,o,s,n);case 3:e:{if(gh(t),e===null)throw Error(V(387));o=t.pendingProps,i=t.memoizedState,s=i.element,qm(e,t),Yi(t,o,null,n);var a=t.memoizedState;if(o=a.element,i.isDehydrated)if(i={element:o,isDehydrated:!1,cache:a.cache,pendingSuspenseBoundaries:a.pendingSuspenseBoundaries,transitions:a.transitions},t.updateQueue.baseState=i,t.memoizedState=i,t.flags&256){s=so(Error(V(423)),t),t=Ef(e,t,o,n,s);break e}else if(o!==s){s=so(Error(V(424)),t),t=Ef(e,t,o,n,s);break e}else for(ct=Dn(t.stateNode.containerInfo.firstChild),ft=t,Ce=!0,Ot=null,n=Wm(t,null,o,n),t.child=n;n;)n.flags=n.flags&-3|4096,n=n.sibling;else{if(no(),o===s){t=un(e,t,n);break e}Ye(e,t,o,n)}t=t.child}return t;case 5:return Vm(t),e===null&&Oc(t),o=t.type,s=t.pendingProps,i=e!==null?e.memoizedProps:null,a=s.children,Sc(o,s)?a=null:i!==null&&Sc(o,i)&&(t.flags|=32),vh(e,t),Ye(e,t,a,n),t.child;case 6:return e===null&&Oc(t),null;case 13:return xh(e,t,n);case 4:return Vu(t,t.stateNode.containerInfo),o=t.pendingProps,e===null?t.child=ro(t,null,o,n):Ye(e,t,o,n),t.child;case 11:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),bf(e,t,o,s,n);case 7:return Ye(e,t,t.pendingProps,n),t.child;case 8:return Ye(e,t,t.pendingProps.children,n),t.child;case 12:return Ye(e,t,t.pendingProps.children,n),t.child;case 10:e:{if(o=t.type._context,s=t.pendingProps,i=t.memoizedProps,a=s.value,ge(Hi,o._currentValue),o._currentValue=a,i!==null)if(Dt(i.value,a)){if(i.children===s.children&&!rt.current){t=un(e,t,n);break e}}else for(i=t.child,i!==null&&(i.return=t);i!==null;){var l=i.dependencies;if(l!==null){a=i.child;for(var u=l.firstContext;u!==null;){if(u.context===o){if(i.tag===1){u=sn(-1,n&-n),u.tag=2;var c=i.updateQueue;if(c!==null){c=c.shared;var d=c.pending;d===null?u.next=u:(u.next=d.next,d.next=u),c.pending=u}}i.lanes|=n,u=i.alternate,u!==null&&(u.lanes|=n),Tc(i.return,n,t),l.lanes|=n;break}u=u.next}}else if(i.tag===10)a=i.type===t.type?null:i.child;else if(i.tag===18){if(a=i.return,a===null)throw Error(V(341));a.lanes|=n,l=a.alternate,l!==null&&(l.lanes|=n),Tc(a,n,t),a=i.sibling}else a=i.child;if(a!==null)a.return=i;else for(a=i;a!==null;){if(a===t){a=null;break}if(i=a.sibling,i!==null){i.return=a.return,a=i;break}a=a.return}i=a}Ye(e,t,s.children,n),t=t.child}return t;case 9:return s=t.type,o=t.pendingProps.children,Jr(t,n),s=wt(s),o=o(s),t.flags|=1,Ye(e,t,o,n),t.child;case 14:return o=t.type,s=Pt(o,t.pendingProps),s=Pt(o.type,s),wf(e,t,o,s,n);case 15:return mh(e,t,t.type,t.pendingProps,n);case 17:return o=t.type,s=t.pendingProps,s=t.elementType===o?s:Pt(o,s),hi(e,t),t.tag=1,ot(o)?(e=!0,Ui(t)):e=!1,Jr(t,n),dh(t,o,s),Ac(t,o,s,n),Fc(null,t,o,!0,e,n);case 19:return yh(e,t,n);case 22:return hh(e,t,n)}throw Error(V(156,t.tag))};function Dh(e,t){return lm(e,t)}function Jy(e,t,n,o){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=o,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function Ct(e,t,n,o){return new Jy(e,t,n,o)}function id(e){return e=e.prototype,!(!e||!e.isReactComponent)}function Zy(e){if(typeof e=="function")return id(e)?1:0;if(e!=null){if(e=e.$$typeof,e===Su)return 11;if(e===Eu)return 14}return 2}function Bn(e,t){var n=e.alternate;return n===null?(n=Ct(e.tag,t,e.key,e.mode),n.elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=e.flags&14680064,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=t===null?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function xi(e,t,n,o,s,i){var a=2;if(o=e,typeof e=="function")id(e)&&(a=1);else if(typeof e=="string")a=5;else e:switch(e){case Tr:return dr(n.children,s,i,t);case wu:a=8,s|=8;break;case rc:return e=Ct(12,n,t,s|2),e.elementType=rc,e.lanes=i,e;case oc:return e=Ct(13,n,t,s),e.elementType=oc,e.lanes=i,e;case sc:return e=Ct(19,n,t,s),e.elementType=sc,e.lanes=i,e;case Vp:return _a(n,s,i,t);default:if(typeof e=="object"&&e!==null)switch(e.$$typeof){case Up:a=10;break e;case qp:a=9;break e;case Su:a=11;break e;case Eu:a=14;break e;case jn:a=16,o=null;break e}throw Error(V(130,e==null?e:typeof e,""))}return t=Ct(a,n,t,s),t.elementType=e,t.type=o,t.lanes=i,t}function dr(e,t,n,o){return e=Ct(7,e,o,t),e.lanes=n,e}function _a(e,t,n,o){return e=Ct(22,e,o,t),e.elementType=Vp,e.lanes=n,e.stateNode={isHidden:!1},e}function Ll(e,t,n){return e=Ct(6,e,null,t),e.lanes=n,e}function Bl(e,t,n){return t=Ct(4,e.children!==null?e.children:[],e.key,t),t.lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function ej(e,t,n,o,s){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=yl(0),this.expirationTimes=yl(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=yl(0),this.identifierPrefix=o,this.onRecoverableError=s,this.mutableSourceEagerHydrationData=null}function ad(e,t,n,o,s,i,a,l,u){return e=new ej(e,t,n,l,u),t===1?(t=1,i===!0&&(t|=8)):t=0,i=Ct(3,null,null,t),e.current=i,i.stateNode=e,i.memoizedState={element:o,isDehydrated:n,cache:null,transitions:null,pendingSuspenseBoundaries:null},qu(i),e}function tj(e,t,n){var o=3"u"||typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE!="function"))try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(Bh)}catch(e){console.error(e)}}Bh(),Bp.exports=gt;var zh=Bp.exports;const Wr=bs(zh);var $h,Lf=zh;$h=Lf.createRoot,Lf.hydrateRoot;var Wh={exports:{}},Uh={};/** * @license React * use-sync-external-store-with-selector.production.min.js * @@ -45,12 +45,12 @@ Error generating stack: `+i.message+` * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. - */var Ps=S;function ij(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var aj=typeof Object.is=="function"?Object.is:ij,lj=Ps.useSyncExternalStore,cj=Ps.useRef,uj=Ps.useEffect,dj=Ps.useMemo,fj=Ps.useDebugValue;Uh.useSyncExternalStoreWithSelector=function(e,t,n,o,s){var i=cj(null);if(i.current===null){var a={hasValue:!1,value:null};i.current=a}else a=i.current;i=dj(function(){function u(b){if(!c){if(c=!0,d=b,b=o(b),s!==void 0&&a.hasValue){var x=a.value;if(s(x,b))return f=x}return f=b}if(x=f,aj(d,b))return x;var N=o(b);return s!==void 0&&s(x,N)?x:(d=b,f=N)}var c=!1,d,f,g=n===void 0?null:n;return[function(){return u(t())},g===null?void 0:function(){return u(g())}]},[t,n,o,s]);var l=lj(e,i[0],i[1]);return uj(function(){a.hasValue=!0,a.value=l},[l]),fj(l),l};Wh.exports=Uh;var pj=Wh.exports,ut="default"in ec?I:ec,Bf=Symbol.for("react-redux-context"),zf=typeof globalThis<"u"?globalThis:{};function mj(){if(!ut.createContext)return{};const e=zf[Bf]??(zf[Bf]=new Map);let t=e.get(ut.createContext);return t||(t=ut.createContext(null),e.set(ut.createContext,t)),t}var Un=mj(),hj=()=>{throw new Error("uSES not initialized!")};function dd(e=Un){return function(){return ut.useContext(e)}}var qh=dd(),Vh=hj,vj=e=>{Vh=e},gj=(e,t)=>e===t;function xj(e=Un){const t=e===Un?qh:dd(e),n=(o,s={})=>{const{equalityFn:i=gj,devModeChecks:a={}}=typeof s=="function"?{equalityFn:s}:s,{store:l,subscription:u,getServerState:c,stabilityCheck:d,identityFunctionCheck:f}=t();ut.useRef(!0);const g=ut.useCallback({[o.name](x){return o(x)}}[o.name],[o,d,a.stabilityCheck]),b=Vh(u.addNestedSub,l.getState,c||l.getState,g,i);return ut.useDebugValue(b),b};return Object.assign(n,{withTypes:()=>n}),n}var Ve=xj();function yj(e){e()}function jj(){let e=null,t=null;return{clear(){e=null,t=null},notify(){yj(()=>{let n=e;for(;n;)n.callback(),n=n.next})},get(){const n=[];let o=e;for(;o;)n.push(o),o=o.next;return n},subscribe(n){let o=!0;const s=t={callback:n,next:null,prev:t};return s.prev?s.prev.next=s:e=s,function(){!o||e===null||(o=!1,s.next?s.next.prev=s.prev:t=s.prev,s.prev?s.prev.next=s.next:e=s.next)}}}}var $f={notify(){},get:()=>[]};function Nj(e,t){let n,o=$f,s=0,i=!1;function a(N){d();const C=o.subscribe(N);let h=!1;return()=>{h||(h=!0,C(),f())}}function l(){o.notify()}function u(){x.onStateChange&&x.onStateChange()}function c(){return i}function d(){s++,n||(n=e.subscribe(u),o=jj())}function f(){s--,n&&s===0&&(n(),n=void 0,o.clear(),o=$f)}function g(){i||(i=!0,d())}function b(){i&&(i=!1,f())}const x={addNestedSub:a,notifyNestedSubs:l,handleChangeWrapper:u,isSubscribed:c,trySubscribe:g,tryUnsubscribe:b,getListeners:()=>o};return x}var Cj=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",bj=typeof navigator<"u"&&navigator.product==="ReactNative",wj=Cj||bj?ut.useLayoutEffect:ut.useEffect;function Sj({store:e,context:t,children:n,serverState:o,stabilityCheck:s="once",identityFunctionCheck:i="once"}){const a=ut.useMemo(()=>{const c=Nj(e);return{store:e,subscription:c,getServerState:o?()=>o:void 0,stabilityCheck:s,identityFunctionCheck:i}},[e,o,s,i]),l=ut.useMemo(()=>e.getState(),[e]);wj(()=>{const{subscription:c}=a;return c.onStateChange=c.notifyNestedSubs,c.trySubscribe(),l!==e.getState()&&c.notifyNestedSubs(),()=>{c.tryUnsubscribe(),c.onStateChange=void 0}},[a,l]);const u=t||Un;return ut.createElement(u.Provider,{value:a},n)}var Ej=Sj;function Hh(e=Un){const t=e===Un?qh:dd(e),n=()=>{const{store:o}=t();return o};return Object.assign(n,{withTypes:()=>n}),n}var kj=Hh();function Pj(e=Un){const t=e===Un?kj:Hh(e),n=()=>t().dispatch;return Object.assign(n,{withTypes:()=>n}),n}var Ft=Pj();vj(pj.useSyncExternalStoreWithSelector);function Le(e){return`Minified Redux error #${e}; visit https://redux.js.org/Errors?code=${e} for the full message or use the non-minified dev environment for full errors. `}var _j=typeof Symbol=="function"&&Symbol.observable||"@@observable",Wf=_j,Bl=()=>Math.random().toString(36).substring(7).split("").join("."),Oj={INIT:`@@redux/INIT${Bl()}`,REPLACE:`@@redux/REPLACE${Bl()}`,PROBE_UNKNOWN_ACTION:()=>`@@redux/PROBE_UNKNOWN_ACTION${Bl()}`},na=Oj;function fd(e){if(typeof e!="object"||e===null)return!1;let t=e;for(;Object.getPrototypeOf(t)!==null;)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t||Object.getPrototypeOf(e)===null}function Kh(e,t,n){if(typeof e!="function")throw new Error(Le(2));if(typeof t=="function"&&typeof n=="function"||typeof n=="function"&&typeof arguments[3]=="function")throw new Error(Le(0));if(typeof t=="function"&&typeof n>"u"&&(n=t,t=void 0),typeof n<"u"){if(typeof n!="function")throw new Error(Le(1));return n(Kh)(e,t)}let o=e,s=t,i=new Map,a=i,l=0,u=!1;function c(){a===i&&(a=new Map,i.forEach((C,h)=>{a.set(h,C)}))}function d(){if(u)throw new Error(Le(3));return s}function f(C){if(typeof C!="function")throw new Error(Le(4));if(u)throw new Error(Le(5));let h=!0;c();const v=l++;return a.set(v,C),function(){if(h){if(u)throw new Error(Le(6));h=!1,c(),a.delete(v),i=null}}}function g(C){if(!fd(C))throw new Error(Le(7));if(typeof C.type>"u")throw new Error(Le(8));if(typeof C.type!="string")throw new Error(Le(17));if(u)throw new Error(Le(9));try{u=!0,s=o(s,C)}finally{u=!1}return(i=a).forEach(v=>{v()}),C}function b(C){if(typeof C!="function")throw new Error(Le(10));o=C,g({type:na.REPLACE})}function x(){const C=f;return{subscribe(h){if(typeof h!="object"||h===null)throw new Error(Le(11));function v(){const y=h;y.next&&y.next(d())}return v(),{unsubscribe:C(v)}},[Wf](){return this}}}return g({type:na.INIT}),{dispatch:g,subscribe:f,getState:d,replaceReducer:b,[Wf]:x}}function Tj(e){Object.keys(e).forEach(t=>{const n=e[t];if(typeof n(void 0,{type:na.INIT})>"u")throw new Error(Le(12));if(typeof n(void 0,{type:na.PROBE_UNKNOWN_ACTION()})>"u")throw new Error(Le(13))})}function Rj(e){const t=Object.keys(e),n={};for(let i=0;i"u")throw l&&l.type,new Error(Le(14));c[f]=x,u=u||x!==b}return u=u||o.length!==Object.keys(a).length,u?c:a}}function ra(...e){return e.length===0?t=>t:e.length===1?e[0]:e.reduce((t,n)=>(...o)=>t(n(...o)))}function Aj(...e){return t=>(n,o)=>{const s=t(n,o);let i=()=>{throw new Error(Le(15))};const a={getState:s.getState,dispatch:(u,...c)=>i(u,...c)},l=e.map(u=>u(a));return i=ra(...l)(s.dispatch),{...s,dispatch:i}}}function Ij(e){return fd(e)&&"type"in e&&typeof e.type=="string"}var Yh=Symbol.for("immer-nothing"),Uf=Symbol.for("immer-draftable"),ht=Symbol.for("immer-state");function Tt(e,...t){throw new Error(`[Immer] minified error nr: ${e}. Full error at: https://bit.ly/3cXEKWf`)}var lo=Object.getPrototypeOf;function jr(e){return!!e&&!!e[ht]}function fn(e){var t;return e?Gh(e)||Array.isArray(e)||!!e[Uf]||!!((t=e.constructor)!=null&&t[Uf])||Ia(e)||Da(e):!1}var Dj=Object.prototype.constructor.toString();function Gh(e){if(!e||typeof e!="object")return!1;const t=lo(e);if(t===null)return!0;const n=Object.hasOwnProperty.call(t,"constructor")&&t.constructor;return n===Object?!0:typeof n=="function"&&Function.toString.call(n)===Dj}function oa(e,t){Aa(e)===0?Reflect.ownKeys(e).forEach(n=>{t(n,e[n],e)}):e.forEach((n,o)=>t(o,n,e))}function Aa(e){const t=e[ht];return t?t.type_:Array.isArray(e)?1:Ia(e)?2:Da(e)?3:0}function Kc(e,t){return Aa(e)===2?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function Qh(e,t,n){const o=Aa(e);o===2?e.set(t,n):o===3?e.add(n):e[t]=n}function Fj(e,t){return e===t?e!==0||1/e===1/t:e!==e&&t!==t}function Ia(e){return e instanceof Map}function Da(e){return e instanceof Set}function nr(e){return e.copy_||e.base_}function Yc(e,t){if(Ia(e))return new Map(e);if(Da(e))return new Set(e);if(Array.isArray(e))return Array.prototype.slice.call(e);const n=Gh(e);if(t===!0||t==="class_only"&&!n){const o=Object.getOwnPropertyDescriptors(e);delete o[ht];let s=Reflect.ownKeys(o);for(let i=0;i1&&(e.set=e.add=e.clear=e.delete=Mj),Object.freeze(e),t&&Object.entries(e).forEach(([n,o])=>pd(o,!0))),e}function Mj(){Tt(2)}function Fa(e){return Object.isFrozen(e)}var Lj={};function Nr(e){const t=Lj[e];return t||Tt(0,e),t}var hs;function Xh(){return hs}function Bj(e,t){return{drafts_:[],parent_:e,immer_:t,canAutoFreeze_:!0,unfinalizedDrafts_:0}}function qf(e,t){t&&(Nr("Patches"),e.patches_=[],e.inversePatches_=[],e.patchListener_=t)}function Gc(e){Qc(e),e.drafts_.forEach(zj),e.drafts_=null}function Qc(e){e===hs&&(hs=e.parent_)}function Vf(e){return hs=Bj(hs,e)}function zj(e){const t=e[ht];t.type_===0||t.type_===1?t.revoke_():t.revoked_=!0}function Hf(e,t){t.unfinalizedDrafts_=t.drafts_.length;const n=t.drafts_[0];return e!==void 0&&e!==n?(n[ht].modified_&&(Gc(t),Tt(4)),fn(e)&&(e=sa(t,e),t.parent_||ia(t,e)),t.patches_&&Nr("Patches").generateReplacementPatches_(n[ht].base_,e,t.patches_,t.inversePatches_)):e=sa(t,n,[]),Gc(t),t.patches_&&t.patchListener_(t.patches_,t.inversePatches_),e!==Yh?e:void 0}function sa(e,t,n){if(Fa(t))return t;const o=t[ht];if(!o)return oa(t,(s,i)=>Kf(e,o,t,s,i,n)),t;if(o.scope_!==e)return t;if(!o.modified_)return ia(e,o.base_,!0),o.base_;if(!o.finalized_){o.finalized_=!0,o.scope_.unfinalizedDrafts_--;const s=o.copy_;let i=s,a=!1;o.type_===3&&(i=new Set(s),s.clear(),a=!0),oa(i,(l,u)=>Kf(e,o,s,l,u,n,a)),ia(e,s,!1),n&&e.patches_&&Nr("Patches").generatePatches_(o,n,e.patches_,e.inversePatches_)}return o.copy_}function Kf(e,t,n,o,s,i,a){if(jr(s)){const l=i&&t&&t.type_!==3&&!Kc(t.assigned_,o)?i.concat(o):void 0,u=sa(e,s,l);if(Qh(n,o,u),jr(u))e.canAutoFreeze_=!1;else return}else a&&n.add(s);if(fn(s)&&!Fa(s)){if(!e.immer_.autoFreeze_&&e.unfinalizedDrafts_<1)return;sa(e,s),(!t||!t.scope_.parent_)&&typeof o!="symbol"&&Object.prototype.propertyIsEnumerable.call(n,o)&&ia(e,s)}}function ia(e,t,n=!1){!e.parent_&&e.immer_.autoFreeze_&&e.canAutoFreeze_&&pd(t,n)}function $j(e,t){const n=Array.isArray(e),o={type_:n?1:0,scope_:t?t.scope_:Xh(),modified_:!1,finalized_:!1,assigned_:{},parent_:t,base_:e,draft_:null,copy_:null,revoke_:null,isManual_:!1};let s=o,i=md;n&&(s=[o],i=vs);const{revoke:a,proxy:l}=Proxy.revocable(s,i);return o.draft_=l,o.revoke_=a,l}var md={get(e,t){if(t===ht)return e;const n=nr(e);if(!Kc(n,t))return Wj(e,n,t);const o=n[t];return e.finalized_||!fn(o)?o:o===zl(e.base_,t)?($l(e),e.copy_[t]=Jc(o,e)):o},has(e,t){return t in nr(e)},ownKeys(e){return Reflect.ownKeys(nr(e))},set(e,t,n){const o=Jh(nr(e),t);if(o!=null&&o.set)return o.set.call(e.draft_,n),!0;if(!e.modified_){const s=zl(nr(e),t),i=s==null?void 0:s[ht];if(i&&i.base_===n)return e.copy_[t]=n,e.assigned_[t]=!1,!0;if(Fj(n,s)&&(n!==void 0||Kc(e.base_,t)))return!0;$l(e),Xc(e)}return e.copy_[t]===n&&(n!==void 0||t in e.copy_)||Number.isNaN(n)&&Number.isNaN(e.copy_[t])||(e.copy_[t]=n,e.assigned_[t]=!0),!0},deleteProperty(e,t){return zl(e.base_,t)!==void 0||t in e.base_?(e.assigned_[t]=!1,$l(e),Xc(e)):delete e.assigned_[t],e.copy_&&delete e.copy_[t],!0},getOwnPropertyDescriptor(e,t){const n=nr(e),o=Reflect.getOwnPropertyDescriptor(n,t);return o&&{writable:!0,configurable:e.type_!==1||t!=="length",enumerable:o.enumerable,value:n[t]}},defineProperty(){Tt(11)},getPrototypeOf(e){return lo(e.base_)},setPrototypeOf(){Tt(12)}},vs={};oa(md,(e,t)=>{vs[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}});vs.deleteProperty=function(e,t){return vs.set.call(this,e,t,void 0)};vs.set=function(e,t,n){return md.set.call(this,e[0],t,n,e[0])};function zl(e,t){const n=e[ht];return(n?nr(n):e)[t]}function Wj(e,t,n){var s;const o=Jh(t,n);return o?"value"in o?o.value:(s=o.get)==null?void 0:s.call(e.draft_):void 0}function Jh(e,t){if(!(t in e))return;let n=lo(e);for(;n;){const o=Object.getOwnPropertyDescriptor(n,t);if(o)return o;n=lo(n)}}function Xc(e){e.modified_||(e.modified_=!0,e.parent_&&Xc(e.parent_))}function $l(e){e.copy_||(e.copy_=Yc(e.base_,e.scope_.immer_.useStrictShallowCopy_))}var Uj=class{constructor(e){this.autoFreeze_=!0,this.useStrictShallowCopy_=!1,this.produce=(t,n,o)=>{if(typeof t=="function"&&typeof n!="function"){const i=n;n=t;const a=this;return function(u=i,...c){return a.produce(u,d=>n.call(this,d,...c))}}typeof n!="function"&&Tt(6),o!==void 0&&typeof o!="function"&&Tt(7);let s;if(fn(t)){const i=Vf(this),a=Jc(t,void 0);let l=!0;try{s=n(a),l=!1}finally{l?Gc(i):Qc(i)}return qf(i,o),Hf(s,i)}else if(!t||typeof t!="object"){if(s=n(t),s===void 0&&(s=t),s===Yh&&(s=void 0),this.autoFreeze_&&pd(s,!0),o){const i=[],a=[];Nr("Patches").generateReplacementPatches_(t,s,i,a),o(i,a)}return s}else Tt(1,t)},this.produceWithPatches=(t,n)=>{if(typeof t=="function")return(a,...l)=>this.produceWithPatches(a,u=>t(u,...l));let o,s;return[this.produce(t,n,(a,l)=>{o=a,s=l}),o,s]},typeof(e==null?void 0:e.autoFreeze)=="boolean"&&this.setAutoFreeze(e.autoFreeze),typeof(e==null?void 0:e.useStrictShallowCopy)=="boolean"&&this.setUseStrictShallowCopy(e.useStrictShallowCopy)}createDraft(e){fn(e)||Tt(8),jr(e)&&(e=qj(e));const t=Vf(this),n=Jc(e,void 0);return n[ht].isManual_=!0,Qc(t),n}finishDraft(e,t){const n=e&&e[ht];(!n||!n.isManual_)&&Tt(9);const{scope_:o}=n;return qf(o,t),Hf(void 0,o)}setAutoFreeze(e){this.autoFreeze_=e}setUseStrictShallowCopy(e){this.useStrictShallowCopy_=e}applyPatches(e,t){let n;for(n=t.length-1;n>=0;n--){const s=t[n];if(s.path.length===0&&s.op==="replace"){e=s.value;break}}n>-1&&(t=t.slice(n+1));const o=Nr("Patches").applyPatches_;return jr(e)?o(e,t):this.produce(e,s=>o(s,t))}};function Jc(e,t){const n=Ia(e)?Nr("MapSet").proxyMap_(e,t):Da(e)?Nr("MapSet").proxySet_(e,t):$j(e,t);return(t?t.scope_:Xh()).drafts_.push(n),n}function qj(e){return jr(e)||Tt(10,e),Zh(e)}function Zh(e){if(!fn(e)||Fa(e))return e;const t=e[ht];let n;if(t){if(!t.modified_)return t.base_;t.finalized_=!0,n=Yc(e,t.scope_.immer_.useStrictShallowCopy_)}else n=Yc(e,!0);return oa(n,(o,s)=>{Qh(n,o,Zh(s))}),t&&(t.finalized_=!1),n}var vt=new Uj,ev=vt.produce;vt.produceWithPatches.bind(vt);vt.setAutoFreeze.bind(vt);vt.setUseStrictShallowCopy.bind(vt);vt.applyPatches.bind(vt);vt.createDraft.bind(vt);vt.finishDraft.bind(vt);function tv(e){return({dispatch:n,getState:o})=>s=>i=>typeof i=="function"?i(n,o,e):s(i)}var Vj=tv(),Hj=tv,Kj=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(arguments.length!==0)return typeof arguments[0]=="object"?ra:ra.apply(null,arguments)},Yj=e=>e&&typeof e.match=="function";function Yo(e,t){function n(...o){if(t){let s=t(...o);if(!s)throw new Error(It(0));return{type:e,payload:s.payload,..."meta"in s&&{meta:s.meta},..."error"in s&&{error:s.error}}}return{type:e,payload:o[0]}}return n.toString=()=>`${e}`,n.type=e,n.match=o=>Ij(o)&&o.type===e,n}var nv=class Mo extends Array{constructor(...t){super(...t),Object.setPrototypeOf(this,Mo.prototype)}static get[Symbol.species](){return Mo}concat(...t){return super.concat.apply(this,t)}prepend(...t){return t.length===1&&Array.isArray(t[0])?new Mo(...t[0].concat(this)):new Mo(...t.concat(this))}};function Yf(e){return fn(e)?ev(e,()=>{}):e}function Gf(e,t,n){if(e.has(t)){let s=e.get(t);return n.update&&(s=n.update(s,t,e),e.set(t,s)),s}if(!n.insert)throw new Error(It(10));const o=n.insert(t,e);return e.set(t,o),o}function Gj(e){return typeof e=="boolean"}var Qj=()=>function(t){const{thunk:n=!0,immutableCheck:o=!0,serializableCheck:s=!0,actionCreatorCheck:i=!0}=t??{};let a=new nv;return n&&(Gj(n)?a.push(Vj):a.push(Hj(n.extraArgument))),a},Xj="RTK_autoBatch",rv=e=>t=>{setTimeout(t,e)},Jj=typeof window<"u"&&window.requestAnimationFrame?window.requestAnimationFrame:rv(10),Zj=(e={type:"raf"})=>t=>(...n)=>{const o=t(...n);let s=!0,i=!1,a=!1;const l=new Set,u=e.type==="tick"?queueMicrotask:e.type==="raf"?Jj:e.type==="callback"?e.queueNotification:rv(e.timeout),c=()=>{a=!1,i&&(i=!1,l.forEach(d=>d()))};return Object.assign({},o,{subscribe(d){const f=()=>s&&d(),g=o.subscribe(f);return l.add(d),()=>{g(),l.delete(d)}},dispatch(d){var f;try{return s=!((f=d==null?void 0:d.meta)!=null&&f[Xj]),i=!s,i&&(a||(a=!0,u(c))),o.dispatch(d)}finally{s=!0}}})},e1=e=>function(n){const{autoBatch:o=!0}=n??{};let s=new nv(e);return o&&s.push(Zj(typeof o=="object"?o:void 0)),s};function t1(e){const t=Qj(),{reducer:n=void 0,middleware:o,devTools:s=!0,preloadedState:i=void 0,enhancers:a=void 0}=e||{};let l;if(typeof n=="function")l=n;else if(fd(n))l=Rj(n);else throw new Error(It(1));let u;typeof o=="function"?u=o(t):u=t();let c=ra;s&&(c=Kj({trace:!1,...typeof s=="object"&&s}));const d=Aj(...u),f=e1(d);let g=typeof a=="function"?a(f):f();const b=c(...g);return Kh(l,i,b)}function ov(e){const t={},n=[];let o;const s={addCase(i,a){const l=typeof i=="string"?i:i.type;if(!l)throw new Error(It(28));if(l in t)throw new Error(It(29));return t[l]=a,s},addMatcher(i,a){return n.push({matcher:i,reducer:a}),s},addDefaultCase(i){return o=i,s}};return e(s),[t,n,o]}function n1(e){return typeof e=="function"}function r1(e,t){let[n,o,s]=ov(t),i;if(n1(e))i=()=>Yf(e());else{const l=Yf(e);i=()=>l}function a(l=i(),u){let c=[n[u.type],...o.filter(({matcher:d})=>d(u)).map(({reducer:d})=>d)];return c.filter(d=>!!d).length===0&&(c=[s]),c.reduce((d,f)=>{if(f)if(jr(d)){const b=f(d,u);return b===void 0?d:b}else{if(fn(d))return ev(d,g=>f(g,u));{const g=f(d,u);if(g===void 0){if(d===null)return d;throw new Error(It(9))}return g}}return d},l)}return a.getInitialState=i,a}var o1=(e,t)=>Yj(e)?e.match(t):e(t);function s1(...e){return t=>e.some(n=>o1(n,t))}var i1="ModuleSymbhasOwnPr-0123456789ABCDEFGHNRVfgctiUvz_KqYTJkLxpZXIjQW",a1=(e=21)=>{let t="",n=e;for(;n--;)t+=i1[Math.random()*64|0];return t},l1=["name","message","stack","code"],Wl=class{constructor(e,t){fl(this,"_type");this.payload=e,this.meta=t}},Qf=class{constructor(e,t){fl(this,"_type");this.payload=e,this.meta=t}},c1=e=>{if(typeof e=="object"&&e!==null){const t={};for(const n of l1)typeof e[n]=="string"&&(t[n]=e[n]);return t}return{message:String(e)}},Et=(()=>{function e(t,n,o){const s=Yo(t+"/fulfilled",(u,c,d,f)=>({payload:u,meta:{...f||{},arg:d,requestId:c,requestStatus:"fulfilled"}})),i=Yo(t+"/pending",(u,c,d)=>({payload:void 0,meta:{...d||{},arg:c,requestId:u,requestStatus:"pending"}})),a=Yo(t+"/rejected",(u,c,d,f,g)=>({payload:f,error:(o&&o.serializeError||c1)(u||"Rejected"),meta:{...g||{},arg:d,requestId:c,rejectedWithValue:!!f,requestStatus:"rejected",aborted:(u==null?void 0:u.name)==="AbortError",condition:(u==null?void 0:u.name)==="ConditionError"}}));function l(u){return(c,d,f)=>{const g=o!=null&&o.idGenerator?o.idGenerator(u):a1(),b=new AbortController;let x,N;function C(v){N=v,b.abort()}const h=async function(){var y,E;let v;try{let O=(y=o==null?void 0:o.condition)==null?void 0:y.call(o,u,{getState:d,extra:f});if(d1(O)&&(O=await O),O===!1||b.signal.aborted)throw{name:"ConditionError",message:"Aborted due to condition callback returning false."};const T=new Promise((P,L)=>{x=()=>{L({name:"AbortError",message:N||"Aborted"})},b.signal.addEventListener("abort",x)});c(i(g,u,(E=o==null?void 0:o.getPendingMeta)==null?void 0:E.call(o,{requestId:g,arg:u},{getState:d,extra:f}))),v=await Promise.race([T,Promise.resolve(n(u,{dispatch:c,getState:d,extra:f,requestId:g,signal:b.signal,abort:C,rejectWithValue:(P,L)=>new Wl(P,L),fulfillWithValue:(P,L)=>new Qf(P,L)})).then(P=>{if(P instanceof Wl)throw P;return P instanceof Qf?s(P.payload,g,u,P.meta):s(P,g,u)})])}catch(O){v=O instanceof Wl?a(null,g,u,O.payload,O.meta):a(O,g,u)}finally{x&&b.signal.removeEventListener("abort",x)}return o&&!o.dispatchConditionRejection&&a.match(v)&&v.meta.condition||c(v),v}();return Object.assign(h,{abort:C,requestId:g,arg:u,unwrap(){return h.then(u1)}})}}return Object.assign(l,{pending:i,rejected:a,fulfilled:s,settled:s1(a,s),typePrefix:t})}return e.withTypes=()=>e,e})();function u1(e){if(e.meta&&e.meta.rejectedWithValue)throw e.payload;if(e.error)throw e.error;return e.payload}function d1(e){return e!==null&&typeof e=="object"&&typeof e.then=="function"}var f1=Symbol.for("rtk-slice-createasyncthunk");function p1(e,t){return`${e}/${t}`}function m1({creators:e}={}){var n;const t=(n=e==null?void 0:e.asyncThunk)==null?void 0:n[f1];return function(s){const{name:i,reducerPath:a=i}=s;if(!i)throw new Error(It(11));typeof process<"u";const l=(typeof s.reducers=="function"?s.reducers(v1()):s.reducers)||{},u=Object.keys(l),c={sliceCaseReducersByName:{},sliceCaseReducersByType:{},actionCreators:{},sliceMatchers:[]},d={addCase(m,y){const E=typeof m=="string"?m:m.type;if(!E)throw new Error(It(12));if(E in c.sliceCaseReducersByType)throw new Error(It(13));return c.sliceCaseReducersByType[E]=y,d},addMatcher(m,y){return c.sliceMatchers.push({matcher:m,reducer:y}),d},exposeAction(m,y){return c.actionCreators[m]=y,d},exposeCaseReducer(m,y){return c.sliceCaseReducersByName[m]=y,d}};u.forEach(m=>{const y=l[m],E={reducerName:m,type:p1(i,m),createNotation:typeof s.reducers=="function"};x1(y)?j1(E,y,d,t):g1(E,y,d)});function f(){const[m={},y=[],E=void 0]=typeof s.extraReducers=="function"?ov(s.extraReducers):[s.extraReducers],O={...m,...c.sliceCaseReducersByType};return r1(s.initialState,T=>{for(let P in O)T.addCase(P,O[P]);for(let P of c.sliceMatchers)T.addMatcher(P.matcher,P.reducer);for(let P of y)T.addMatcher(P.matcher,P.reducer);E&&T.addDefaultCase(E)})}const g=m=>m,b=new Map;let x;function N(m,y){return x||(x=f()),x(m,y)}function C(){return x||(x=f()),x.getInitialState()}function h(m,y=!1){function E(T){let P=T[m];return typeof P>"u"&&y&&(P=C()),P}function O(T=g){const P=Gf(b,y,{insert:()=>new WeakMap});return Gf(P,T,{insert:()=>{const L={};for(const[z,H]of Object.entries(s.selectors??{}))L[z]=h1(H,T,C,y);return L}})}return{reducerPath:m,getSelectors:O,get selectors(){return O(E)},selectSlice:E}}const v={name:i,reducer:N,actions:c.actionCreators,caseReducers:c.sliceCaseReducersByName,getInitialState:C,...h(a),injectInto(m,{reducerPath:y,...E}={}){const O=y??a;return m.inject({reducerPath:O,reducer:N},E),{...v,...h(O,!0)}}};return v}}function h1(e,t,n,o){function s(i,...a){let l=t(i);return typeof l>"u"&&o&&(l=n()),e(l,...a)}return s.unwrapped=e,s}var Ma=m1();function v1(){function e(t,n){return{_reducerDefinitionType:"asyncThunk",payloadCreator:t,...n}}return e.withTypes=()=>e,{reducer(t){return Object.assign({[t.name](...n){return t(...n)}}[t.name],{_reducerDefinitionType:"reducer"})},preparedReducer(t,n){return{_reducerDefinitionType:"reducerWithPrepare",prepare:t,reducer:n}},asyncThunk:e}}function g1({type:e,reducerName:t,createNotation:n},o,s){let i,a;if("reducer"in o){if(n&&!y1(o))throw new Error(It(17));i=o.reducer,a=o.prepare}else i=o;s.addCase(e,i).exposeCaseReducer(t,i).exposeAction(t,a?Yo(e,a):Yo(e))}function x1(e){return e._reducerDefinitionType==="asyncThunk"}function y1(e){return e._reducerDefinitionType==="reducerWithPrepare"}function j1({type:e,reducerName:t},n,o,s){if(!s)throw new Error(It(18));const{payloadCreator:i,fulfilled:a,pending:l,rejected:u,settled:c,options:d}=n,f=s(e,i,d);o.exposeAction(t,f),a&&o.addCase(f.fulfilled,a),l&&o.addCase(f.pending,l),u&&o.addCase(f.rejected,u),c&&o.addMatcher(f.settled,c),o.exposeCaseReducer(t,{fulfilled:a||ei,pending:l||ei,rejected:u||ei,settled:c||ei})}function ei(){}function It(e){return`Minified Redux Toolkit error #${e}; visit https://redux-toolkit.js.org/Errors?code=${e} for the full message or use the non-minified dev environment for full errors. `}function sv(e,t){return function(){return e.apply(t,arguments)}}const{toString:N1}=Object.prototype,{getPrototypeOf:hd}=Object,La=(e=>t=>{const n=N1.call(t);return e[n]||(e[n]=n.slice(8,-1).toLowerCase())})(Object.create(null)),Mt=e=>(e=e.toLowerCase(),t=>La(t)===e),Ba=e=>t=>typeof t===e,{isArray:mo}=Array,gs=Ba("undefined");function C1(e){return e!==null&&!gs(e)&&e.constructor!==null&&!gs(e.constructor)&&pt(e.constructor.isBuffer)&&e.constructor.isBuffer(e)}const iv=Mt("ArrayBuffer");function b1(e){let t;return typeof ArrayBuffer<"u"&&ArrayBuffer.isView?t=ArrayBuffer.isView(e):t=e&&e.buffer&&iv(e.buffer),t}const w1=Ba("string"),pt=Ba("function"),av=Ba("number"),za=e=>e!==null&&typeof e=="object",S1=e=>e===!0||e===!1,xi=e=>{if(La(e)!=="object")return!1;const t=hd(e);return(t===null||t===Object.prototype||Object.getPrototypeOf(t)===null)&&!(Symbol.toStringTag in e)&&!(Symbol.iterator in e)},E1=Mt("Date"),k1=Mt("File"),P1=Mt("Blob"),_1=Mt("FileList"),O1=e=>za(e)&&pt(e.pipe),T1=e=>{let t;return e&&(typeof FormData=="function"&&e instanceof FormData||pt(e.append)&&((t=La(e))==="formdata"||t==="object"&&pt(e.toString)&&e.toString()==="[object FormData]"))},R1=Mt("URLSearchParams"),[A1,I1,D1,F1]=["ReadableStream","Request","Response","Headers"].map(Mt),M1=e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,"");function _s(e,t,{allOwnKeys:n=!1}={}){if(e===null||typeof e>"u")return;let o,s;if(typeof e!="object"&&(e=[e]),mo(e))for(o=0,s=e.length;o0;)if(s=n[o],t===s.toLowerCase())return s;return null}const cr=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:global,cv=e=>!gs(e)&&e!==cr;function Zc(){const{caseless:e}=cv(this)&&this||{},t={},n=(o,s)=>{const i=e&&lv(t,s)||s;xi(t[i])&&xi(o)?t[i]=Zc(t[i],o):xi(o)?t[i]=Zc({},o):mo(o)?t[i]=o.slice():t[i]=o};for(let o=0,s=arguments.length;o(_s(t,(s,i)=>{n&&pt(s)?e[i]=sv(s,n):e[i]=s},{allOwnKeys:o}),e),B1=e=>(e.charCodeAt(0)===65279&&(e=e.slice(1)),e),z1=(e,t,n,o)=>{e.prototype=Object.create(t.prototype,o),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},$1=(e,t,n,o)=>{let s,i,a;const l={};if(t=t||{},e==null)return t;do{for(s=Object.getOwnPropertyNames(e),i=s.length;i-- >0;)a=s[i],(!o||o(a,e,t))&&!l[a]&&(t[a]=e[a],l[a]=!0);e=n!==!1&&hd(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},W1=(e,t,n)=>{e=String(e),(n===void 0||n>e.length)&&(n=e.length),n-=t.length;const o=e.indexOf(t,n);return o!==-1&&o===n},U1=e=>{if(!e)return null;if(mo(e))return e;let t=e.length;if(!av(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},q1=(e=>t=>e&&t instanceof e)(typeof Uint8Array<"u"&&hd(Uint8Array)),V1=(e,t)=>{const o=(e&&e[Symbol.iterator]).call(e);let s;for(;(s=o.next())&&!s.done;){const i=s.value;t.call(e,i[0],i[1])}},H1=(e,t)=>{let n;const o=[];for(;(n=e.exec(t))!==null;)o.push(n);return o},K1=Mt("HTMLFormElement"),Y1=e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,function(n,o,s){return o.toUpperCase()+s}),Xf=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),G1=Mt("RegExp"),uv=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),o={};_s(n,(s,i)=>{let a;(a=t(s,i,e))!==!1&&(o[i]=a||s)}),Object.defineProperties(e,o)},Q1=e=>{uv(e,(t,n)=>{if(pt(e)&&["arguments","caller","callee"].indexOf(n)!==-1)return!1;const o=e[n];if(pt(o)){if(t.enumerable=!1,"writable"in t){t.writable=!1;return}t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")})}})},X1=(e,t)=>{const n={},o=s=>{s.forEach(i=>{n[i]=!0})};return mo(e)?o(e):o(String(e).split(t)),n},J1=()=>{},Z1=(e,t)=>e!=null&&Number.isFinite(e=+e)?e:t,Ul="abcdefghijklmnopqrstuvwxyz",Jf="0123456789",dv={DIGIT:Jf,ALPHA:Ul,ALPHA_DIGIT:Ul+Ul.toUpperCase()+Jf},e0=(e=16,t=dv.ALPHA_DIGIT)=>{let n="";const{length:o}=t;for(;e--;)n+=t[Math.random()*o|0];return n};function t0(e){return!!(e&&pt(e.append)&&e[Symbol.toStringTag]==="FormData"&&e[Symbol.iterator])}const n0=e=>{const t=new Array(10),n=(o,s)=>{if(za(o)){if(t.indexOf(o)>=0)return;if(!("toJSON"in o)){t[s]=o;const i=mo(o)?[]:{};return _s(o,(a,l)=>{const u=n(a,s+1);!gs(u)&&(i[l]=u)}),t[s]=void 0,i}}return o};return n(e,0)},r0=Mt("AsyncFunction"),o0=e=>e&&(za(e)||pt(e))&&pt(e.then)&&pt(e.catch),fv=((e,t)=>e?setImmediate:t?((n,o)=>(cr.addEventListener("message",({source:s,data:i})=>{s===cr&&i===n&&o.length&&o.shift()()},!1),s=>{o.push(s),cr.postMessage(n,"*")}))(`axios@${Math.random()}`,[]):n=>setTimeout(n))(typeof setImmediate=="function",pt(cr.postMessage)),s0=typeof queueMicrotask<"u"?queueMicrotask.bind(cr):typeof process<"u"&&process.nextTick||fv,$={isArray:mo,isArrayBuffer:iv,isBuffer:C1,isFormData:T1,isArrayBufferView:b1,isString:w1,isNumber:av,isBoolean:S1,isObject:za,isPlainObject:xi,isReadableStream:A1,isRequest:I1,isResponse:D1,isHeaders:F1,isUndefined:gs,isDate:E1,isFile:k1,isBlob:P1,isRegExp:G1,isFunction:pt,isStream:O1,isURLSearchParams:R1,isTypedArray:q1,isFileList:_1,forEach:_s,merge:Zc,extend:L1,trim:M1,stripBOM:B1,inherits:z1,toFlatObject:$1,kindOf:La,kindOfTest:Mt,endsWith:W1,toArray:U1,forEachEntry:V1,matchAll:H1,isHTMLForm:K1,hasOwnProperty:Xf,hasOwnProp:Xf,reduceDescriptors:uv,freezeMethods:Q1,toObjectSet:X1,toCamelCase:Y1,noop:J1,toFiniteNumber:Z1,findKey:lv,global:cr,isContextDefined:cv,ALPHABET:dv,generateString:e0,isSpecCompliantForm:t0,toJSONObject:n0,isAsyncFn:r0,isThenable:o0,setImmediate:fv,asap:s0};function se(e,t,n,o,s){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error().stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),o&&(this.request=o),s&&(this.response=s,this.status=s.status?s.status:null)}$.inherits(se,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:$.toJSONObject(this.config),code:this.code,status:this.status}}});const pv=se.prototype,mv={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach(e=>{mv[e]={value:e}});Object.defineProperties(se,mv);Object.defineProperty(pv,"isAxiosError",{value:!0});se.from=(e,t,n,o,s,i)=>{const a=Object.create(pv);return $.toFlatObject(e,a,function(u){return u!==Error.prototype},l=>l!=="isAxiosError"),se.call(a,e.message,t,n,o,s),a.cause=e,a.name=e.name,i&&Object.assign(a,i),a};const i0=null;function eu(e){return $.isPlainObject(e)||$.isArray(e)}function hv(e){return $.endsWith(e,"[]")?e.slice(0,-2):e}function Zf(e,t,n){return e?e.concat(t).map(function(s,i){return s=hv(s),!n&&i?"["+s+"]":s}).join(n?".":""):t}function a0(e){return $.isArray(e)&&!e.some(eu)}const l0=$.toFlatObject($,{},null,function(t){return/^is[A-Z]/.test(t)});function $a(e,t,n){if(!$.isObject(e))throw new TypeError("target must be an object");t=t||new FormData,n=$.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,function(N,C){return!$.isUndefined(C[N])});const o=n.metaTokens,s=n.visitor||d,i=n.dots,a=n.indexes,u=(n.Blob||typeof Blob<"u"&&Blob)&&$.isSpecCompliantForm(t);if(!$.isFunction(s))throw new TypeError("visitor must be a function");function c(x){if(x===null)return"";if($.isDate(x))return x.toISOString();if(!u&&$.isBlob(x))throw new se("Blob is not supported. Use a Buffer instead.");return $.isArrayBuffer(x)||$.isTypedArray(x)?u&&typeof Blob=="function"?new Blob([x]):Buffer.from(x):x}function d(x,N,C){let h=x;if(x&&!C&&typeof x=="object"){if($.endsWith(N,"{}"))N=o?N:N.slice(0,-2),x=JSON.stringify(x);else if($.isArray(x)&&a0(x)||($.isFileList(x)||$.endsWith(N,"[]"))&&(h=$.toArray(x)))return N=hv(N),h.forEach(function(m,y){!($.isUndefined(m)||m===null)&&t.append(a===!0?Zf([N],y,i):a===null?N:N+"[]",c(m))}),!1}return eu(x)?!0:(t.append(Zf(C,N,i),c(x)),!1)}const f=[],g=Object.assign(l0,{defaultVisitor:d,convertValue:c,isVisitable:eu});function b(x,N){if(!$.isUndefined(x)){if(f.indexOf(x)!==-1)throw Error("Circular reference detected in "+N.join("."));f.push(x),$.forEach(x,function(h,v){(!($.isUndefined(h)||h===null)&&s.call(t,h,$.isString(v)?v.trim():v,N,g))===!0&&b(h,N?N.concat(v):[v])}),f.pop()}}if(!$.isObject(e))throw new TypeError("data must be an object");return b(e),t}function ep(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,function(o){return t[o]})}function vd(e,t){this._pairs=[],e&&$a(e,this,t)}const vv=vd.prototype;vv.append=function(t,n){this._pairs.push([t,n])};vv.toString=function(t){const n=t?function(o){return t.call(this,o,ep)}:ep;return this._pairs.map(function(s){return n(s[0])+"="+n(s[1])},"").join("&")};function c0(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function gv(e,t,n){if(!t)return e;const o=n&&n.encode||c0,s=n&&n.serialize;let i;if(s?i=s(t,n):i=$.isURLSearchParams(t)?t.toString():new vd(t,n).toString(o),i){const a=e.indexOf("#");a!==-1&&(e=e.slice(0,a)),e+=(e.indexOf("?")===-1?"?":"&")+i}return e}class tp{constructor(){this.handlers=[]}use(t,n,o){return this.handlers.push({fulfilled:t,rejected:n,synchronous:o?o.synchronous:!1,runWhen:o?o.runWhen:null}),this.handlers.length-1}eject(t){this.handlers[t]&&(this.handlers[t]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(t){$.forEach(this.handlers,function(o){o!==null&&t(o)})}}const xv={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},u0=typeof URLSearchParams<"u"?URLSearchParams:vd,d0=typeof FormData<"u"?FormData:null,f0=typeof Blob<"u"?Blob:null,p0={isBrowser:!0,classes:{URLSearchParams:u0,FormData:d0,Blob:f0},protocols:["http","https","file","blob","url","data"]},gd=typeof window<"u"&&typeof document<"u",tu=typeof navigator=="object"&&navigator||void 0,m0=gd&&(!tu||["ReactNative","NativeScript","NS"].indexOf(tu.product)<0),h0=typeof WorkerGlobalScope<"u"&&self instanceof WorkerGlobalScope&&typeof self.importScripts=="function",v0=gd&&window.location.href||"http://localhost",g0=Object.freeze(Object.defineProperty({__proto__:null,hasBrowserEnv:gd,hasStandardBrowserEnv:m0,hasStandardBrowserWebWorkerEnv:h0,navigator:tu,origin:v0},Symbol.toStringTag,{value:"Module"})),it={...g0,...p0};function x0(e,t){return $a(e,new it.classes.URLSearchParams,Object.assign({visitor:function(n,o,s,i){return it.isNode&&$.isBuffer(n)?(this.append(o,n.toString("base64")),!1):i.defaultVisitor.apply(this,arguments)}},t))}function y0(e){return $.matchAll(/\w+|\[(\w*)]/g,e).map(t=>t[0]==="[]"?"":t[1]||t[0])}function j0(e){const t={},n=Object.keys(e);let o;const s=n.length;let i;for(o=0;o=n.length;return a=!a&&$.isArray(s)?s.length:a,u?($.hasOwnProp(s,a)?s[a]=[s[a],o]:s[a]=o,!l):((!s[a]||!$.isObject(s[a]))&&(s[a]=[]),t(n,o,s[a],i)&&$.isArray(s[a])&&(s[a]=j0(s[a])),!l)}if($.isFormData(e)&&$.isFunction(e.entries)){const n={};return $.forEachEntry(e,(o,s)=>{t(y0(o),s,n,0)}),n}return null}function N0(e,t,n){if($.isString(e))try{return(t||JSON.parse)(e),$.trim(e)}catch(o){if(o.name!=="SyntaxError")throw o}return(n||JSON.stringify)(e)}const Os={transitional:xv,adapter:["xhr","http","fetch"],transformRequest:[function(t,n){const o=n.getContentType()||"",s=o.indexOf("application/json")>-1,i=$.isObject(t);if(i&&$.isHTMLForm(t)&&(t=new FormData(t)),$.isFormData(t))return s?JSON.stringify(yv(t)):t;if($.isArrayBuffer(t)||$.isBuffer(t)||$.isStream(t)||$.isFile(t)||$.isBlob(t)||$.isReadableStream(t))return t;if($.isArrayBufferView(t))return t.buffer;if($.isURLSearchParams(t))return n.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),t.toString();let l;if(i){if(o.indexOf("application/x-www-form-urlencoded")>-1)return x0(t,this.formSerializer).toString();if((l=$.isFileList(t))||o.indexOf("multipart/form-data")>-1){const u=this.env&&this.env.FormData;return $a(l?{"files[]":t}:t,u&&new u,this.formSerializer)}}return i||s?(n.setContentType("application/json",!1),N0(t)):t}],transformResponse:[function(t){const n=this.transitional||Os.transitional,o=n&&n.forcedJSONParsing,s=this.responseType==="json";if($.isResponse(t)||$.isReadableStream(t))return t;if(t&&$.isString(t)&&(o&&!this.responseType||s)){const a=!(n&&n.silentJSONParsing)&&s;try{return JSON.parse(t)}catch(l){if(a)throw l.name==="SyntaxError"?se.from(l,se.ERR_BAD_RESPONSE,this,null,this.response):l}}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:it.classes.FormData,Blob:it.classes.Blob},validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};$.forEach(["delete","get","head","post","put","patch"],e=>{Os.headers[e]={}});const C0=$.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),b0=e=>{const t={};let n,o,s;return e&&e.split(` -`).forEach(function(a){s=a.indexOf(":"),n=a.substring(0,s).trim().toLowerCase(),o=a.substring(s+1).trim(),!(!n||t[n]&&C0[n])&&(n==="set-cookie"?t[n]?t[n].push(o):t[n]=[o]:t[n]=t[n]?t[n]+", "+o:o)}),t},np=Symbol("internals");function Ro(e){return e&&String(e).trim().toLowerCase()}function yi(e){return e===!1||e==null?e:$.isArray(e)?e.map(yi):String(e)}function w0(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let o;for(;o=n.exec(e);)t[o[1]]=o[2];return t}const S0=e=>/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim());function ql(e,t,n,o,s){if($.isFunction(o))return o.call(this,t,n);if(s&&(t=n),!!$.isString(t)){if($.isString(o))return t.indexOf(o)!==-1;if($.isRegExp(o))return o.test(t)}}function E0(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,(t,n,o)=>n.toUpperCase()+o)}function k0(e,t){const n=$.toCamelCase(" "+t);["get","set","has"].forEach(o=>{Object.defineProperty(e,o+n,{value:function(s,i,a){return this[o].call(this,t,s,i,a)},configurable:!0})})}class at{constructor(t){t&&this.set(t)}set(t,n,o){const s=this;function i(l,u,c){const d=Ro(u);if(!d)throw new Error("header name must be a non-empty string");const f=$.findKey(s,d);(!f||s[f]===void 0||c===!0||c===void 0&&s[f]!==!1)&&(s[f||u]=yi(l))}const a=(l,u)=>$.forEach(l,(c,d)=>i(c,d,u));if($.isPlainObject(t)||t instanceof this.constructor)a(t,n);else if($.isString(t)&&(t=t.trim())&&!S0(t))a(b0(t),n);else if($.isHeaders(t))for(const[l,u]of t.entries())i(u,l,o);else t!=null&&i(n,t,o);return this}get(t,n){if(t=Ro(t),t){const o=$.findKey(this,t);if(o){const s=this[o];if(!n)return s;if(n===!0)return w0(s);if($.isFunction(n))return n.call(this,s,o);if($.isRegExp(n))return n.exec(s);throw new TypeError("parser must be boolean|regexp|function")}}}has(t,n){if(t=Ro(t),t){const o=$.findKey(this,t);return!!(o&&this[o]!==void 0&&(!n||ql(this,this[o],o,n)))}return!1}delete(t,n){const o=this;let s=!1;function i(a){if(a=Ro(a),a){const l=$.findKey(o,a);l&&(!n||ql(o,o[l],l,n))&&(delete o[l],s=!0)}}return $.isArray(t)?t.forEach(i):i(t),s}clear(t){const n=Object.keys(this);let o=n.length,s=!1;for(;o--;){const i=n[o];(!t||ql(this,this[i],i,t,!0))&&(delete this[i],s=!0)}return s}normalize(t){const n=this,o={};return $.forEach(this,(s,i)=>{const a=$.findKey(o,i);if(a){n[a]=yi(s),delete n[i];return}const l=t?E0(i):String(i).trim();l!==i&&delete n[i],n[l]=yi(s),o[l]=!0}),this}concat(...t){return this.constructor.concat(this,...t)}toJSON(t){const n=Object.create(null);return $.forEach(this,(o,s)=>{o!=null&&o!==!1&&(n[s]=t&&$.isArray(o)?o.join(", "):o)}),n}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map(([t,n])=>t+": "+n).join(` -`)}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(t){return t instanceof this?t:new this(t)}static concat(t,...n){const o=new this(t);return n.forEach(s=>o.set(s)),o}static accessor(t){const o=(this[np]=this[np]={accessors:{}}).accessors,s=this.prototype;function i(a){const l=Ro(a);o[l]||(k0(s,a),o[l]=!0)}return $.isArray(t)?t.forEach(i):i(t),this}}at.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]);$.reduceDescriptors(at.prototype,({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(o){this[n]=o}}});$.freezeMethods(at);function Vl(e,t){const n=this||Os,o=t||n,s=at.from(o.headers);let i=o.data;return $.forEach(e,function(l){i=l.call(n,i,s.normalize(),t?t.status:void 0)}),s.normalize(),i}function jv(e){return!!(e&&e.__CANCEL__)}function ho(e,t,n){se.call(this,e??"canceled",se.ERR_CANCELED,t,n),this.name="CanceledError"}$.inherits(ho,se,{__CANCEL__:!0});function Nv(e,t,n){const o=n.config.validateStatus;!n.status||!o||o(n.status)?e(n):t(new se("Request failed with status code "+n.status,[se.ERR_BAD_REQUEST,se.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n))}function P0(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}function _0(e,t){e=e||10;const n=new Array(e),o=new Array(e);let s=0,i=0,a;return t=t!==void 0?t:1e3,function(u){const c=Date.now(),d=o[i];a||(a=c),n[s]=u,o[s]=c;let f=i,g=0;for(;f!==s;)g+=n[f++],f=f%e;if(s=(s+1)%e,s===i&&(i=(i+1)%e),c-a{n=d,s=null,i&&(clearTimeout(i),i=null),e.apply(null,c)};return[(...c)=>{const d=Date.now(),f=d-n;f>=o?a(c,d):(s=c,i||(i=setTimeout(()=>{i=null,a(s)},o-f)))},()=>s&&a(s)]}const aa=(e,t,n=3)=>{let o=0;const s=_0(50,250);return O0(i=>{const a=i.loaded,l=i.lengthComputable?i.total:void 0,u=a-o,c=s(u),d=a<=l;o=a;const f={loaded:a,total:l,progress:l?a/l:void 0,bytes:u,rate:c||void 0,estimated:c&&l&&d?(l-a)/c:void 0,event:i,lengthComputable:l!=null,[t?"download":"upload"]:!0};e(f)},n)},rp=(e,t)=>{const n=e!=null;return[o=>t[0]({lengthComputable:n,total:e,loaded:o}),t[1]]},op=e=>(...t)=>$.asap(()=>e(...t)),T0=it.hasStandardBrowserEnv?function(){const t=it.navigator&&/(msie|trident)/i.test(it.navigator.userAgent),n=document.createElement("a");let o;function s(i){let a=i;return t&&(n.setAttribute("href",a),a=n.href),n.setAttribute("href",a),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:n.pathname.charAt(0)==="/"?n.pathname:"/"+n.pathname}}return o=s(window.location.href),function(a){const l=$.isString(a)?s(a):a;return l.protocol===o.protocol&&l.host===o.host}}():function(){return function(){return!0}}(),R0=it.hasStandardBrowserEnv?{write(e,t,n,o,s,i){const a=[e+"="+encodeURIComponent(t)];$.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),$.isString(o)&&a.push("path="+o),$.isString(s)&&a.push("domain="+s),i===!0&&a.push("secure"),document.cookie=a.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read(){return null},remove(){}};function A0(e){return/^([a-z][a-z\d+\-.]*:)?\/\//i.test(e)}function I0(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}function Cv(e,t){return e&&!A0(t)?I0(e,t):t}const sp=e=>e instanceof at?{...e}:e;function Cr(e,t){t=t||{};const n={};function o(c,d,f){return $.isPlainObject(c)&&$.isPlainObject(d)?$.merge.call({caseless:f},c,d):$.isPlainObject(d)?$.merge({},d):$.isArray(d)?d.slice():d}function s(c,d,f){if($.isUndefined(d)){if(!$.isUndefined(c))return o(void 0,c,f)}else return o(c,d,f)}function i(c,d){if(!$.isUndefined(d))return o(void 0,d)}function a(c,d){if($.isUndefined(d)){if(!$.isUndefined(c))return o(void 0,c)}else return o(void 0,d)}function l(c,d,f){if(f in t)return o(c,d);if(f in e)return o(void 0,c)}const u={url:i,method:i,data:i,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,withXSRFToken:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:l,headers:(c,d)=>s(sp(c),sp(d),!0)};return $.forEach(Object.keys(Object.assign({},e,t)),function(d){const f=u[d]||s,g=f(e[d],t[d],d);$.isUndefined(g)&&f!==l||(n[d]=g)}),n}const bv=e=>{const t=Cr({},e);let{data:n,withXSRFToken:o,xsrfHeaderName:s,xsrfCookieName:i,headers:a,auth:l}=t;t.headers=a=at.from(a),t.url=gv(Cv(t.baseURL,t.url),e.params,e.paramsSerializer),l&&a.set("Authorization","Basic "+btoa((l.username||"")+":"+(l.password?unescape(encodeURIComponent(l.password)):"")));let u;if($.isFormData(n)){if(it.hasStandardBrowserEnv||it.hasStandardBrowserWebWorkerEnv)a.setContentType(void 0);else if((u=a.getContentType())!==!1){const[c,...d]=u?u.split(";").map(f=>f.trim()).filter(Boolean):[];a.setContentType([c||"multipart/form-data",...d].join("; "))}}if(it.hasStandardBrowserEnv&&(o&&$.isFunction(o)&&(o=o(t)),o||o!==!1&&T0(t.url))){const c=s&&i&&R0.read(i);c&&a.set(s,c)}return t},D0=typeof XMLHttpRequest<"u",F0=D0&&function(e){return new Promise(function(n,o){const s=bv(e);let i=s.data;const a=at.from(s.headers).normalize();let{responseType:l,onUploadProgress:u,onDownloadProgress:c}=s,d,f,g,b,x;function N(){b&&b(),x&&x(),s.cancelToken&&s.cancelToken.unsubscribe(d),s.signal&&s.signal.removeEventListener("abort",d)}let C=new XMLHttpRequest;C.open(s.method.toUpperCase(),s.url,!0),C.timeout=s.timeout;function h(){if(!C)return;const m=at.from("getAllResponseHeaders"in C&&C.getAllResponseHeaders()),E={data:!l||l==="text"||l==="json"?C.responseText:C.response,status:C.status,statusText:C.statusText,headers:m,config:e,request:C};Nv(function(T){n(T),N()},function(T){o(T),N()},E),C=null}"onloadend"in C?C.onloadend=h:C.onreadystatechange=function(){!C||C.readyState!==4||C.status===0&&!(C.responseURL&&C.responseURL.indexOf("file:")===0)||setTimeout(h)},C.onabort=function(){C&&(o(new se("Request aborted",se.ECONNABORTED,e,C)),C=null)},C.onerror=function(){o(new se("Network Error",se.ERR_NETWORK,e,C)),C=null},C.ontimeout=function(){let y=s.timeout?"timeout of "+s.timeout+"ms exceeded":"timeout exceeded";const E=s.transitional||xv;s.timeoutErrorMessage&&(y=s.timeoutErrorMessage),o(new se(y,E.clarifyTimeoutError?se.ETIMEDOUT:se.ECONNABORTED,e,C)),C=null},i===void 0&&a.setContentType(null),"setRequestHeader"in C&&$.forEach(a.toJSON(),function(y,E){C.setRequestHeader(E,y)}),$.isUndefined(s.withCredentials)||(C.withCredentials=!!s.withCredentials),l&&l!=="json"&&(C.responseType=s.responseType),c&&([g,x]=aa(c,!0),C.addEventListener("progress",g)),u&&C.upload&&([f,b]=aa(u),C.upload.addEventListener("progress",f),C.upload.addEventListener("loadend",b)),(s.cancelToken||s.signal)&&(d=m=>{C&&(o(!m||m.type?new ho(null,e,C):m),C.abort(),C=null)},s.cancelToken&&s.cancelToken.subscribe(d),s.signal&&(s.signal.aborted?d():s.signal.addEventListener("abort",d)));const v=P0(s.url);if(v&&it.protocols.indexOf(v)===-1){o(new se("Unsupported protocol "+v+":",se.ERR_BAD_REQUEST,e));return}C.send(i||null)})},M0=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let o=new AbortController,s;const i=function(c){if(!s){s=!0,l();const d=c instanceof Error?c:this.reason;o.abort(d instanceof se?d:new ho(d instanceof Error?d.message:d))}};let a=t&&setTimeout(()=>{a=null,i(new se(`timeout ${t} of ms exceeded`,se.ETIMEDOUT))},t);const l=()=>{e&&(a&&clearTimeout(a),a=null,e.forEach(c=>{c.unsubscribe?c.unsubscribe(i):c.removeEventListener("abort",i)}),e=null)};e.forEach(c=>c.addEventListener("abort",i));const{signal:u}=o;return u.unsubscribe=()=>$.asap(l),u}},L0=function*(e,t){let n=e.byteLength;if(!t||n{const s=B0(e,t);let i=0,a,l=u=>{a||(a=!0,o&&o(u))};return new ReadableStream({async pull(u){try{const{done:c,value:d}=await s.next();if(c){l(),u.close();return}let f=d.byteLength;if(n){let g=i+=f;n(g)}u.enqueue(new Uint8Array(d))}catch(c){throw l(c),c}},cancel(u){return l(u),s.return()}},{highWaterMark:2})},Wa=typeof fetch=="function"&&typeof Request=="function"&&typeof Response=="function",wv=Wa&&typeof ReadableStream=="function",$0=Wa&&(typeof TextEncoder=="function"?(e=>t=>e.encode(t))(new TextEncoder):async e=>new Uint8Array(await new Response(e).arrayBuffer())),Sv=(e,...t)=>{try{return!!e(...t)}catch{return!1}},W0=wv&&Sv(()=>{let e=!1;const t=new Request(it.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t}),ap=64*1024,nu=wv&&Sv(()=>$.isReadableStream(new Response("").body)),la={stream:nu&&(e=>e.body)};Wa&&(e=>{["text","arrayBuffer","blob","formData","stream"].forEach(t=>{!la[t]&&(la[t]=$.isFunction(e[t])?n=>n[t]():(n,o)=>{throw new se(`Response type '${t}' is not supported`,se.ERR_NOT_SUPPORT,o)})})})(new Response);const U0=async e=>{if(e==null)return 0;if($.isBlob(e))return e.size;if($.isSpecCompliantForm(e))return(await new Request(it.origin,{method:"POST",body:e}).arrayBuffer()).byteLength;if($.isArrayBufferView(e)||$.isArrayBuffer(e))return e.byteLength;if($.isURLSearchParams(e)&&(e=e+""),$.isString(e))return(await $0(e)).byteLength},q0=async(e,t)=>{const n=$.toFiniteNumber(e.getContentLength());return n??U0(t)},V0=Wa&&(async e=>{let{url:t,method:n,data:o,signal:s,cancelToken:i,timeout:a,onDownloadProgress:l,onUploadProgress:u,responseType:c,headers:d,withCredentials:f="same-origin",fetchOptions:g}=bv(e);c=c?(c+"").toLowerCase():"text";let b=M0([s,i&&i.toAbortSignal()],a),x;const N=b&&b.unsubscribe&&(()=>{b.unsubscribe()});let C;try{if(u&&W0&&n!=="get"&&n!=="head"&&(C=await q0(d,o))!==0){let E=new Request(t,{method:"POST",body:o,duplex:"half"}),O;if($.isFormData(o)&&(O=E.headers.get("content-type"))&&d.setContentType(O),E.body){const[T,P]=rp(C,aa(op(u)));o=ip(E.body,ap,T,P)}}$.isString(f)||(f=f?"include":"omit");const h="credentials"in Request.prototype;x=new Request(t,{...g,signal:b,method:n.toUpperCase(),headers:d.normalize().toJSON(),body:o,duplex:"half",credentials:h?f:void 0});let v=await fetch(x);const m=nu&&(c==="stream"||c==="response");if(nu&&(l||m&&N)){const E={};["status","statusText","headers"].forEach(L=>{E[L]=v[L]});const O=$.toFiniteNumber(v.headers.get("content-length")),[T,P]=l&&rp(O,aa(op(l),!0))||[];v=new Response(ip(v.body,ap,T,()=>{P&&P(),N&&N()}),E)}c=c||"text";let y=await la[$.findKey(la,c)||"text"](v,e);return!m&&N&&N(),await new Promise((E,O)=>{Nv(E,O,{data:y,headers:at.from(v.headers),status:v.status,statusText:v.statusText,config:e,request:x})})}catch(h){throw N&&N(),h&&h.name==="TypeError"&&/fetch/i.test(h.message)?Object.assign(new se("Network Error",se.ERR_NETWORK,e,x),{cause:h.cause||h}):se.from(h,h&&h.code,e,x)}}),ru={http:i0,xhr:F0,fetch:V0};$.forEach(ru,(e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch{}Object.defineProperty(e,"adapterName",{value:t})}});const lp=e=>`- ${e}`,H0=e=>$.isFunction(e)||e===null||e===!1,Ev={getAdapter:e=>{e=$.isArray(e)?e:[e];const{length:t}=e;let n,o;const s={};for(let i=0;i`adapter ${l} `+(u===!1?"is not supported by the environment":"is not available in the build"));let a=t?i.length>1?`since : + */var _s=S;function ij(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var aj=typeof Object.is=="function"?Object.is:ij,lj=_s.useSyncExternalStore,cj=_s.useRef,uj=_s.useEffect,dj=_s.useMemo,fj=_s.useDebugValue;Uh.useSyncExternalStoreWithSelector=function(e,t,n,o,s){var i=cj(null);if(i.current===null){var a={hasValue:!1,value:null};i.current=a}else a=i.current;i=dj(function(){function u(C){if(!c){if(c=!0,d=C,C=o(C),s!==void 0&&a.hasValue){var x=a.value;if(s(x,C))return f=x}return f=C}if(x=f,aj(d,C))return x;var N=o(C);return s!==void 0&&s(x,N)?x:(d=C,f=N)}var c=!1,d,f,g=n===void 0?null:n;return[function(){return u(t())},g===null?void 0:function(){return u(g())}]},[t,n,o,s]);var l=lj(e,i[0],i[1]);return uj(function(){a.hasValue=!0,a.value=l},[l]),fj(l),l};Wh.exports=Uh;var pj=Wh.exports,ut="default"in tc?I:tc,Bf=Symbol.for("react-redux-context"),zf=typeof globalThis<"u"?globalThis:{};function mj(){if(!ut.createContext)return{};const e=zf[Bf]??(zf[Bf]=new Map);let t=e.get(ut.createContext);return t||(t=ut.createContext(null),e.set(ut.createContext,t)),t}var Un=mj(),hj=()=>{throw new Error("uSES not initialized!")};function dd(e=Un){return function(){return ut.useContext(e)}}var qh=dd(),Vh=hj,vj=e=>{Vh=e},gj=(e,t)=>e===t;function xj(e=Un){const t=e===Un?qh:dd(e),n=(o,s={})=>{const{equalityFn:i=gj,devModeChecks:a={}}=typeof s=="function"?{equalityFn:s}:s,{store:l,subscription:u,getServerState:c,stabilityCheck:d,identityFunctionCheck:f}=t();ut.useRef(!0);const g=ut.useCallback({[o.name](x){return o(x)}}[o.name],[o,d,a.stabilityCheck]),C=Vh(u.addNestedSub,l.getState,c||l.getState,g,i);return ut.useDebugValue(C),C};return Object.assign(n,{withTypes:()=>n}),n}var Ve=xj();function yj(e){e()}function jj(){let e=null,t=null;return{clear(){e=null,t=null},notify(){yj(()=>{let n=e;for(;n;)n.callback(),n=n.next})},get(){const n=[];let o=e;for(;o;)n.push(o),o=o.next;return n},subscribe(n){let o=!0;const s=t={callback:n,next:null,prev:t};return s.prev?s.prev.next=s:e=s,function(){!o||e===null||(o=!1,s.next?s.next.prev=s.prev:t=s.prev,s.prev?s.prev.next=s.next:e=s.next)}}}}var $f={notify(){},get:()=>[]};function Nj(e,t){let n,o=$f,s=0,i=!1;function a(N){d();const b=o.subscribe(N);let h=!1;return()=>{h||(h=!0,b(),f())}}function l(){o.notify()}function u(){x.onStateChange&&x.onStateChange()}function c(){return i}function d(){s++,n||(n=e.subscribe(u),o=jj())}function f(){s--,n&&s===0&&(n(),n=void 0,o.clear(),o=$f)}function g(){i||(i=!0,d())}function C(){i&&(i=!1,f())}const x={addNestedSub:a,notifyNestedSubs:l,handleChangeWrapper:u,isSubscribed:c,trySubscribe:g,tryUnsubscribe:C,getListeners:()=>o};return x}var Cj=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",bj=typeof navigator<"u"&&navigator.product==="ReactNative",wj=Cj||bj?ut.useLayoutEffect:ut.useEffect;function Sj({store:e,context:t,children:n,serverState:o,stabilityCheck:s="once",identityFunctionCheck:i="once"}){const a=ut.useMemo(()=>{const c=Nj(e);return{store:e,subscription:c,getServerState:o?()=>o:void 0,stabilityCheck:s,identityFunctionCheck:i}},[e,o,s,i]),l=ut.useMemo(()=>e.getState(),[e]);wj(()=>{const{subscription:c}=a;return c.onStateChange=c.notifyNestedSubs,c.trySubscribe(),l!==e.getState()&&c.notifyNestedSubs(),()=>{c.tryUnsubscribe(),c.onStateChange=void 0}},[a,l]);const u=t||Un;return ut.createElement(u.Provider,{value:a},n)}var Ej=Sj;function Hh(e=Un){const t=e===Un?qh:dd(e),n=()=>{const{store:o}=t();return o};return Object.assign(n,{withTypes:()=>n}),n}var kj=Hh();function Pj(e=Un){const t=e===Un?kj:Hh(e),n=()=>t().dispatch;return Object.assign(n,{withTypes:()=>n}),n}var Ft=Pj();vj(pj.useSyncExternalStoreWithSelector);function Le(e){return`Minified Redux error #${e}; visit https://redux.js.org/Errors?code=${e} for the full message or use the non-minified dev environment for full errors. `}var _j=typeof Symbol=="function"&&Symbol.observable||"@@observable",Wf=_j,zl=()=>Math.random().toString(36).substring(7).split("").join("."),Oj={INIT:`@@redux/INIT${zl()}`,REPLACE:`@@redux/REPLACE${zl()}`,PROBE_UNKNOWN_ACTION:()=>`@@redux/PROBE_UNKNOWN_ACTION${zl()}`},ra=Oj;function fd(e){if(typeof e!="object"||e===null)return!1;let t=e;for(;Object.getPrototypeOf(t)!==null;)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t||Object.getPrototypeOf(e)===null}function Kh(e,t,n){if(typeof e!="function")throw new Error(Le(2));if(typeof t=="function"&&typeof n=="function"||typeof n=="function"&&typeof arguments[3]=="function")throw new Error(Le(0));if(typeof t=="function"&&typeof n>"u"&&(n=t,t=void 0),typeof n<"u"){if(typeof n!="function")throw new Error(Le(1));return n(Kh)(e,t)}let o=e,s=t,i=new Map,a=i,l=0,u=!1;function c(){a===i&&(a=new Map,i.forEach((b,h)=>{a.set(h,b)}))}function d(){if(u)throw new Error(Le(3));return s}function f(b){if(typeof b!="function")throw new Error(Le(4));if(u)throw new Error(Le(5));let h=!0;c();const v=l++;return a.set(v,b),function(){if(h){if(u)throw new Error(Le(6));h=!1,c(),a.delete(v),i=null}}}function g(b){if(!fd(b))throw new Error(Le(7));if(typeof b.type>"u")throw new Error(Le(8));if(typeof b.type!="string")throw new Error(Le(17));if(u)throw new Error(Le(9));try{u=!0,s=o(s,b)}finally{u=!1}return(i=a).forEach(v=>{v()}),b}function C(b){if(typeof b!="function")throw new Error(Le(10));o=b,g({type:ra.REPLACE})}function x(){const b=f;return{subscribe(h){if(typeof h!="object"||h===null)throw new Error(Le(11));function v(){const y=h;y.next&&y.next(d())}return v(),{unsubscribe:b(v)}},[Wf](){return this}}}return g({type:ra.INIT}),{dispatch:g,subscribe:f,getState:d,replaceReducer:C,[Wf]:x}}function Tj(e){Object.keys(e).forEach(t=>{const n=e[t];if(typeof n(void 0,{type:ra.INIT})>"u")throw new Error(Le(12));if(typeof n(void 0,{type:ra.PROBE_UNKNOWN_ACTION()})>"u")throw new Error(Le(13))})}function Rj(e){const t=Object.keys(e),n={};for(let i=0;i"u")throw l&&l.type,new Error(Le(14));c[f]=x,u=u||x!==C}return u=u||o.length!==Object.keys(a).length,u?c:a}}function oa(...e){return e.length===0?t=>t:e.length===1?e[0]:e.reduce((t,n)=>(...o)=>t(n(...o)))}function Aj(...e){return t=>(n,o)=>{const s=t(n,o);let i=()=>{throw new Error(Le(15))};const a={getState:s.getState,dispatch:(u,...c)=>i(u,...c)},l=e.map(u=>u(a));return i=oa(...l)(s.dispatch),{...s,dispatch:i}}}function Ij(e){return fd(e)&&"type"in e&&typeof e.type=="string"}var Yh=Symbol.for("immer-nothing"),Uf=Symbol.for("immer-draftable"),ht=Symbol.for("immer-state");function Tt(e,...t){throw new Error(`[Immer] minified error nr: ${e}. Full error at: https://bit.ly/3cXEKWf`)}var ao=Object.getPrototypeOf;function jr(e){return!!e&&!!e[ht]}function dn(e){var t;return e?Gh(e)||Array.isArray(e)||!!e[Uf]||!!((t=e.constructor)!=null&&t[Uf])||Da(e)||Fa(e):!1}var Dj=Object.prototype.constructor.toString();function Gh(e){if(!e||typeof e!="object")return!1;const t=ao(e);if(t===null)return!0;const n=Object.hasOwnProperty.call(t,"constructor")&&t.constructor;return n===Object?!0:typeof n=="function"&&Function.toString.call(n)===Dj}function sa(e,t){Ia(e)===0?Reflect.ownKeys(e).forEach(n=>{t(n,e[n],e)}):e.forEach((n,o)=>t(o,n,e))}function Ia(e){const t=e[ht];return t?t.type_:Array.isArray(e)?1:Da(e)?2:Fa(e)?3:0}function Yc(e,t){return Ia(e)===2?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function Qh(e,t,n){const o=Ia(e);o===2?e.set(t,n):o===3?e.add(n):e[t]=n}function Fj(e,t){return e===t?e!==0||1/e===1/t:e!==e&&t!==t}function Da(e){return e instanceof Map}function Fa(e){return e instanceof Set}function nr(e){return e.copy_||e.base_}function Gc(e,t){if(Da(e))return new Map(e);if(Fa(e))return new Set(e);if(Array.isArray(e))return Array.prototype.slice.call(e);const n=Gh(e);if(t===!0||t==="class_only"&&!n){const o=Object.getOwnPropertyDescriptors(e);delete o[ht];let s=Reflect.ownKeys(o);for(let i=0;i1&&(e.set=e.add=e.clear=e.delete=Mj),Object.freeze(e),t&&Object.entries(e).forEach(([n,o])=>pd(o,!0))),e}function Mj(){Tt(2)}function Ma(e){return Object.isFrozen(e)}var Lj={};function Nr(e){const t=Lj[e];return t||Tt(0,e),t}var vs;function Xh(){return vs}function Bj(e,t){return{drafts_:[],parent_:e,immer_:t,canAutoFreeze_:!0,unfinalizedDrafts_:0}}function qf(e,t){t&&(Nr("Patches"),e.patches_=[],e.inversePatches_=[],e.patchListener_=t)}function Qc(e){Xc(e),e.drafts_.forEach(zj),e.drafts_=null}function Xc(e){e===vs&&(vs=e.parent_)}function Vf(e){return vs=Bj(vs,e)}function zj(e){const t=e[ht];t.type_===0||t.type_===1?t.revoke_():t.revoked_=!0}function Hf(e,t){t.unfinalizedDrafts_=t.drafts_.length;const n=t.drafts_[0];return e!==void 0&&e!==n?(n[ht].modified_&&(Qc(t),Tt(4)),dn(e)&&(e=ia(t,e),t.parent_||aa(t,e)),t.patches_&&Nr("Patches").generateReplacementPatches_(n[ht].base_,e,t.patches_,t.inversePatches_)):e=ia(t,n,[]),Qc(t),t.patches_&&t.patchListener_(t.patches_,t.inversePatches_),e!==Yh?e:void 0}function ia(e,t,n){if(Ma(t))return t;const o=t[ht];if(!o)return sa(t,(s,i)=>Kf(e,o,t,s,i,n)),t;if(o.scope_!==e)return t;if(!o.modified_)return aa(e,o.base_,!0),o.base_;if(!o.finalized_){o.finalized_=!0,o.scope_.unfinalizedDrafts_--;const s=o.copy_;let i=s,a=!1;o.type_===3&&(i=new Set(s),s.clear(),a=!0),sa(i,(l,u)=>Kf(e,o,s,l,u,n,a)),aa(e,s,!1),n&&e.patches_&&Nr("Patches").generatePatches_(o,n,e.patches_,e.inversePatches_)}return o.copy_}function Kf(e,t,n,o,s,i,a){if(jr(s)){const l=i&&t&&t.type_!==3&&!Yc(t.assigned_,o)?i.concat(o):void 0,u=ia(e,s,l);if(Qh(n,o,u),jr(u))e.canAutoFreeze_=!1;else return}else a&&n.add(s);if(dn(s)&&!Ma(s)){if(!e.immer_.autoFreeze_&&e.unfinalizedDrafts_<1)return;ia(e,s),(!t||!t.scope_.parent_)&&typeof o!="symbol"&&Object.prototype.propertyIsEnumerable.call(n,o)&&aa(e,s)}}function aa(e,t,n=!1){!e.parent_&&e.immer_.autoFreeze_&&e.canAutoFreeze_&&pd(t,n)}function $j(e,t){const n=Array.isArray(e),o={type_:n?1:0,scope_:t?t.scope_:Xh(),modified_:!1,finalized_:!1,assigned_:{},parent_:t,base_:e,draft_:null,copy_:null,revoke_:null,isManual_:!1};let s=o,i=md;n&&(s=[o],i=gs);const{revoke:a,proxy:l}=Proxy.revocable(s,i);return o.draft_=l,o.revoke_=a,l}var md={get(e,t){if(t===ht)return e;const n=nr(e);if(!Yc(n,t))return Wj(e,n,t);const o=n[t];return e.finalized_||!dn(o)?o:o===$l(e.base_,t)?(Wl(e),e.copy_[t]=Zc(o,e)):o},has(e,t){return t in nr(e)},ownKeys(e){return Reflect.ownKeys(nr(e))},set(e,t,n){const o=Jh(nr(e),t);if(o!=null&&o.set)return o.set.call(e.draft_,n),!0;if(!e.modified_){const s=$l(nr(e),t),i=s==null?void 0:s[ht];if(i&&i.base_===n)return e.copy_[t]=n,e.assigned_[t]=!1,!0;if(Fj(n,s)&&(n!==void 0||Yc(e.base_,t)))return!0;Wl(e),Jc(e)}return e.copy_[t]===n&&(n!==void 0||t in e.copy_)||Number.isNaN(n)&&Number.isNaN(e.copy_[t])||(e.copy_[t]=n,e.assigned_[t]=!0),!0},deleteProperty(e,t){return $l(e.base_,t)!==void 0||t in e.base_?(e.assigned_[t]=!1,Wl(e),Jc(e)):delete e.assigned_[t],e.copy_&&delete e.copy_[t],!0},getOwnPropertyDescriptor(e,t){const n=nr(e),o=Reflect.getOwnPropertyDescriptor(n,t);return o&&{writable:!0,configurable:e.type_!==1||t!=="length",enumerable:o.enumerable,value:n[t]}},defineProperty(){Tt(11)},getPrototypeOf(e){return ao(e.base_)},setPrototypeOf(){Tt(12)}},gs={};sa(md,(e,t)=>{gs[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}});gs.deleteProperty=function(e,t){return gs.set.call(this,e,t,void 0)};gs.set=function(e,t,n){return md.set.call(this,e[0],t,n,e[0])};function $l(e,t){const n=e[ht];return(n?nr(n):e)[t]}function Wj(e,t,n){var s;const o=Jh(t,n);return o?"value"in o?o.value:(s=o.get)==null?void 0:s.call(e.draft_):void 0}function Jh(e,t){if(!(t in e))return;let n=ao(e);for(;n;){const o=Object.getOwnPropertyDescriptor(n,t);if(o)return o;n=ao(n)}}function Jc(e){e.modified_||(e.modified_=!0,e.parent_&&Jc(e.parent_))}function Wl(e){e.copy_||(e.copy_=Gc(e.base_,e.scope_.immer_.useStrictShallowCopy_))}var Uj=class{constructor(e){this.autoFreeze_=!0,this.useStrictShallowCopy_=!1,this.produce=(t,n,o)=>{if(typeof t=="function"&&typeof n!="function"){const i=n;n=t;const a=this;return function(u=i,...c){return a.produce(u,d=>n.call(this,d,...c))}}typeof n!="function"&&Tt(6),o!==void 0&&typeof o!="function"&&Tt(7);let s;if(dn(t)){const i=Vf(this),a=Zc(t,void 0);let l=!0;try{s=n(a),l=!1}finally{l?Qc(i):Xc(i)}return qf(i,o),Hf(s,i)}else if(!t||typeof t!="object"){if(s=n(t),s===void 0&&(s=t),s===Yh&&(s=void 0),this.autoFreeze_&&pd(s,!0),o){const i=[],a=[];Nr("Patches").generateReplacementPatches_(t,s,i,a),o(i,a)}return s}else Tt(1,t)},this.produceWithPatches=(t,n)=>{if(typeof t=="function")return(a,...l)=>this.produceWithPatches(a,u=>t(u,...l));let o,s;return[this.produce(t,n,(a,l)=>{o=a,s=l}),o,s]},typeof(e==null?void 0:e.autoFreeze)=="boolean"&&this.setAutoFreeze(e.autoFreeze),typeof(e==null?void 0:e.useStrictShallowCopy)=="boolean"&&this.setUseStrictShallowCopy(e.useStrictShallowCopy)}createDraft(e){dn(e)||Tt(8),jr(e)&&(e=qj(e));const t=Vf(this),n=Zc(e,void 0);return n[ht].isManual_=!0,Xc(t),n}finishDraft(e,t){const n=e&&e[ht];(!n||!n.isManual_)&&Tt(9);const{scope_:o}=n;return qf(o,t),Hf(void 0,o)}setAutoFreeze(e){this.autoFreeze_=e}setUseStrictShallowCopy(e){this.useStrictShallowCopy_=e}applyPatches(e,t){let n;for(n=t.length-1;n>=0;n--){const s=t[n];if(s.path.length===0&&s.op==="replace"){e=s.value;break}}n>-1&&(t=t.slice(n+1));const o=Nr("Patches").applyPatches_;return jr(e)?o(e,t):this.produce(e,s=>o(s,t))}};function Zc(e,t){const n=Da(e)?Nr("MapSet").proxyMap_(e,t):Fa(e)?Nr("MapSet").proxySet_(e,t):$j(e,t);return(t?t.scope_:Xh()).drafts_.push(n),n}function qj(e){return jr(e)||Tt(10,e),Zh(e)}function Zh(e){if(!dn(e)||Ma(e))return e;const t=e[ht];let n;if(t){if(!t.modified_)return t.base_;t.finalized_=!0,n=Gc(e,t.scope_.immer_.useStrictShallowCopy_)}else n=Gc(e,!0);return sa(n,(o,s)=>{Qh(n,o,Zh(s))}),t&&(t.finalized_=!1),n}var vt=new Uj,ev=vt.produce;vt.produceWithPatches.bind(vt);vt.setAutoFreeze.bind(vt);vt.setUseStrictShallowCopy.bind(vt);vt.applyPatches.bind(vt);vt.createDraft.bind(vt);vt.finishDraft.bind(vt);function tv(e){return({dispatch:n,getState:o})=>s=>i=>typeof i=="function"?i(n,o,e):s(i)}var Vj=tv(),Hj=tv,Kj=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(arguments.length!==0)return typeof arguments[0]=="object"?oa:oa.apply(null,arguments)},Yj=e=>e&&typeof e.match=="function";function Yo(e,t){function n(...o){if(t){let s=t(...o);if(!s)throw new Error(It(0));return{type:e,payload:s.payload,..."meta"in s&&{meta:s.meta},..."error"in s&&{error:s.error}}}return{type:e,payload:o[0]}}return n.toString=()=>`${e}`,n.type=e,n.match=o=>Ij(o)&&o.type===e,n}var nv=class Mo extends Array{constructor(...t){super(...t),Object.setPrototypeOf(this,Mo.prototype)}static get[Symbol.species](){return Mo}concat(...t){return super.concat.apply(this,t)}prepend(...t){return t.length===1&&Array.isArray(t[0])?new Mo(...t[0].concat(this)):new Mo(...t.concat(this))}};function Yf(e){return dn(e)?ev(e,()=>{}):e}function Gf(e,t,n){if(e.has(t)){let s=e.get(t);return n.update&&(s=n.update(s,t,e),e.set(t,s)),s}if(!n.insert)throw new Error(It(10));const o=n.insert(t,e);return e.set(t,o),o}function Gj(e){return typeof e=="boolean"}var Qj=()=>function(t){const{thunk:n=!0,immutableCheck:o=!0,serializableCheck:s=!0,actionCreatorCheck:i=!0}=t??{};let a=new nv;return n&&(Gj(n)?a.push(Vj):a.push(Hj(n.extraArgument))),a},Xj="RTK_autoBatch",rv=e=>t=>{setTimeout(t,e)},Jj=typeof window<"u"&&window.requestAnimationFrame?window.requestAnimationFrame:rv(10),Zj=(e={type:"raf"})=>t=>(...n)=>{const o=t(...n);let s=!0,i=!1,a=!1;const l=new Set,u=e.type==="tick"?queueMicrotask:e.type==="raf"?Jj:e.type==="callback"?e.queueNotification:rv(e.timeout),c=()=>{a=!1,i&&(i=!1,l.forEach(d=>d()))};return Object.assign({},o,{subscribe(d){const f=()=>s&&d(),g=o.subscribe(f);return l.add(d),()=>{g(),l.delete(d)}},dispatch(d){var f;try{return s=!((f=d==null?void 0:d.meta)!=null&&f[Xj]),i=!s,i&&(a||(a=!0,u(c))),o.dispatch(d)}finally{s=!0}}})},e1=e=>function(n){const{autoBatch:o=!0}=n??{};let s=new nv(e);return o&&s.push(Zj(typeof o=="object"?o:void 0)),s};function t1(e){const t=Qj(),{reducer:n=void 0,middleware:o,devTools:s=!0,preloadedState:i=void 0,enhancers:a=void 0}=e||{};let l;if(typeof n=="function")l=n;else if(fd(n))l=Rj(n);else throw new Error(It(1));let u;typeof o=="function"?u=o(t):u=t();let c=oa;s&&(c=Kj({trace:!1,...typeof s=="object"&&s}));const d=Aj(...u),f=e1(d);let g=typeof a=="function"?a(f):f();const C=c(...g);return Kh(l,i,C)}function ov(e){const t={},n=[];let o;const s={addCase(i,a){const l=typeof i=="string"?i:i.type;if(!l)throw new Error(It(28));if(l in t)throw new Error(It(29));return t[l]=a,s},addMatcher(i,a){return n.push({matcher:i,reducer:a}),s},addDefaultCase(i){return o=i,s}};return e(s),[t,n,o]}function n1(e){return typeof e=="function"}function r1(e,t){let[n,o,s]=ov(t),i;if(n1(e))i=()=>Yf(e());else{const l=Yf(e);i=()=>l}function a(l=i(),u){let c=[n[u.type],...o.filter(({matcher:d})=>d(u)).map(({reducer:d})=>d)];return c.filter(d=>!!d).length===0&&(c=[s]),c.reduce((d,f)=>{if(f)if(jr(d)){const C=f(d,u);return C===void 0?d:C}else{if(dn(d))return ev(d,g=>f(g,u));{const g=f(d,u);if(g===void 0){if(d===null)return d;throw new Error(It(9))}return g}}return d},l)}return a.getInitialState=i,a}var o1=(e,t)=>Yj(e)?e.match(t):e(t);function s1(...e){return t=>e.some(n=>o1(n,t))}var i1="ModuleSymbhasOwnPr-0123456789ABCDEFGHNRVfgctiUvz_KqYTJkLxpZXIjQW",a1=(e=21)=>{let t="",n=e;for(;n--;)t+=i1[Math.random()*64|0];return t},l1=["name","message","stack","code"],Ul=class{constructor(e,t){pl(this,"_type");this.payload=e,this.meta=t}},Qf=class{constructor(e,t){pl(this,"_type");this.payload=e,this.meta=t}},c1=e=>{if(typeof e=="object"&&e!==null){const t={};for(const n of l1)typeof e[n]=="string"&&(t[n]=e[n]);return t}return{message:String(e)}},Et=(()=>{function e(t,n,o){const s=Yo(t+"/fulfilled",(u,c,d,f)=>({payload:u,meta:{...f||{},arg:d,requestId:c,requestStatus:"fulfilled"}})),i=Yo(t+"/pending",(u,c,d)=>({payload:void 0,meta:{...d||{},arg:c,requestId:u,requestStatus:"pending"}})),a=Yo(t+"/rejected",(u,c,d,f,g)=>({payload:f,error:(o&&o.serializeError||c1)(u||"Rejected"),meta:{...g||{},arg:d,requestId:c,rejectedWithValue:!!f,requestStatus:"rejected",aborted:(u==null?void 0:u.name)==="AbortError",condition:(u==null?void 0:u.name)==="ConditionError"}}));function l(u){return(c,d,f)=>{const g=o!=null&&o.idGenerator?o.idGenerator(u):a1(),C=new AbortController;let x,N;function b(v){N=v,C.abort()}const h=async function(){var y,E;let v;try{let k=(y=o==null?void 0:o.condition)==null?void 0:y.call(o,u,{getState:d,extra:f});if(d1(k)&&(k=await k),k===!1||C.signal.aborted)throw{name:"ConditionError",message:"Aborted due to condition callback returning false."};const T=new Promise((O,B)=>{x=()=>{B({name:"AbortError",message:N||"Aborted"})},C.signal.addEventListener("abort",x)});c(i(g,u,(E=o==null?void 0:o.getPendingMeta)==null?void 0:E.call(o,{requestId:g,arg:u},{getState:d,extra:f}))),v=await Promise.race([T,Promise.resolve(n(u,{dispatch:c,getState:d,extra:f,requestId:g,signal:C.signal,abort:b,rejectWithValue:(O,B)=>new Ul(O,B),fulfillWithValue:(O,B)=>new Qf(O,B)})).then(O=>{if(O instanceof Ul)throw O;return O instanceof Qf?s(O.payload,g,u,O.meta):s(O,g,u)})])}catch(k){v=k instanceof Ul?a(null,g,u,k.payload,k.meta):a(k,g,u)}finally{x&&C.signal.removeEventListener("abort",x)}return o&&!o.dispatchConditionRejection&&a.match(v)&&v.meta.condition||c(v),v}();return Object.assign(h,{abort:b,requestId:g,arg:u,unwrap(){return h.then(u1)}})}}return Object.assign(l,{pending:i,rejected:a,fulfilled:s,settled:s1(a,s),typePrefix:t})}return e.withTypes=()=>e,e})();function u1(e){if(e.meta&&e.meta.rejectedWithValue)throw e.payload;if(e.error)throw e.error;return e.payload}function d1(e){return e!==null&&typeof e=="object"&&typeof e.then=="function"}var f1=Symbol.for("rtk-slice-createasyncthunk");function p1(e,t){return`${e}/${t}`}function m1({creators:e}={}){var n;const t=(n=e==null?void 0:e.asyncThunk)==null?void 0:n[f1];return function(s){const{name:i,reducerPath:a=i}=s;if(!i)throw new Error(It(11));typeof process<"u";const l=(typeof s.reducers=="function"?s.reducers(v1()):s.reducers)||{},u=Object.keys(l),c={sliceCaseReducersByName:{},sliceCaseReducersByType:{},actionCreators:{},sliceMatchers:[]},d={addCase(m,y){const E=typeof m=="string"?m:m.type;if(!E)throw new Error(It(12));if(E in c.sliceCaseReducersByType)throw new Error(It(13));return c.sliceCaseReducersByType[E]=y,d},addMatcher(m,y){return c.sliceMatchers.push({matcher:m,reducer:y}),d},exposeAction(m,y){return c.actionCreators[m]=y,d},exposeCaseReducer(m,y){return c.sliceCaseReducersByName[m]=y,d}};u.forEach(m=>{const y=l[m],E={reducerName:m,type:p1(i,m),createNotation:typeof s.reducers=="function"};x1(y)?j1(E,y,d,t):g1(E,y,d)});function f(){const[m={},y=[],E=void 0]=typeof s.extraReducers=="function"?ov(s.extraReducers):[s.extraReducers],k={...m,...c.sliceCaseReducersByType};return r1(s.initialState,T=>{for(let O in k)T.addCase(O,k[O]);for(let O of c.sliceMatchers)T.addMatcher(O.matcher,O.reducer);for(let O of y)T.addMatcher(O.matcher,O.reducer);E&&T.addDefaultCase(E)})}const g=m=>m,C=new Map;let x;function N(m,y){return x||(x=f()),x(m,y)}function b(){return x||(x=f()),x.getInitialState()}function h(m,y=!1){function E(T){let O=T[m];return typeof O>"u"&&y&&(O=b()),O}function k(T=g){const O=Gf(C,y,{insert:()=>new WeakMap});return Gf(O,T,{insert:()=>{const B={};for(const[$,H]of Object.entries(s.selectors??{}))B[$]=h1(H,T,b,y);return B}})}return{reducerPath:m,getSelectors:k,get selectors(){return k(E)},selectSlice:E}}const v={name:i,reducer:N,actions:c.actionCreators,caseReducers:c.sliceCaseReducersByName,getInitialState:b,...h(a),injectInto(m,{reducerPath:y,...E}={}){const k=y??a;return m.inject({reducerPath:k,reducer:N},E),{...v,...h(k,!0)}}};return v}}function h1(e,t,n,o){function s(i,...a){let l=t(i);return typeof l>"u"&&o&&(l=n()),e(l,...a)}return s.unwrapped=e,s}var La=m1();function v1(){function e(t,n){return{_reducerDefinitionType:"asyncThunk",payloadCreator:t,...n}}return e.withTypes=()=>e,{reducer(t){return Object.assign({[t.name](...n){return t(...n)}}[t.name],{_reducerDefinitionType:"reducer"})},preparedReducer(t,n){return{_reducerDefinitionType:"reducerWithPrepare",prepare:t,reducer:n}},asyncThunk:e}}function g1({type:e,reducerName:t,createNotation:n},o,s){let i,a;if("reducer"in o){if(n&&!y1(o))throw new Error(It(17));i=o.reducer,a=o.prepare}else i=o;s.addCase(e,i).exposeCaseReducer(t,i).exposeAction(t,a?Yo(e,a):Yo(e))}function x1(e){return e._reducerDefinitionType==="asyncThunk"}function y1(e){return e._reducerDefinitionType==="reducerWithPrepare"}function j1({type:e,reducerName:t},n,o,s){if(!s)throw new Error(It(18));const{payloadCreator:i,fulfilled:a,pending:l,rejected:u,settled:c,options:d}=n,f=s(e,i,d);o.exposeAction(t,f),a&&o.addCase(f.fulfilled,a),l&&o.addCase(f.pending,l),u&&o.addCase(f.rejected,u),c&&o.addMatcher(f.settled,c),o.exposeCaseReducer(t,{fulfilled:a||ti,pending:l||ti,rejected:u||ti,settled:c||ti})}function ti(){}function It(e){return`Minified Redux Toolkit error #${e}; visit https://redux-toolkit.js.org/Errors?code=${e} for the full message or use the non-minified dev environment for full errors. `}function sv(e,t){return function(){return e.apply(t,arguments)}}const{toString:N1}=Object.prototype,{getPrototypeOf:hd}=Object,Ba=(e=>t=>{const n=N1.call(t);return e[n]||(e[n]=n.slice(8,-1).toLowerCase())})(Object.create(null)),Mt=e=>(e=e.toLowerCase(),t=>Ba(t)===e),za=e=>t=>typeof t===e,{isArray:po}=Array,xs=za("undefined");function C1(e){return e!==null&&!xs(e)&&e.constructor!==null&&!xs(e.constructor)&&pt(e.constructor.isBuffer)&&e.constructor.isBuffer(e)}const iv=Mt("ArrayBuffer");function b1(e){let t;return typeof ArrayBuffer<"u"&&ArrayBuffer.isView?t=ArrayBuffer.isView(e):t=e&&e.buffer&&iv(e.buffer),t}const w1=za("string"),pt=za("function"),av=za("number"),$a=e=>e!==null&&typeof e=="object",S1=e=>e===!0||e===!1,yi=e=>{if(Ba(e)!=="object")return!1;const t=hd(e);return(t===null||t===Object.prototype||Object.getPrototypeOf(t)===null)&&!(Symbol.toStringTag in e)&&!(Symbol.iterator in e)},E1=Mt("Date"),k1=Mt("File"),P1=Mt("Blob"),_1=Mt("FileList"),O1=e=>$a(e)&&pt(e.pipe),T1=e=>{let t;return e&&(typeof FormData=="function"&&e instanceof FormData||pt(e.append)&&((t=Ba(e))==="formdata"||t==="object"&&pt(e.toString)&&e.toString()==="[object FormData]"))},R1=Mt("URLSearchParams"),[A1,I1,D1,F1]=["ReadableStream","Request","Response","Headers"].map(Mt),M1=e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,"");function Os(e,t,{allOwnKeys:n=!1}={}){if(e===null||typeof e>"u")return;let o,s;if(typeof e!="object"&&(e=[e]),po(e))for(o=0,s=e.length;o0;)if(s=n[o],t===s.toLowerCase())return s;return null}const cr=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:global,cv=e=>!xs(e)&&e!==cr;function eu(){const{caseless:e}=cv(this)&&this||{},t={},n=(o,s)=>{const i=e&&lv(t,s)||s;yi(t[i])&&yi(o)?t[i]=eu(t[i],o):yi(o)?t[i]=eu({},o):po(o)?t[i]=o.slice():t[i]=o};for(let o=0,s=arguments.length;o(Os(t,(s,i)=>{n&&pt(s)?e[i]=sv(s,n):e[i]=s},{allOwnKeys:o}),e),B1=e=>(e.charCodeAt(0)===65279&&(e=e.slice(1)),e),z1=(e,t,n,o)=>{e.prototype=Object.create(t.prototype,o),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},$1=(e,t,n,o)=>{let s,i,a;const l={};if(t=t||{},e==null)return t;do{for(s=Object.getOwnPropertyNames(e),i=s.length;i-- >0;)a=s[i],(!o||o(a,e,t))&&!l[a]&&(t[a]=e[a],l[a]=!0);e=n!==!1&&hd(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},W1=(e,t,n)=>{e=String(e),(n===void 0||n>e.length)&&(n=e.length),n-=t.length;const o=e.indexOf(t,n);return o!==-1&&o===n},U1=e=>{if(!e)return null;if(po(e))return e;let t=e.length;if(!av(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},q1=(e=>t=>e&&t instanceof e)(typeof Uint8Array<"u"&&hd(Uint8Array)),V1=(e,t)=>{const o=(e&&e[Symbol.iterator]).call(e);let s;for(;(s=o.next())&&!s.done;){const i=s.value;t.call(e,i[0],i[1])}},H1=(e,t)=>{let n;const o=[];for(;(n=e.exec(t))!==null;)o.push(n);return o},K1=Mt("HTMLFormElement"),Y1=e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,function(n,o,s){return o.toUpperCase()+s}),Xf=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),G1=Mt("RegExp"),uv=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),o={};Os(n,(s,i)=>{let a;(a=t(s,i,e))!==!1&&(o[i]=a||s)}),Object.defineProperties(e,o)},Q1=e=>{uv(e,(t,n)=>{if(pt(e)&&["arguments","caller","callee"].indexOf(n)!==-1)return!1;const o=e[n];if(pt(o)){if(t.enumerable=!1,"writable"in t){t.writable=!1;return}t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")})}})},X1=(e,t)=>{const n={},o=s=>{s.forEach(i=>{n[i]=!0})};return po(e)?o(e):o(String(e).split(t)),n},J1=()=>{},Z1=(e,t)=>e!=null&&Number.isFinite(e=+e)?e:t,ql="abcdefghijklmnopqrstuvwxyz",Jf="0123456789",dv={DIGIT:Jf,ALPHA:ql,ALPHA_DIGIT:ql+ql.toUpperCase()+Jf},e0=(e=16,t=dv.ALPHA_DIGIT)=>{let n="";const{length:o}=t;for(;e--;)n+=t[Math.random()*o|0];return n};function t0(e){return!!(e&&pt(e.append)&&e[Symbol.toStringTag]==="FormData"&&e[Symbol.iterator])}const n0=e=>{const t=new Array(10),n=(o,s)=>{if($a(o)){if(t.indexOf(o)>=0)return;if(!("toJSON"in o)){t[s]=o;const i=po(o)?[]:{};return Os(o,(a,l)=>{const u=n(a,s+1);!xs(u)&&(i[l]=u)}),t[s]=void 0,i}}return o};return n(e,0)},r0=Mt("AsyncFunction"),o0=e=>e&&($a(e)||pt(e))&&pt(e.then)&&pt(e.catch),fv=((e,t)=>e?setImmediate:t?((n,o)=>(cr.addEventListener("message",({source:s,data:i})=>{s===cr&&i===n&&o.length&&o.shift()()},!1),s=>{o.push(s),cr.postMessage(n,"*")}))(`axios@${Math.random()}`,[]):n=>setTimeout(n))(typeof setImmediate=="function",pt(cr.postMessage)),s0=typeof queueMicrotask<"u"?queueMicrotask.bind(cr):typeof process<"u"&&process.nextTick||fv,z={isArray:po,isArrayBuffer:iv,isBuffer:C1,isFormData:T1,isArrayBufferView:b1,isString:w1,isNumber:av,isBoolean:S1,isObject:$a,isPlainObject:yi,isReadableStream:A1,isRequest:I1,isResponse:D1,isHeaders:F1,isUndefined:xs,isDate:E1,isFile:k1,isBlob:P1,isRegExp:G1,isFunction:pt,isStream:O1,isURLSearchParams:R1,isTypedArray:q1,isFileList:_1,forEach:Os,merge:eu,extend:L1,trim:M1,stripBOM:B1,inherits:z1,toFlatObject:$1,kindOf:Ba,kindOfTest:Mt,endsWith:W1,toArray:U1,forEachEntry:V1,matchAll:H1,isHTMLForm:K1,hasOwnProperty:Xf,hasOwnProp:Xf,reduceDescriptors:uv,freezeMethods:Q1,toObjectSet:X1,toCamelCase:Y1,noop:J1,toFiniteNumber:Z1,findKey:lv,global:cr,isContextDefined:cv,ALPHABET:dv,generateString:e0,isSpecCompliantForm:t0,toJSONObject:n0,isAsyncFn:r0,isThenable:o0,setImmediate:fv,asap:s0};function se(e,t,n,o,s){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error().stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),o&&(this.request=o),s&&(this.response=s,this.status=s.status?s.status:null)}z.inherits(se,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:z.toJSONObject(this.config),code:this.code,status:this.status}}});const pv=se.prototype,mv={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach(e=>{mv[e]={value:e}});Object.defineProperties(se,mv);Object.defineProperty(pv,"isAxiosError",{value:!0});se.from=(e,t,n,o,s,i)=>{const a=Object.create(pv);return z.toFlatObject(e,a,function(u){return u!==Error.prototype},l=>l!=="isAxiosError"),se.call(a,e.message,t,n,o,s),a.cause=e,a.name=e.name,i&&Object.assign(a,i),a};const i0=null;function tu(e){return z.isPlainObject(e)||z.isArray(e)}function hv(e){return z.endsWith(e,"[]")?e.slice(0,-2):e}function Zf(e,t,n){return e?e.concat(t).map(function(s,i){return s=hv(s),!n&&i?"["+s+"]":s}).join(n?".":""):t}function a0(e){return z.isArray(e)&&!e.some(tu)}const l0=z.toFlatObject(z,{},null,function(t){return/^is[A-Z]/.test(t)});function Wa(e,t,n){if(!z.isObject(e))throw new TypeError("target must be an object");t=t||new FormData,n=z.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,function(N,b){return!z.isUndefined(b[N])});const o=n.metaTokens,s=n.visitor||d,i=n.dots,a=n.indexes,u=(n.Blob||typeof Blob<"u"&&Blob)&&z.isSpecCompliantForm(t);if(!z.isFunction(s))throw new TypeError("visitor must be a function");function c(x){if(x===null)return"";if(z.isDate(x))return x.toISOString();if(!u&&z.isBlob(x))throw new se("Blob is not supported. Use a Buffer instead.");return z.isArrayBuffer(x)||z.isTypedArray(x)?u&&typeof Blob=="function"?new Blob([x]):Buffer.from(x):x}function d(x,N,b){let h=x;if(x&&!b&&typeof x=="object"){if(z.endsWith(N,"{}"))N=o?N:N.slice(0,-2),x=JSON.stringify(x);else if(z.isArray(x)&&a0(x)||(z.isFileList(x)||z.endsWith(N,"[]"))&&(h=z.toArray(x)))return N=hv(N),h.forEach(function(m,y){!(z.isUndefined(m)||m===null)&&t.append(a===!0?Zf([N],y,i):a===null?N:N+"[]",c(m))}),!1}return tu(x)?!0:(t.append(Zf(b,N,i),c(x)),!1)}const f=[],g=Object.assign(l0,{defaultVisitor:d,convertValue:c,isVisitable:tu});function C(x,N){if(!z.isUndefined(x)){if(f.indexOf(x)!==-1)throw Error("Circular reference detected in "+N.join("."));f.push(x),z.forEach(x,function(h,v){(!(z.isUndefined(h)||h===null)&&s.call(t,h,z.isString(v)?v.trim():v,N,g))===!0&&C(h,N?N.concat(v):[v])}),f.pop()}}if(!z.isObject(e))throw new TypeError("data must be an object");return C(e),t}function ep(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,function(o){return t[o]})}function vd(e,t){this._pairs=[],e&&Wa(e,this,t)}const vv=vd.prototype;vv.append=function(t,n){this._pairs.push([t,n])};vv.toString=function(t){const n=t?function(o){return t.call(this,o,ep)}:ep;return this._pairs.map(function(s){return n(s[0])+"="+n(s[1])},"").join("&")};function c0(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function gv(e,t,n){if(!t)return e;const o=n&&n.encode||c0,s=n&&n.serialize;let i;if(s?i=s(t,n):i=z.isURLSearchParams(t)?t.toString():new vd(t,n).toString(o),i){const a=e.indexOf("#");a!==-1&&(e=e.slice(0,a)),e+=(e.indexOf("?")===-1?"?":"&")+i}return e}class tp{constructor(){this.handlers=[]}use(t,n,o){return this.handlers.push({fulfilled:t,rejected:n,synchronous:o?o.synchronous:!1,runWhen:o?o.runWhen:null}),this.handlers.length-1}eject(t){this.handlers[t]&&(this.handlers[t]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(t){z.forEach(this.handlers,function(o){o!==null&&t(o)})}}const xv={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},u0=typeof URLSearchParams<"u"?URLSearchParams:vd,d0=typeof FormData<"u"?FormData:null,f0=typeof Blob<"u"?Blob:null,p0={isBrowser:!0,classes:{URLSearchParams:u0,FormData:d0,Blob:f0},protocols:["http","https","file","blob","url","data"]},gd=typeof window<"u"&&typeof document<"u",nu=typeof navigator=="object"&&navigator||void 0,m0=gd&&(!nu||["ReactNative","NativeScript","NS"].indexOf(nu.product)<0),h0=typeof WorkerGlobalScope<"u"&&self instanceof WorkerGlobalScope&&typeof self.importScripts=="function",v0=gd&&window.location.href||"http://localhost",g0=Object.freeze(Object.defineProperty({__proto__:null,hasBrowserEnv:gd,hasStandardBrowserEnv:m0,hasStandardBrowserWebWorkerEnv:h0,navigator:nu,origin:v0},Symbol.toStringTag,{value:"Module"})),it={...g0,...p0};function x0(e,t){return Wa(e,new it.classes.URLSearchParams,Object.assign({visitor:function(n,o,s,i){return it.isNode&&z.isBuffer(n)?(this.append(o,n.toString("base64")),!1):i.defaultVisitor.apply(this,arguments)}},t))}function y0(e){return z.matchAll(/\w+|\[(\w*)]/g,e).map(t=>t[0]==="[]"?"":t[1]||t[0])}function j0(e){const t={},n=Object.keys(e);let o;const s=n.length;let i;for(o=0;o=n.length;return a=!a&&z.isArray(s)?s.length:a,u?(z.hasOwnProp(s,a)?s[a]=[s[a],o]:s[a]=o,!l):((!s[a]||!z.isObject(s[a]))&&(s[a]=[]),t(n,o,s[a],i)&&z.isArray(s[a])&&(s[a]=j0(s[a])),!l)}if(z.isFormData(e)&&z.isFunction(e.entries)){const n={};return z.forEachEntry(e,(o,s)=>{t(y0(o),s,n,0)}),n}return null}function N0(e,t,n){if(z.isString(e))try{return(t||JSON.parse)(e),z.trim(e)}catch(o){if(o.name!=="SyntaxError")throw o}return(n||JSON.stringify)(e)}const Ts={transitional:xv,adapter:["xhr","http","fetch"],transformRequest:[function(t,n){const o=n.getContentType()||"",s=o.indexOf("application/json")>-1,i=z.isObject(t);if(i&&z.isHTMLForm(t)&&(t=new FormData(t)),z.isFormData(t))return s?JSON.stringify(yv(t)):t;if(z.isArrayBuffer(t)||z.isBuffer(t)||z.isStream(t)||z.isFile(t)||z.isBlob(t)||z.isReadableStream(t))return t;if(z.isArrayBufferView(t))return t.buffer;if(z.isURLSearchParams(t))return n.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),t.toString();let l;if(i){if(o.indexOf("application/x-www-form-urlencoded")>-1)return x0(t,this.formSerializer).toString();if((l=z.isFileList(t))||o.indexOf("multipart/form-data")>-1){const u=this.env&&this.env.FormData;return Wa(l?{"files[]":t}:t,u&&new u,this.formSerializer)}}return i||s?(n.setContentType("application/json",!1),N0(t)):t}],transformResponse:[function(t){const n=this.transitional||Ts.transitional,o=n&&n.forcedJSONParsing,s=this.responseType==="json";if(z.isResponse(t)||z.isReadableStream(t))return t;if(t&&z.isString(t)&&(o&&!this.responseType||s)){const a=!(n&&n.silentJSONParsing)&&s;try{return JSON.parse(t)}catch(l){if(a)throw l.name==="SyntaxError"?se.from(l,se.ERR_BAD_RESPONSE,this,null,this.response):l}}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:it.classes.FormData,Blob:it.classes.Blob},validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};z.forEach(["delete","get","head","post","put","patch"],e=>{Ts.headers[e]={}});const C0=z.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),b0=e=>{const t={};let n,o,s;return e&&e.split(` +`).forEach(function(a){s=a.indexOf(":"),n=a.substring(0,s).trim().toLowerCase(),o=a.substring(s+1).trim(),!(!n||t[n]&&C0[n])&&(n==="set-cookie"?t[n]?t[n].push(o):t[n]=[o]:t[n]=t[n]?t[n]+", "+o:o)}),t},np=Symbol("internals");function Ro(e){return e&&String(e).trim().toLowerCase()}function ji(e){return e===!1||e==null?e:z.isArray(e)?e.map(ji):String(e)}function w0(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let o;for(;o=n.exec(e);)t[o[1]]=o[2];return t}const S0=e=>/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim());function Vl(e,t,n,o,s){if(z.isFunction(o))return o.call(this,t,n);if(s&&(t=n),!!z.isString(t)){if(z.isString(o))return t.indexOf(o)!==-1;if(z.isRegExp(o))return o.test(t)}}function E0(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,(t,n,o)=>n.toUpperCase()+o)}function k0(e,t){const n=z.toCamelCase(" "+t);["get","set","has"].forEach(o=>{Object.defineProperty(e,o+n,{value:function(s,i,a){return this[o].call(this,t,s,i,a)},configurable:!0})})}class at{constructor(t){t&&this.set(t)}set(t,n,o){const s=this;function i(l,u,c){const d=Ro(u);if(!d)throw new Error("header name must be a non-empty string");const f=z.findKey(s,d);(!f||s[f]===void 0||c===!0||c===void 0&&s[f]!==!1)&&(s[f||u]=ji(l))}const a=(l,u)=>z.forEach(l,(c,d)=>i(c,d,u));if(z.isPlainObject(t)||t instanceof this.constructor)a(t,n);else if(z.isString(t)&&(t=t.trim())&&!S0(t))a(b0(t),n);else if(z.isHeaders(t))for(const[l,u]of t.entries())i(u,l,o);else t!=null&&i(n,t,o);return this}get(t,n){if(t=Ro(t),t){const o=z.findKey(this,t);if(o){const s=this[o];if(!n)return s;if(n===!0)return w0(s);if(z.isFunction(n))return n.call(this,s,o);if(z.isRegExp(n))return n.exec(s);throw new TypeError("parser must be boolean|regexp|function")}}}has(t,n){if(t=Ro(t),t){const o=z.findKey(this,t);return!!(o&&this[o]!==void 0&&(!n||Vl(this,this[o],o,n)))}return!1}delete(t,n){const o=this;let s=!1;function i(a){if(a=Ro(a),a){const l=z.findKey(o,a);l&&(!n||Vl(o,o[l],l,n))&&(delete o[l],s=!0)}}return z.isArray(t)?t.forEach(i):i(t),s}clear(t){const n=Object.keys(this);let o=n.length,s=!1;for(;o--;){const i=n[o];(!t||Vl(this,this[i],i,t,!0))&&(delete this[i],s=!0)}return s}normalize(t){const n=this,o={};return z.forEach(this,(s,i)=>{const a=z.findKey(o,i);if(a){n[a]=ji(s),delete n[i];return}const l=t?E0(i):String(i).trim();l!==i&&delete n[i],n[l]=ji(s),o[l]=!0}),this}concat(...t){return this.constructor.concat(this,...t)}toJSON(t){const n=Object.create(null);return z.forEach(this,(o,s)=>{o!=null&&o!==!1&&(n[s]=t&&z.isArray(o)?o.join(", "):o)}),n}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map(([t,n])=>t+": "+n).join(` +`)}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(t){return t instanceof this?t:new this(t)}static concat(t,...n){const o=new this(t);return n.forEach(s=>o.set(s)),o}static accessor(t){const o=(this[np]=this[np]={accessors:{}}).accessors,s=this.prototype;function i(a){const l=Ro(a);o[l]||(k0(s,a),o[l]=!0)}return z.isArray(t)?t.forEach(i):i(t),this}}at.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]);z.reduceDescriptors(at.prototype,({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(o){this[n]=o}}});z.freezeMethods(at);function Hl(e,t){const n=this||Ts,o=t||n,s=at.from(o.headers);let i=o.data;return z.forEach(e,function(l){i=l.call(n,i,s.normalize(),t?t.status:void 0)}),s.normalize(),i}function jv(e){return!!(e&&e.__CANCEL__)}function mo(e,t,n){se.call(this,e??"canceled",se.ERR_CANCELED,t,n),this.name="CanceledError"}z.inherits(mo,se,{__CANCEL__:!0});function Nv(e,t,n){const o=n.config.validateStatus;!n.status||!o||o(n.status)?e(n):t(new se("Request failed with status code "+n.status,[se.ERR_BAD_REQUEST,se.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n))}function P0(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}function _0(e,t){e=e||10;const n=new Array(e),o=new Array(e);let s=0,i=0,a;return t=t!==void 0?t:1e3,function(u){const c=Date.now(),d=o[i];a||(a=c),n[s]=u,o[s]=c;let f=i,g=0;for(;f!==s;)g+=n[f++],f=f%e;if(s=(s+1)%e,s===i&&(i=(i+1)%e),c-a{n=d,s=null,i&&(clearTimeout(i),i=null),e.apply(null,c)};return[(...c)=>{const d=Date.now(),f=d-n;f>=o?a(c,d):(s=c,i||(i=setTimeout(()=>{i=null,a(s)},o-f)))},()=>s&&a(s)]}const la=(e,t,n=3)=>{let o=0;const s=_0(50,250);return O0(i=>{const a=i.loaded,l=i.lengthComputable?i.total:void 0,u=a-o,c=s(u),d=a<=l;o=a;const f={loaded:a,total:l,progress:l?a/l:void 0,bytes:u,rate:c||void 0,estimated:c&&l&&d?(l-a)/c:void 0,event:i,lengthComputable:l!=null,[t?"download":"upload"]:!0};e(f)},n)},rp=(e,t)=>{const n=e!=null;return[o=>t[0]({lengthComputable:n,total:e,loaded:o}),t[1]]},op=e=>(...t)=>z.asap(()=>e(...t)),T0=it.hasStandardBrowserEnv?function(){const t=it.navigator&&/(msie|trident)/i.test(it.navigator.userAgent),n=document.createElement("a");let o;function s(i){let a=i;return t&&(n.setAttribute("href",a),a=n.href),n.setAttribute("href",a),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:n.pathname.charAt(0)==="/"?n.pathname:"/"+n.pathname}}return o=s(window.location.href),function(a){const l=z.isString(a)?s(a):a;return l.protocol===o.protocol&&l.host===o.host}}():function(){return function(){return!0}}(),R0=it.hasStandardBrowserEnv?{write(e,t,n,o,s,i){const a=[e+"="+encodeURIComponent(t)];z.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),z.isString(o)&&a.push("path="+o),z.isString(s)&&a.push("domain="+s),i===!0&&a.push("secure"),document.cookie=a.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read(){return null},remove(){}};function A0(e){return/^([a-z][a-z\d+\-.]*:)?\/\//i.test(e)}function I0(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}function Cv(e,t){return e&&!A0(t)?I0(e,t):t}const sp=e=>e instanceof at?{...e}:e;function Cr(e,t){t=t||{};const n={};function o(c,d,f){return z.isPlainObject(c)&&z.isPlainObject(d)?z.merge.call({caseless:f},c,d):z.isPlainObject(d)?z.merge({},d):z.isArray(d)?d.slice():d}function s(c,d,f){if(z.isUndefined(d)){if(!z.isUndefined(c))return o(void 0,c,f)}else return o(c,d,f)}function i(c,d){if(!z.isUndefined(d))return o(void 0,d)}function a(c,d){if(z.isUndefined(d)){if(!z.isUndefined(c))return o(void 0,c)}else return o(void 0,d)}function l(c,d,f){if(f in t)return o(c,d);if(f in e)return o(void 0,c)}const u={url:i,method:i,data:i,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,withXSRFToken:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:l,headers:(c,d)=>s(sp(c),sp(d),!0)};return z.forEach(Object.keys(Object.assign({},e,t)),function(d){const f=u[d]||s,g=f(e[d],t[d],d);z.isUndefined(g)&&f!==l||(n[d]=g)}),n}const bv=e=>{const t=Cr({},e);let{data:n,withXSRFToken:o,xsrfHeaderName:s,xsrfCookieName:i,headers:a,auth:l}=t;t.headers=a=at.from(a),t.url=gv(Cv(t.baseURL,t.url),e.params,e.paramsSerializer),l&&a.set("Authorization","Basic "+btoa((l.username||"")+":"+(l.password?unescape(encodeURIComponent(l.password)):"")));let u;if(z.isFormData(n)){if(it.hasStandardBrowserEnv||it.hasStandardBrowserWebWorkerEnv)a.setContentType(void 0);else if((u=a.getContentType())!==!1){const[c,...d]=u?u.split(";").map(f=>f.trim()).filter(Boolean):[];a.setContentType([c||"multipart/form-data",...d].join("; "))}}if(it.hasStandardBrowserEnv&&(o&&z.isFunction(o)&&(o=o(t)),o||o!==!1&&T0(t.url))){const c=s&&i&&R0.read(i);c&&a.set(s,c)}return t},D0=typeof XMLHttpRequest<"u",F0=D0&&function(e){return new Promise(function(n,o){const s=bv(e);let i=s.data;const a=at.from(s.headers).normalize();let{responseType:l,onUploadProgress:u,onDownloadProgress:c}=s,d,f,g,C,x;function N(){C&&C(),x&&x(),s.cancelToken&&s.cancelToken.unsubscribe(d),s.signal&&s.signal.removeEventListener("abort",d)}let b=new XMLHttpRequest;b.open(s.method.toUpperCase(),s.url,!0),b.timeout=s.timeout;function h(){if(!b)return;const m=at.from("getAllResponseHeaders"in b&&b.getAllResponseHeaders()),E={data:!l||l==="text"||l==="json"?b.responseText:b.response,status:b.status,statusText:b.statusText,headers:m,config:e,request:b};Nv(function(T){n(T),N()},function(T){o(T),N()},E),b=null}"onloadend"in b?b.onloadend=h:b.onreadystatechange=function(){!b||b.readyState!==4||b.status===0&&!(b.responseURL&&b.responseURL.indexOf("file:")===0)||setTimeout(h)},b.onabort=function(){b&&(o(new se("Request aborted",se.ECONNABORTED,e,b)),b=null)},b.onerror=function(){o(new se("Network Error",se.ERR_NETWORK,e,b)),b=null},b.ontimeout=function(){let y=s.timeout?"timeout of "+s.timeout+"ms exceeded":"timeout exceeded";const E=s.transitional||xv;s.timeoutErrorMessage&&(y=s.timeoutErrorMessage),o(new se(y,E.clarifyTimeoutError?se.ETIMEDOUT:se.ECONNABORTED,e,b)),b=null},i===void 0&&a.setContentType(null),"setRequestHeader"in b&&z.forEach(a.toJSON(),function(y,E){b.setRequestHeader(E,y)}),z.isUndefined(s.withCredentials)||(b.withCredentials=!!s.withCredentials),l&&l!=="json"&&(b.responseType=s.responseType),c&&([g,x]=la(c,!0),b.addEventListener("progress",g)),u&&b.upload&&([f,C]=la(u),b.upload.addEventListener("progress",f),b.upload.addEventListener("loadend",C)),(s.cancelToken||s.signal)&&(d=m=>{b&&(o(!m||m.type?new mo(null,e,b):m),b.abort(),b=null)},s.cancelToken&&s.cancelToken.subscribe(d),s.signal&&(s.signal.aborted?d():s.signal.addEventListener("abort",d)));const v=P0(s.url);if(v&&it.protocols.indexOf(v)===-1){o(new se("Unsupported protocol "+v+":",se.ERR_BAD_REQUEST,e));return}b.send(i||null)})},M0=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let o=new AbortController,s;const i=function(c){if(!s){s=!0,l();const d=c instanceof Error?c:this.reason;o.abort(d instanceof se?d:new mo(d instanceof Error?d.message:d))}};let a=t&&setTimeout(()=>{a=null,i(new se(`timeout ${t} of ms exceeded`,se.ETIMEDOUT))},t);const l=()=>{e&&(a&&clearTimeout(a),a=null,e.forEach(c=>{c.unsubscribe?c.unsubscribe(i):c.removeEventListener("abort",i)}),e=null)};e.forEach(c=>c.addEventListener("abort",i));const{signal:u}=o;return u.unsubscribe=()=>z.asap(l),u}},L0=function*(e,t){let n=e.byteLength;if(!t||n{const s=B0(e,t);let i=0,a,l=u=>{a||(a=!0,o&&o(u))};return new ReadableStream({async pull(u){try{const{done:c,value:d}=await s.next();if(c){l(),u.close();return}let f=d.byteLength;if(n){let g=i+=f;n(g)}u.enqueue(new Uint8Array(d))}catch(c){throw l(c),c}},cancel(u){return l(u),s.return()}},{highWaterMark:2})},Ua=typeof fetch=="function"&&typeof Request=="function"&&typeof Response=="function",wv=Ua&&typeof ReadableStream=="function",$0=Ua&&(typeof TextEncoder=="function"?(e=>t=>e.encode(t))(new TextEncoder):async e=>new Uint8Array(await new Response(e).arrayBuffer())),Sv=(e,...t)=>{try{return!!e(...t)}catch{return!1}},W0=wv&&Sv(()=>{let e=!1;const t=new Request(it.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t}),ap=64*1024,ru=wv&&Sv(()=>z.isReadableStream(new Response("").body)),ca={stream:ru&&(e=>e.body)};Ua&&(e=>{["text","arrayBuffer","blob","formData","stream"].forEach(t=>{!ca[t]&&(ca[t]=z.isFunction(e[t])?n=>n[t]():(n,o)=>{throw new se(`Response type '${t}' is not supported`,se.ERR_NOT_SUPPORT,o)})})})(new Response);const U0=async e=>{if(e==null)return 0;if(z.isBlob(e))return e.size;if(z.isSpecCompliantForm(e))return(await new Request(it.origin,{method:"POST",body:e}).arrayBuffer()).byteLength;if(z.isArrayBufferView(e)||z.isArrayBuffer(e))return e.byteLength;if(z.isURLSearchParams(e)&&(e=e+""),z.isString(e))return(await $0(e)).byteLength},q0=async(e,t)=>{const n=z.toFiniteNumber(e.getContentLength());return n??U0(t)},V0=Ua&&(async e=>{let{url:t,method:n,data:o,signal:s,cancelToken:i,timeout:a,onDownloadProgress:l,onUploadProgress:u,responseType:c,headers:d,withCredentials:f="same-origin",fetchOptions:g}=bv(e);c=c?(c+"").toLowerCase():"text";let C=M0([s,i&&i.toAbortSignal()],a),x;const N=C&&C.unsubscribe&&(()=>{C.unsubscribe()});let b;try{if(u&&W0&&n!=="get"&&n!=="head"&&(b=await q0(d,o))!==0){let E=new Request(t,{method:"POST",body:o,duplex:"half"}),k;if(z.isFormData(o)&&(k=E.headers.get("content-type"))&&d.setContentType(k),E.body){const[T,O]=rp(b,la(op(u)));o=ip(E.body,ap,T,O)}}z.isString(f)||(f=f?"include":"omit");const h="credentials"in Request.prototype;x=new Request(t,{...g,signal:C,method:n.toUpperCase(),headers:d.normalize().toJSON(),body:o,duplex:"half",credentials:h?f:void 0});let v=await fetch(x);const m=ru&&(c==="stream"||c==="response");if(ru&&(l||m&&N)){const E={};["status","statusText","headers"].forEach(B=>{E[B]=v[B]});const k=z.toFiniteNumber(v.headers.get("content-length")),[T,O]=l&&rp(k,la(op(l),!0))||[];v=new Response(ip(v.body,ap,T,()=>{O&&O(),N&&N()}),E)}c=c||"text";let y=await ca[z.findKey(ca,c)||"text"](v,e);return!m&&N&&N(),await new Promise((E,k)=>{Nv(E,k,{data:y,headers:at.from(v.headers),status:v.status,statusText:v.statusText,config:e,request:x})})}catch(h){throw N&&N(),h&&h.name==="TypeError"&&/fetch/i.test(h.message)?Object.assign(new se("Network Error",se.ERR_NETWORK,e,x),{cause:h.cause||h}):se.from(h,h&&h.code,e,x)}}),ou={http:i0,xhr:F0,fetch:V0};z.forEach(ou,(e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch{}Object.defineProperty(e,"adapterName",{value:t})}});const lp=e=>`- ${e}`,H0=e=>z.isFunction(e)||e===null||e===!1,Ev={getAdapter:e=>{e=z.isArray(e)?e:[e];const{length:t}=e;let n,o;const s={};for(let i=0;i`adapter ${l} `+(u===!1?"is not supported by the environment":"is not available in the build"));let a=t?i.length>1?`since : `+i.map(lp).join(` -`):" "+lp(i[0]):"as no adapter specified";throw new se("There is no suitable adapter to dispatch the request "+a,"ERR_NOT_SUPPORT")}return o},adapters:ru};function Hl(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new ho(null,e)}function cp(e){return Hl(e),e.headers=at.from(e.headers),e.data=Vl.call(e,e.transformRequest),["post","put","patch"].indexOf(e.method)!==-1&&e.headers.setContentType("application/x-www-form-urlencoded",!1),Ev.getAdapter(e.adapter||Os.adapter)(e).then(function(o){return Hl(e),o.data=Vl.call(e,e.transformResponse,o),o.headers=at.from(o.headers),o},function(o){return jv(o)||(Hl(e),o&&o.response&&(o.response.data=Vl.call(e,e.transformResponse,o.response),o.response.headers=at.from(o.response.headers))),Promise.reject(o)})}const kv="1.7.7",xd={};["object","boolean","number","function","string","symbol"].forEach((e,t)=>{xd[e]=function(o){return typeof o===e||"a"+(t<1?"n ":" ")+e}});const up={};xd.transitional=function(t,n,o){function s(i,a){return"[Axios v"+kv+"] Transitional option '"+i+"'"+a+(o?". "+o:"")}return(i,a,l)=>{if(t===!1)throw new se(s(a," has been removed"+(n?" in "+n:"")),se.ERR_DEPRECATED);return n&&!up[a]&&(up[a]=!0,console.warn(s(a," has been deprecated since v"+n+" and will be removed in the near future"))),t?t(i,a,l):!0}};function K0(e,t,n){if(typeof e!="object")throw new se("options must be an object",se.ERR_BAD_OPTION_VALUE);const o=Object.keys(e);let s=o.length;for(;s-- >0;){const i=o[s],a=t[i];if(a){const l=e[i],u=l===void 0||a(l,i,e);if(u!==!0)throw new se("option "+i+" must be "+u,se.ERR_BAD_OPTION_VALUE);continue}if(n!==!0)throw new se("Unknown option "+i,se.ERR_BAD_OPTION)}}const ou={assertOptions:K0,validators:xd},yn=ou.validators;class fr{constructor(t){this.defaults=t,this.interceptors={request:new tp,response:new tp}}async request(t,n){try{return await this._request(t,n)}catch(o){if(o instanceof Error){let s;Error.captureStackTrace?Error.captureStackTrace(s={}):s=new Error;const i=s.stack?s.stack.replace(/^.+\n/,""):"";try{o.stack?i&&!String(o.stack).endsWith(i.replace(/^.+\n.+\n/,""))&&(o.stack+=` -`+i):o.stack=i}catch{}}throw o}}_request(t,n){typeof t=="string"?(n=n||{},n.url=t):n=t||{},n=Cr(this.defaults,n);const{transitional:o,paramsSerializer:s,headers:i}=n;o!==void 0&&ou.assertOptions(o,{silentJSONParsing:yn.transitional(yn.boolean),forcedJSONParsing:yn.transitional(yn.boolean),clarifyTimeoutError:yn.transitional(yn.boolean)},!1),s!=null&&($.isFunction(s)?n.paramsSerializer={serialize:s}:ou.assertOptions(s,{encode:yn.function,serialize:yn.function},!0)),n.method=(n.method||this.defaults.method||"get").toLowerCase();let a=i&&$.merge(i.common,i[n.method]);i&&$.forEach(["delete","get","head","post","put","patch","common"],x=>{delete i[x]}),n.headers=at.concat(a,i);const l=[];let u=!0;this.interceptors.request.forEach(function(N){typeof N.runWhen=="function"&&N.runWhen(n)===!1||(u=u&&N.synchronous,l.unshift(N.fulfilled,N.rejected))});const c=[];this.interceptors.response.forEach(function(N){c.push(N.fulfilled,N.rejected)});let d,f=0,g;if(!u){const x=[cp.bind(this),void 0];for(x.unshift.apply(x,l),x.push.apply(x,c),g=x.length,d=Promise.resolve(n);f{if(!o._listeners)return;let i=o._listeners.length;for(;i-- >0;)o._listeners[i](s);o._listeners=null}),this.promise.then=s=>{let i;const a=new Promise(l=>{o.subscribe(l),i=l}).then(s);return a.cancel=function(){o.unsubscribe(i)},a},t(function(i,a,l){o.reason||(o.reason=new ho(i,a,l),n(o.reason))})}throwIfRequested(){if(this.reason)throw this.reason}subscribe(t){if(this.reason){t(this.reason);return}this._listeners?this._listeners.push(t):this._listeners=[t]}unsubscribe(t){if(!this._listeners)return;const n=this._listeners.indexOf(t);n!==-1&&this._listeners.splice(n,1)}toAbortSignal(){const t=new AbortController,n=o=>{t.abort(o)};return this.subscribe(n),t.signal.unsubscribe=()=>this.unsubscribe(n),t.signal}static source(){let t;return{token:new yd(function(s){t=s}),cancel:t}}}function Y0(e){return function(n){return e.apply(null,n)}}function G0(e){return $.isObject(e)&&e.isAxiosError===!0}const su={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(su).forEach(([e,t])=>{su[t]=e});function Pv(e){const t=new fr(e),n=sv(fr.prototype.request,t);return $.extend(n,fr.prototype,t,{allOwnKeys:!0}),$.extend(n,t,null,{allOwnKeys:!0}),n.create=function(s){return Pv(Cr(e,s))},n}const ve=Pv(Os);ve.Axios=fr;ve.CanceledError=ho;ve.CancelToken=yd;ve.isCancel=jv;ve.VERSION=kv;ve.toFormData=$a;ve.AxiosError=se;ve.Cancel=ve.CanceledError;ve.all=function(t){return Promise.all(t)};ve.spread=Y0;ve.isAxiosError=G0;ve.mergeConfig=Cr;ve.AxiosHeaders=at;ve.formToJSON=e=>yv($.isHTMLForm(e)?new FormData(e):e);ve.getAdapter=Ev.getAdapter;ve.HttpStatusCode=su;ve.default=ve;const Q0="http://67.225.129.127:3002",Jt=ve.create({baseURL:Q0});Jt.interceptors.request.use(e=>(localStorage.getItem("profile")&&(e.headers.Authorization=`Bearer ${JSON.parse(localStorage.getItem("profile")).token}`),e));const X0=e=>Jt.post("/users/signup",e),J0=e=>Jt.post("/users/signin",e),Z0=(e,t,n)=>Jt.get(`/users/${e}/verify/${t}`,n),eN=e=>Jt.post("/properties",e),tN=(e,t,n)=>Jt.get(`/properties/user/${e}?page=${t}&limit=${n}`,e),nN=e=>Jt.get(`/properties/${e}`,e),rN=(e,t)=>Jt.put(`/properties/${e}`,t),oN=e=>Jt.get(`/users/${e}`),sN=e=>Jt.post("/fundDetails",e),iN="http://67.225.129.127:3002",ji=Et("auth/login",async({formValue:e,navigate:t},{rejectWithValue:n})=>{try{const o=await J0(e);return t("/dashboard"),o.data}catch(o){return n(o.response.data)}}),Ni=Et("auth/register",async({formValue:e,navigate:t,toast:n},{rejectWithValue:o})=>{try{const s=await X0(e);return n.success("Register Successfully"),t("/registrationsuccess"),s.data}catch(s){return o(s.response.data)}}),Ci=Et("auth/updateUser",async({formData:e,toast:t,navigate:n},{rejectWithValue:o})=>{try{const s=await ve.put(`${iN}/users/update`,e);return t.success("Updated Successfully"),n("/login"),s.data}catch(s){return o(s.response.data)}}),_v=Ma({name:"auth",initialState:{user:null,error:"",loading:!1,isLoading:!1},reducers:{setUser:(e,t)=>{e.user=t.payload},setLogout:e=>{localStorage.clear(),e.user=null},setUserDetails:(e,t)=>{e.user=t.payload},updateUser:(e,t)=>{const n=t.payload;e.user={...e.user,...n}}},extraReducers:e=>{e.addCase(ji.pending,t=>{t.loading=!0}).addCase(ji.fulfilled,(t,n)=>{t.loading=!1,localStorage.setItem("profile",JSON.stringify({...n.payload})),t.user=n.payload}).addCase(ji.rejected,(t,n)=>{t.loading=!1,t.error=n.payload.message}).addCase(Ni.pending,t=>{t.loading=!0}).addCase(Ni.fulfilled,(t,n)=>{t.loading=!1,localStorage.setItem("profile",JSON.stringify({...n.payload})),t.user=n.payload}).addCase(Ni.rejected,(t,n)=>{t.loading=!1,t.error=n.payload.message}).addCase(Ci.pending,t=>{t.isLoading=!0}).addCase(Ci.fulfilled,(t,n)=>{t.isLoading=!1,t.user=n.payload}).addCase(Ci.rejected,(t,n)=>{t.isLoading=!1,t.error=n.payload})}}),{setUser:Qw,setLogout:aN,setUserDetails:Xw}=_v.actions,lN=_v.reducer,bi=Et("user/showUser",async(e,{rejectWithValue:t})=>{try{return(await oN(e)).data}catch(n){return t(n.response.data)}}),wi=Et("user/verifyEmail",async({id:e,token:t,data:n},{rejectWithValue:o})=>{try{return(await Z0(e,t,n)).data.message}catch(s){return o(s.response.data)}}),cN=Ma({name:"user",initialState:{users:[],error:"",loading:!1,verified:!1,user:{}},reducers:{},extraReducers:e=>{e.addCase(bi.pending,t=>{t.loading=!0,t.error=null}).addCase(bi.fulfilled,(t,n)=>{t.loading=!1,t.user=n.payload}).addCase(bi.rejected,(t,n)=>{t.loading=!1,t.error=n.payload}).addCase(wi.pending,t=>{t.loading=!0,t.error=null}).addCase(wi.fulfilled,(t,n)=>{t.loading=!1,t.verified=n.payload==="Email verified successfully"}).addCase(wi.rejected,(t,n)=>{t.loading=!1,t.error=n.error.message})}}),uN=cN.reducer,Si=Et("property/submitProperty",async(e,{rejectWithValue:t})=>{try{return(await eN(e)).data}catch(n){return t(n.response.data)}}),Ei=Et("property/fetchUserProperties",async({userId:e,page:t,limit:n},{rejectWithValue:o})=>{try{return(await tN(e,t,n)).data}catch(s){return o(s.response.data)}}),Go=Et("property/fetchPropertyById",async(e,{rejectWithValue:t})=>{try{return(await nN(e)).data}catch(n){return t(n.response.data)}}),ki=Et("property/updateProperty",async({id:e,propertyData:t},{rejectWithValue:n})=>{try{return(await rN(e,t)).data}catch(o){return n(o.response.data)}}),Qo=Et("properties/getProperties",async({page:e,limit:t,keyword:n=""})=>(await ve.get(`http://67.225.129.127:3002/properties?page=${e}&limit=${t}&keyword=${n}`)).data),dN=Ma({name:"property",initialState:{property:{},status:"idle",error:null,userProperties:[],selectedProperty:null,totalPages:0,currentPage:1,loading:!1,properties:[]},reducers:{},extraReducers:e=>{e.addCase(Si.pending,t=>{t.status="loading"}).addCase(Si.fulfilled,(t,n)=>{t.status="succeeded",t.property=n.payload}).addCase(Si.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(Ei.pending,t=>{t.loading=!0}).addCase(Ei.fulfilled,(t,{payload:n})=>{t.loading=!1,t.userProperties=n.properties,t.totalPages=n.totalPages,t.currentPage=n.currentPage}).addCase(Ei.rejected,(t,{payload:n})=>{t.loading=!1,t.error=n}).addCase(Go.pending,t=>{t.status="loading"}).addCase(Go.fulfilled,(t,n)=>{t.status="succeeded",t.selectedProperty=n.payload}).addCase(Go.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(ki.pending,t=>{t.status="loading"}).addCase(ki.fulfilled,(t,n)=>{t.status="succeeded",t.selectedProperty=n.payload}).addCase(ki.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(Qo.pending,t=>{t.loading=!0}).addCase(Qo.fulfilled,(t,n)=>{t.loading=!1,t.properties=n.payload.data,t.totalPages=n.payload.totalPages,t.currentPage=n.payload.currentPage}).addCase(Qo.rejected,(t,n)=>{t.loading=!1,t.error=n.error.message})}}),fN=dN.reducer;function Ov(e){var t,n,o="";if(typeof e=="string"||typeof e=="number")o+=e;else if(typeof e=="object")if(Array.isArray(e)){var s=e.length;for(t=0;ttypeof e=="number"&&!isNaN(e),pr=e=>typeof e=="string",dt=e=>typeof e=="function",Pi=e=>pr(e)||dt(e)?e:null,iu=e=>S.isValidElement(e)||pr(e)||dt(e)||xs(e);function pN(e,t,n){n===void 0&&(n=300);const{scrollHeight:o,style:s}=e;requestAnimationFrame(()=>{s.minHeight="initial",s.height=o+"px",s.transition=`all ${n}ms`,requestAnimationFrame(()=>{s.height="0",s.padding="0",s.margin="0",setTimeout(t,n)})})}function Ua(e){let{enter:t,exit:n,appendPosition:o=!1,collapse:s=!0,collapseDuration:i=300}=e;return function(a){let{children:l,position:u,preventExitTransition:c,done:d,nodeRef:f,isIn:g,playToast:b}=a;const x=o?`${t}--${u}`:t,N=o?`${n}--${u}`:n,C=S.useRef(0);return S.useLayoutEffect(()=>{const h=f.current,v=x.split(" "),m=y=>{y.target===f.current&&(b(),h.removeEventListener("animationend",m),h.removeEventListener("animationcancel",m),C.current===0&&y.type!=="animationcancel"&&h.classList.remove(...v))};h.classList.add(...v),h.addEventListener("animationend",m),h.addEventListener("animationcancel",m)},[]),S.useEffect(()=>{const h=f.current,v=()=>{h.removeEventListener("animationend",v),s?pN(h,d,i):d()};g||(c?v():(C.current=1,h.className+=` ${N}`,h.addEventListener("animationend",v)))},[g]),I.createElement(I.Fragment,null,l)}}function dp(e,t){return e!=null?{content:e.content,containerId:e.props.containerId,id:e.props.toastId,theme:e.props.theme,type:e.props.type,data:e.props.data||{},isLoading:e.props.isLoading,icon:e.props.icon,status:t}:{}}const Ge=new Map;let ys=[];const au=new Set,mN=e=>au.forEach(t=>t(e)),Tv=()=>Ge.size>0;function Rv(e,t){var n;if(t)return!((n=Ge.get(t))==null||!n.isToastActive(e));let o=!1;return Ge.forEach(s=>{s.isToastActive(e)&&(o=!0)}),o}function Av(e,t){iu(e)&&(Tv()||ys.push({content:e,options:t}),Ge.forEach(n=>{n.buildToast(e,t)}))}function fp(e,t){Ge.forEach(n=>{t!=null&&t!=null&&t.containerId?(t==null?void 0:t.containerId)===n.id&&n.toggle(e,t==null?void 0:t.id):n.toggle(e,t==null?void 0:t.id)})}function hN(e){const{subscribe:t,getSnapshot:n,setProps:o}=S.useRef(function(i){const a=i.containerId||1;return{subscribe(l){const u=function(d,f,g){let b=1,x=0,N=[],C=[],h=[],v=f;const m=new Map,y=new Set,E=()=>{h=Array.from(m.values()),y.forEach(P=>P())},O=P=>{C=P==null?[]:C.filter(L=>L!==P),E()},T=P=>{const{toastId:L,onOpen:z,updateId:H,children:te}=P.props,Q=H==null;P.staleId&&m.delete(P.staleId),m.set(L,P),C=[...C,P.props.toastId].filter(Z=>Z!==P.staleId),E(),g(dp(P,Q?"added":"updated")),Q&&dt(z)&&z(S.isValidElement(te)&&te.props)};return{id:d,props:v,observe:P=>(y.add(P),()=>y.delete(P)),toggle:(P,L)=>{m.forEach(z=>{L!=null&&L!==z.props.toastId||dt(z.toggle)&&z.toggle(P)})},removeToast:O,toasts:m,clearQueue:()=>{x-=N.length,N=[]},buildToast:(P,L)=>{if((W=>{let{containerId:K,toastId:Y,updateId:ee}=W;const re=K?K!==d:d!==1,ne=m.has(Y)&&ee==null;return re||ne})(L))return;const{toastId:z,updateId:H,data:te,staleId:Q,delay:Z}=L,D=()=>{O(z)},U=H==null;U&&x++;const G={...v,style:v.toastStyle,key:b++,...Object.fromEntries(Object.entries(L).filter(W=>{let[K,Y]=W;return Y!=null})),toastId:z,updateId:H,data:te,closeToast:D,isIn:!1,className:Pi(L.className||v.toastClassName),bodyClassName:Pi(L.bodyClassName||v.bodyClassName),progressClassName:Pi(L.progressClassName||v.progressClassName),autoClose:!L.isLoading&&(R=L.autoClose,A=v.autoClose,R===!1||xs(R)&&R>0?R:A),deleteToast(){const W=m.get(z),{onClose:K,children:Y}=W.props;dt(K)&&K(S.isValidElement(Y)&&Y.props),g(dp(W,"removed")),m.delete(z),x--,x<0&&(x=0),N.length>0?T(N.shift()):E()}};var R,A;G.closeButton=v.closeButton,L.closeButton===!1||iu(L.closeButton)?G.closeButton=L.closeButton:L.closeButton===!0&&(G.closeButton=!iu(v.closeButton)||v.closeButton);let B=P;S.isValidElement(P)&&!pr(P.type)?B=S.cloneElement(P,{closeToast:D,toastProps:G,data:te}):dt(P)&&(B=P({closeToast:D,toastProps:G,data:te}));const F={content:B,props:G,staleId:Q};v.limit&&v.limit>0&&x>v.limit&&U?N.push(F):xs(Z)?setTimeout(()=>{T(F)},Z):T(F)},setProps(P){v=P},setToggle:(P,L)=>{m.get(P).toggle=L},isToastActive:P=>C.some(L=>L===P),getSnapshot:()=>v.newestOnTop?h.reverse():h}}(a,i,mN);Ge.set(a,u);const c=u.observe(l);return ys.forEach(d=>Av(d.content,d.options)),ys=[],()=>{c(),Ge.delete(a)}},setProps(l){var u;(u=Ge.get(a))==null||u.setProps(l)},getSnapshot(){var l;return(l=Ge.get(a))==null?void 0:l.getSnapshot()}}}(e)).current;o(e);const s=S.useSyncExternalStore(t,n,n);return{getToastToRender:function(i){if(!s)return[];const a=new Map;return s.forEach(l=>{const{position:u}=l.props;a.has(u)||a.set(u,[]),a.get(u).push(l)}),Array.from(a,l=>i(l[0],l[1]))},isToastActive:Rv,count:s==null?void 0:s.length}}function vN(e){const[t,n]=S.useState(!1),[o,s]=S.useState(!1),i=S.useRef(null),a=S.useRef({start:0,delta:0,removalDistance:0,canCloseOnClick:!0,canDrag:!1,didMove:!1}).current,{autoClose:l,pauseOnHover:u,closeToast:c,onClick:d,closeOnClick:f}=e;var g,b;function x(){n(!0)}function N(){n(!1)}function C(m){const y=i.current;a.canDrag&&y&&(a.didMove=!0,t&&N(),a.delta=e.draggableDirection==="x"?m.clientX-a.start:m.clientY-a.start,a.start!==m.clientX&&(a.canCloseOnClick=!1),y.style.transform=`translate3d(${e.draggableDirection==="x"?`${a.delta}px, var(--y)`:`0, calc(${a.delta}px + var(--y))`},0)`,y.style.opacity=""+(1-Math.abs(a.delta/a.removalDistance)))}function h(){document.removeEventListener("pointermove",C),document.removeEventListener("pointerup",h);const m=i.current;if(a.canDrag&&a.didMove&&m){if(a.canDrag=!1,Math.abs(a.delta)>a.removalDistance)return s(!0),e.closeToast(),void e.collapseAll();m.style.transition="transform 0.2s, opacity 0.2s",m.style.removeProperty("transform"),m.style.removeProperty("opacity")}}(b=Ge.get((g={id:e.toastId,containerId:e.containerId,fn:n}).containerId||1))==null||b.setToggle(g.id,g.fn),S.useEffect(()=>{if(e.pauseOnFocusLoss)return document.hasFocus()||N(),window.addEventListener("focus",x),window.addEventListener("blur",N),()=>{window.removeEventListener("focus",x),window.removeEventListener("blur",N)}},[e.pauseOnFocusLoss]);const v={onPointerDown:function(m){if(e.draggable===!0||e.draggable===m.pointerType){a.didMove=!1,document.addEventListener("pointermove",C),document.addEventListener("pointerup",h);const y=i.current;a.canCloseOnClick=!0,a.canDrag=!0,y.style.transition="none",e.draggableDirection==="x"?(a.start=m.clientX,a.removalDistance=y.offsetWidth*(e.draggablePercent/100)):(a.start=m.clientY,a.removalDistance=y.offsetHeight*(e.draggablePercent===80?1.5*e.draggablePercent:e.draggablePercent)/100)}},onPointerUp:function(m){const{top:y,bottom:E,left:O,right:T}=i.current.getBoundingClientRect();m.nativeEvent.type!=="touchend"&&e.pauseOnHover&&m.clientX>=O&&m.clientX<=T&&m.clientY>=y&&m.clientY<=E?N():x()}};return l&&u&&(v.onMouseEnter=N,e.stacked||(v.onMouseLeave=x)),f&&(v.onClick=m=>{d&&d(m),a.canCloseOnClick&&c()}),{playToast:x,pauseToast:N,isRunning:t,preventExitTransition:o,toastRef:i,eventHandlers:v}}function gN(e){let{delay:t,isRunning:n,closeToast:o,type:s="default",hide:i,className:a,style:l,controlledProgress:u,progress:c,rtl:d,isIn:f,theme:g}=e;const b=i||u&&c===0,x={...l,animationDuration:`${t}ms`,animationPlayState:n?"running":"paused"};u&&(x.transform=`scaleX(${c})`);const N=On("Toastify__progress-bar",u?"Toastify__progress-bar--controlled":"Toastify__progress-bar--animated",`Toastify__progress-bar-theme--${g}`,`Toastify__progress-bar--${s}`,{"Toastify__progress-bar--rtl":d}),C=dt(a)?a({rtl:d,type:s,defaultClassName:N}):On(N,a),h={[u&&c>=1?"onTransitionEnd":"onAnimationEnd"]:u&&c<1?null:()=>{f&&o()}};return I.createElement("div",{className:"Toastify__progress-bar--wrp","data-hidden":b},I.createElement("div",{className:`Toastify__progress-bar--bg Toastify__progress-bar-theme--${g} Toastify__progress-bar--${s}`}),I.createElement("div",{role:"progressbar","aria-hidden":b?"true":"false","aria-label":"notification timer",className:C,style:x,...h}))}let xN=1;const Iv=()=>""+xN++;function yN(e){return e&&(pr(e.toastId)||xs(e.toastId))?e.toastId:Iv()}function Xo(e,t){return Av(e,t),t.toastId}function ca(e,t){return{...t,type:t&&t.type||e,toastId:yN(t)}}function ti(e){return(t,n)=>Xo(t,ca(e,n))}function ie(e,t){return Xo(e,ca("default",t))}ie.loading=(e,t)=>Xo(e,ca("default",{isLoading:!0,autoClose:!1,closeOnClick:!1,closeButton:!1,draggable:!1,...t})),ie.promise=function(e,t,n){let o,{pending:s,error:i,success:a}=t;s&&(o=pr(s)?ie.loading(s,n):ie.loading(s.render,{...n,...s}));const l={isLoading:null,autoClose:null,closeOnClick:null,closeButton:null,draggable:null},u=(d,f,g)=>{if(f==null)return void ie.dismiss(o);const b={type:d,...l,...n,data:g},x=pr(f)?{render:f}:f;return o?ie.update(o,{...b,...x}):ie(x.render,{...b,...x}),g},c=dt(e)?e():e;return c.then(d=>u("success",a,d)).catch(d=>u("error",i,d)),c},ie.success=ti("success"),ie.info=ti("info"),ie.error=ti("error"),ie.warning=ti("warning"),ie.warn=ie.warning,ie.dark=(e,t)=>Xo(e,ca("default",{theme:"dark",...t})),ie.dismiss=function(e){(function(t){var n;if(Tv()){if(t==null||pr(n=t)||xs(n))Ge.forEach(o=>{o.removeToast(t)});else if(t&&("containerId"in t||"id"in t)){const o=Ge.get(t.containerId);o?o.removeToast(t.id):Ge.forEach(s=>{s.removeToast(t.id)})}}else ys=ys.filter(o=>t!=null&&o.options.toastId!==t)})(e)},ie.clearWaitingQueue=function(e){e===void 0&&(e={}),Ge.forEach(t=>{!t.props.limit||e.containerId&&t.id!==e.containerId||t.clearQueue()})},ie.isActive=Rv,ie.update=function(e,t){t===void 0&&(t={});const n=((o,s)=>{var i;let{containerId:a}=s;return(i=Ge.get(a||1))==null?void 0:i.toasts.get(o)})(e,t);if(n){const{props:o,content:s}=n,i={delay:100,...o,...t,toastId:t.toastId||e,updateId:Iv()};i.toastId!==e&&(i.staleId=e);const a=i.render||s;delete i.render,Xo(a,i)}},ie.done=e=>{ie.update(e,{progress:1})},ie.onChange=function(e){return au.add(e),()=>{au.delete(e)}},ie.play=e=>fp(!0,e),ie.pause=e=>fp(!1,e);const jN=typeof window<"u"?S.useLayoutEffect:S.useEffect,ni=e=>{let{theme:t,type:n,isLoading:o,...s}=e;return I.createElement("svg",{viewBox:"0 0 24 24",width:"100%",height:"100%",fill:t==="colored"?"currentColor":`var(--toastify-icon-color-${n})`,...s})},Kl={info:function(e){return I.createElement(ni,{...e},I.createElement("path",{d:"M12 0a12 12 0 1012 12A12.013 12.013 0 0012 0zm.25 5a1.5 1.5 0 11-1.5 1.5 1.5 1.5 0 011.5-1.5zm2.25 13.5h-4a1 1 0 010-2h.75a.25.25 0 00.25-.25v-4.5a.25.25 0 00-.25-.25h-.75a1 1 0 010-2h1a2 2 0 012 2v4.75a.25.25 0 00.25.25h.75a1 1 0 110 2z"}))},warning:function(e){return I.createElement(ni,{...e},I.createElement("path",{d:"M23.32 17.191L15.438 2.184C14.728.833 13.416 0 11.996 0c-1.42 0-2.733.833-3.443 2.184L.533 17.448a4.744 4.744 0 000 4.368C1.243 23.167 2.555 24 3.975 24h16.05C22.22 24 24 22.044 24 19.632c0-.904-.251-1.746-.68-2.44zm-9.622 1.46c0 1.033-.724 1.823-1.698 1.823s-1.698-.79-1.698-1.822v-.043c0-1.028.724-1.822 1.698-1.822s1.698.79 1.698 1.822v.043zm.039-12.285l-.84 8.06c-.057.581-.408.943-.897.943-.49 0-.84-.367-.896-.942l-.84-8.065c-.057-.624.25-1.095.779-1.095h1.91c.528.005.84.476.784 1.1z"}))},success:function(e){return I.createElement(ni,{...e},I.createElement("path",{d:"M12 0a12 12 0 1012 12A12.014 12.014 0 0012 0zm6.927 8.2l-6.845 9.289a1.011 1.011 0 01-1.43.188l-4.888-3.908a1 1 0 111.25-1.562l4.076 3.261 6.227-8.451a1 1 0 111.61 1.183z"}))},error:function(e){return I.createElement(ni,{...e},I.createElement("path",{d:"M11.983 0a12.206 12.206 0 00-8.51 3.653A11.8 11.8 0 000 12.207 11.779 11.779 0 0011.8 24h.214A12.111 12.111 0 0024 11.791 11.766 11.766 0 0011.983 0zM10.5 16.542a1.476 1.476 0 011.449-1.53h.027a1.527 1.527 0 011.523 1.47 1.475 1.475 0 01-1.449 1.53h-.027a1.529 1.529 0 01-1.523-1.47zM11 12.5v-6a1 1 0 012 0v6a1 1 0 11-2 0z"}))},spinner:function(){return I.createElement("div",{className:"Toastify__spinner"})}},NN=e=>{const{isRunning:t,preventExitTransition:n,toastRef:o,eventHandlers:s,playToast:i}=vN(e),{closeButton:a,children:l,autoClose:u,onClick:c,type:d,hideProgressBar:f,closeToast:g,transition:b,position:x,className:N,style:C,bodyClassName:h,bodyStyle:v,progressClassName:m,progressStyle:y,updateId:E,role:O,progress:T,rtl:P,toastId:L,deleteToast:z,isIn:H,isLoading:te,closeOnClick:Q,theme:Z}=e,D=On("Toastify__toast",`Toastify__toast-theme--${Z}`,`Toastify__toast--${d}`,{"Toastify__toast--rtl":P},{"Toastify__toast--close-on-click":Q}),U=dt(N)?N({rtl:P,position:x,type:d,defaultClassName:D}):On(D,N),G=function(F){let{theme:W,type:K,isLoading:Y,icon:ee}=F,re=null;const ne={theme:W,type:K};return ee===!1||(dt(ee)?re=ee({...ne,isLoading:Y}):S.isValidElement(ee)?re=S.cloneElement(ee,ne):Y?re=Kl.spinner():(oe=>oe in Kl)(K)&&(re=Kl[K](ne))),re}(e),R=!!T||!u,A={closeToast:g,type:d,theme:Z};let B=null;return a===!1||(B=dt(a)?a(A):S.isValidElement(a)?S.cloneElement(a,A):function(F){let{closeToast:W,theme:K,ariaLabel:Y="close"}=F;return I.createElement("button",{className:`Toastify__close-button Toastify__close-button--${K}`,type:"button",onClick:ee=>{ee.stopPropagation(),W(ee)},"aria-label":Y},I.createElement("svg",{"aria-hidden":"true",viewBox:"0 0 14 16"},I.createElement("path",{fillRule:"evenodd",d:"M7.71 8.23l3.75 3.75-1.48 1.48-3.75-3.75-3.75 3.75L1 11.98l3.75-3.75L1 4.48 2.48 3l3.75 3.75L9.98 3l1.48 1.48-3.75 3.75z"})))}(A)),I.createElement(b,{isIn:H,done:z,position:x,preventExitTransition:n,nodeRef:o,playToast:i},I.createElement("div",{id:L,onClick:c,"data-in":H,className:U,...s,style:C,ref:o},I.createElement("div",{...H&&{role:O},className:dt(h)?h({type:d}):On("Toastify__toast-body",h),style:v},G!=null&&I.createElement("div",{className:On("Toastify__toast-icon",{"Toastify--animate-icon Toastify__zoom-enter":!te})},G),I.createElement("div",null,l)),B,I.createElement(gN,{...E&&!R?{key:`pb-${E}`}:{},rtl:P,theme:Z,delay:u,isRunning:t,isIn:H,closeToast:g,hide:f,type:d,style:y,className:m,controlledProgress:R,progress:T||0})))},qa=function(e,t){return t===void 0&&(t=!1),{enter:`Toastify--animate Toastify__${e}-enter`,exit:`Toastify--animate Toastify__${e}-exit`,appendPosition:t}},CN=Ua(qa("bounce",!0));Ua(qa("slide",!0));Ua(qa("zoom"));Ua(qa("flip"));const bN={position:"top-right",transition:CN,autoClose:5e3,closeButton:!0,pauseOnHover:!0,pauseOnFocusLoss:!0,draggable:"touch",draggablePercent:80,draggableDirection:"x",role:"alert",theme:"light"};function wN(e){let t={...bN,...e};const n=e.stacked,[o,s]=S.useState(!0),i=S.useRef(null),{getToastToRender:a,isToastActive:l,count:u}=hN(t),{className:c,style:d,rtl:f,containerId:g}=t;function b(N){const C=On("Toastify__toast-container",`Toastify__toast-container--${N}`,{"Toastify__toast-container--rtl":f});return dt(c)?c({position:N,rtl:f,defaultClassName:C}):On(C,Pi(c))}function x(){n&&(s(!0),ie.play())}return jN(()=>{if(n){var N;const C=i.current.querySelectorAll('[data-in="true"]'),h=12,v=(N=t.position)==null?void 0:N.includes("top");let m=0,y=0;Array.from(C).reverse().forEach((E,O)=>{const T=E;T.classList.add("Toastify__toast--stacked"),O>0&&(T.dataset.collapsed=`${o}`),T.dataset.pos||(T.dataset.pos=v?"top":"bot");const P=m*(o?.2:1)+(o?0:h*O);T.style.setProperty("--y",`${v?P:-1*P}px`),T.style.setProperty("--g",`${h}`),T.style.setProperty("--s",""+(1-(o?y:0))),m+=T.offsetHeight,y+=.025})}},[o,u,n]),I.createElement("div",{ref:i,className:"Toastify",id:g,onMouseEnter:()=>{n&&(s(!1),ie.pause())},onMouseLeave:x},a((N,C)=>{const h=C.length?{...d}:{...d,pointerEvents:"none"};return I.createElement("div",{className:b(N),style:h,key:`container-${N}`},C.map(v=>{let{content:m,props:y}=v;return I.createElement(NN,{...y,stacked:n,collapseAll:x,isIn:l(y.toastId,y.containerId),style:y.style,key:`toast-${y.key}`},m)}))}))}const lu=Et("fundDetails/submit",async({fundDetails:e,id:t,navigate:n},{rejectWithValue:o})=>{try{const s=await sN(e,t);return ie.success("Details submitted successfully"),n(`/property/${t}`),s.data}catch(s){return ie.error("Failed to submit details"),o(s.response.data)}}),_i=Et("fundDetails/getFundDetailsById",async(e,{rejectWithValue:t})=>{try{return(await ve.get(`http://localhost:3002/fundDetails/${e}`)).data}catch(n){return t(n.response.data)}}),SN=Ma({name:"fundDetails",initialState:{fundDetails:null,status:null,error:null},reducers:{},extraReducers:e=>{e.addCase(_i.pending,t=>{t.status="loading"}).addCase(_i.fulfilled,(t,n)=>{t.status="succeeded",t.fundDetails=n.payload}).addCase(_i.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(lu.fulfilled,(t,n)=>{t.fundDetails=n.payload}).addCase(lu.rejected,(t,n)=>{t.error=n.payload})}}),EN=SN.reducer,kN=t1({reducer:{auth:lN,user:uN,property:fN,fundDetails:EN}});/** +`):" "+lp(i[0]):"as no adapter specified";throw new se("There is no suitable adapter to dispatch the request "+a,"ERR_NOT_SUPPORT")}return o},adapters:ou};function Kl(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new mo(null,e)}function cp(e){return Kl(e),e.headers=at.from(e.headers),e.data=Hl.call(e,e.transformRequest),["post","put","patch"].indexOf(e.method)!==-1&&e.headers.setContentType("application/x-www-form-urlencoded",!1),Ev.getAdapter(e.adapter||Ts.adapter)(e).then(function(o){return Kl(e),o.data=Hl.call(e,e.transformResponse,o),o.headers=at.from(o.headers),o},function(o){return jv(o)||(Kl(e),o&&o.response&&(o.response.data=Hl.call(e,e.transformResponse,o.response),o.response.headers=at.from(o.response.headers))),Promise.reject(o)})}const kv="1.7.7",xd={};["object","boolean","number","function","string","symbol"].forEach((e,t)=>{xd[e]=function(o){return typeof o===e||"a"+(t<1?"n ":" ")+e}});const up={};xd.transitional=function(t,n,o){function s(i,a){return"[Axios v"+kv+"] Transitional option '"+i+"'"+a+(o?". "+o:"")}return(i,a,l)=>{if(t===!1)throw new se(s(a," has been removed"+(n?" in "+n:"")),se.ERR_DEPRECATED);return n&&!up[a]&&(up[a]=!0,console.warn(s(a," has been deprecated since v"+n+" and will be removed in the near future"))),t?t(i,a,l):!0}};function K0(e,t,n){if(typeof e!="object")throw new se("options must be an object",se.ERR_BAD_OPTION_VALUE);const o=Object.keys(e);let s=o.length;for(;s-- >0;){const i=o[s],a=t[i];if(a){const l=e[i],u=l===void 0||a(l,i,e);if(u!==!0)throw new se("option "+i+" must be "+u,se.ERR_BAD_OPTION_VALUE);continue}if(n!==!0)throw new se("Unknown option "+i,se.ERR_BAD_OPTION)}}const su={assertOptions:K0,validators:xd},yn=su.validators;class fr{constructor(t){this.defaults=t,this.interceptors={request:new tp,response:new tp}}async request(t,n){try{return await this._request(t,n)}catch(o){if(o instanceof Error){let s;Error.captureStackTrace?Error.captureStackTrace(s={}):s=new Error;const i=s.stack?s.stack.replace(/^.+\n/,""):"";try{o.stack?i&&!String(o.stack).endsWith(i.replace(/^.+\n.+\n/,""))&&(o.stack+=` +`+i):o.stack=i}catch{}}throw o}}_request(t,n){typeof t=="string"?(n=n||{},n.url=t):n=t||{},n=Cr(this.defaults,n);const{transitional:o,paramsSerializer:s,headers:i}=n;o!==void 0&&su.assertOptions(o,{silentJSONParsing:yn.transitional(yn.boolean),forcedJSONParsing:yn.transitional(yn.boolean),clarifyTimeoutError:yn.transitional(yn.boolean)},!1),s!=null&&(z.isFunction(s)?n.paramsSerializer={serialize:s}:su.assertOptions(s,{encode:yn.function,serialize:yn.function},!0)),n.method=(n.method||this.defaults.method||"get").toLowerCase();let a=i&&z.merge(i.common,i[n.method]);i&&z.forEach(["delete","get","head","post","put","patch","common"],x=>{delete i[x]}),n.headers=at.concat(a,i);const l=[];let u=!0;this.interceptors.request.forEach(function(N){typeof N.runWhen=="function"&&N.runWhen(n)===!1||(u=u&&N.synchronous,l.unshift(N.fulfilled,N.rejected))});const c=[];this.interceptors.response.forEach(function(N){c.push(N.fulfilled,N.rejected)});let d,f=0,g;if(!u){const x=[cp.bind(this),void 0];for(x.unshift.apply(x,l),x.push.apply(x,c),g=x.length,d=Promise.resolve(n);f{if(!o._listeners)return;let i=o._listeners.length;for(;i-- >0;)o._listeners[i](s);o._listeners=null}),this.promise.then=s=>{let i;const a=new Promise(l=>{o.subscribe(l),i=l}).then(s);return a.cancel=function(){o.unsubscribe(i)},a},t(function(i,a,l){o.reason||(o.reason=new mo(i,a,l),n(o.reason))})}throwIfRequested(){if(this.reason)throw this.reason}subscribe(t){if(this.reason){t(this.reason);return}this._listeners?this._listeners.push(t):this._listeners=[t]}unsubscribe(t){if(!this._listeners)return;const n=this._listeners.indexOf(t);n!==-1&&this._listeners.splice(n,1)}toAbortSignal(){const t=new AbortController,n=o=>{t.abort(o)};return this.subscribe(n),t.signal.unsubscribe=()=>this.unsubscribe(n),t.signal}static source(){let t;return{token:new yd(function(s){t=s}),cancel:t}}}function Y0(e){return function(n){return e.apply(null,n)}}function G0(e){return z.isObject(e)&&e.isAxiosError===!0}const iu={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(iu).forEach(([e,t])=>{iu[t]=e});function Pv(e){const t=new fr(e),n=sv(fr.prototype.request,t);return z.extend(n,fr.prototype,t,{allOwnKeys:!0}),z.extend(n,t,null,{allOwnKeys:!0}),n.create=function(s){return Pv(Cr(e,s))},n}const ve=Pv(Ts);ve.Axios=fr;ve.CanceledError=mo;ve.CancelToken=yd;ve.isCancel=jv;ve.VERSION=kv;ve.toFormData=Wa;ve.AxiosError=se;ve.Cancel=ve.CanceledError;ve.all=function(t){return Promise.all(t)};ve.spread=Y0;ve.isAxiosError=G0;ve.mergeConfig=Cr;ve.AxiosHeaders=at;ve.formToJSON=e=>yv(z.isHTMLForm(e)?new FormData(e):e);ve.getAdapter=Ev.getAdapter;ve.HttpStatusCode=iu;ve.default=ve;const Q0="http://67.225.129.127:3002",mn=ve.create({baseURL:Q0});mn.interceptors.request.use(e=>(localStorage.getItem("profile")&&(e.headers.Authorization=`Bearer ${JSON.parse(localStorage.getItem("profile")).token}`),e));const X0=e=>mn.post("/users/signup",e),J0=e=>mn.post("/users/signin",e),Z0=(e,t,n)=>mn.get(`/users/${e}/verify/${t}`,n),eN=e=>mn.post("/properties",e),tN=(e,t,n)=>mn.get(`/properties/user/${e}?page=${t}&limit=${n}`,e),nN=e=>mn.get(`/properties/${e}`,e),rN=(e,t)=>mn.put(`/properties/${e}`,t),oN=e=>mn.get(`/users/${e}`),sN="http://67.225.129.127:3002",Ni=Et("auth/login",async({formValue:e,navigate:t},{rejectWithValue:n})=>{try{const o=await J0(e);return t("/dashboard"),o.data}catch(o){return n(o.response.data)}}),Ci=Et("auth/register",async({formValue:e,navigate:t,toast:n},{rejectWithValue:o})=>{try{const s=await X0(e);return console.log("response",s),n.success("Register Successfully"),t("/registrationsuccess"),s.data}catch(s){return o(s.response.data)}}),bi=Et("auth/updateUser",async({formData:e,toast:t,navigate:n},{rejectWithValue:o})=>{try{const s=await ve.put(`${sN}/users/update`,e);return t.success("Updated Successfully"),n("/login"),s.data}catch(s){return o(s.response.data)}}),_v=La({name:"auth",initialState:{user:null,error:"",loading:!1,isLoading:!1},reducers:{setUser:(e,t)=>{e.user=t.payload},setLogout:e=>{localStorage.clear(),e.user=null},setUserDetails:(e,t)=>{e.user=t.payload},updateUser:(e,t)=>{const n=t.payload;e.user={...e.user,...n}}},extraReducers:e=>{e.addCase(Ni.pending,t=>{t.loading=!0}).addCase(Ni.fulfilled,(t,n)=>{t.loading=!1,localStorage.setItem("profile",JSON.stringify({...n.payload})),t.user=n.payload}).addCase(Ni.rejected,(t,n)=>{t.loading=!1,t.error=n.payload.message}).addCase(Ci.pending,t=>{t.loading=!0}).addCase(Ci.fulfilled,(t,n)=>{t.loading=!1,localStorage.setItem("profile",JSON.stringify({...n.payload})),t.user=n.payload}).addCase(Ci.rejected,(t,n)=>{t.loading=!1,t.error=n.payload.message}).addCase(bi.pending,t=>{t.isLoading=!0}).addCase(bi.fulfilled,(t,n)=>{t.isLoading=!1,t.user=n.payload}).addCase(bi.rejected,(t,n)=>{t.isLoading=!1,t.error=n.payload})}}),{setUser:Gw,setLogout:iN,setUserDetails:Qw}=_v.actions,aN=_v.reducer,wi=Et("user/showUser",async(e,{rejectWithValue:t})=>{try{return(await oN(e)).data}catch(n){return t(n.response.data)}}),Si=Et("user/verifyEmail",async({id:e,token:t,data:n},{rejectWithValue:o})=>{try{return(await Z0(e,t,n)).data.message}catch(s){return o(s.response.data)}}),lN=La({name:"user",initialState:{users:[],error:"",loading:!1,verified:!1,user:{}},reducers:{},extraReducers:e=>{e.addCase(wi.pending,t=>{t.loading=!0,t.error=null}).addCase(wi.fulfilled,(t,n)=>{t.loading=!1,t.user=n.payload}).addCase(wi.rejected,(t,n)=>{t.loading=!1,t.error=n.payload}).addCase(Si.pending,t=>{t.loading=!0,t.error=null}).addCase(Si.fulfilled,(t,n)=>{t.loading=!1,t.verified=n.payload==="Email verified successfully"}).addCase(Si.rejected,(t,n)=>{t.loading=!1,t.error=n.error.message})}}),cN=lN.reducer,Ei=Et("property/submitProperty",async(e,{rejectWithValue:t})=>{try{return(await eN(e)).data}catch(n){return t(n.response.data)}}),ki=Et("property/fetchUserProperties",async({userId:e,page:t,limit:n},{rejectWithValue:o})=>{try{return(await tN(e,t,n)).data}catch(s){return o(s.response.data)}}),Go=Et("property/fetchPropertyById",async(e,{rejectWithValue:t})=>{try{return(await nN(e)).data}catch(n){return t(n.response.data)}}),Pi=Et("property/updateProperty",async({id:e,propertyData:t},{rejectWithValue:n})=>{try{return(await rN(e,t)).data}catch(o){return n(o.response.data)}}),_i=Et("property/addFundDetails",async({id:e,fundDetails:t,toast:n},{rejectWithValue:o})=>{try{const s=await ve.put(`http://localhost:3002/properties/${e}/fund-details`,t);return n.success("Submitted Successfully"),s.data}catch(s){return o(s.response.data)}}),Qo=Et("properties/getProperties",async({page:e,limit:t,keyword:n=""})=>(await ve.get(`http://67.225.129.127:3002/properties?page=${e}&limit=${t}&keyword=${n}`)).data),uN=La({name:"property",initialState:{property:{},status:"idle",error:null,userProperties:[],selectedProperty:null,totalPages:0,currentPage:1,loading:!1,properties:[]},reducers:{},extraReducers:e=>{e.addCase(Ei.pending,t=>{t.status="loading"}).addCase(Ei.fulfilled,(t,n)=>{t.status="succeeded",t.property=n.payload}).addCase(Ei.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(ki.pending,t=>{t.loading=!0}).addCase(ki.fulfilled,(t,{payload:n})=>{t.loading=!1,t.userProperties=n.properties,t.totalPages=n.totalPages,t.currentPage=n.currentPage}).addCase(ki.rejected,(t,{payload:n})=>{t.loading=!1,t.error=n}).addCase(Go.pending,t=>{t.status="loading"}).addCase(Go.fulfilled,(t,n)=>{t.status="succeeded",t.selectedProperty=n.payload}).addCase(Go.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(Pi.pending,t=>{t.status="loading"}).addCase(Pi.fulfilled,(t,n)=>{t.status="succeeded",t.selectedProperty=n.payload}).addCase(Pi.rejected,(t,n)=>{t.status="failed",t.error=n.payload}).addCase(Qo.pending,t=>{t.loading=!0}).addCase(Qo.fulfilled,(t,n)=>{t.loading=!1,t.properties=n.payload.data,t.totalPages=n.payload.totalPages,t.currentPage=n.payload.currentPage}).addCase(Qo.rejected,(t,n)=>{t.loading=!1,t.error=n.error.message}).addCase(_i.pending,t=>{t.loading=!0}).addCase(_i.fulfilled,(t,n)=>{t.loading=!1,t.property=n.payload.property}).addCase(_i.rejected,(t,n)=>{t.loading=!1,t.error=n.payload})}}),dN=uN.reducer,Xo=Et("fundDetails/fetchFundDetails",async(e,{rejectWithValue:t})=>{try{return(await ve.get(`http://localhost:3002/properties/${e}/fund-details`)).data.fundDetails}catch(n){return t(n.response.data)}}),fN=La({name:"fundDetails",initialState:{fundDetails:[],loading:!1,error:null},reducers:{},extraReducers:e=>{e.addCase(Xo.pending,t=>{t.loading=!0}).addCase(Xo.fulfilled,(t,n)=>{t.loading=!1,t.fundDetails=n.payload}).addCase(Xo.rejected,(t,n)=>{t.loading=!1,t.error=n.payload})}}),pN=fN.reducer,mN=t1({reducer:{auth:aN,user:cN,property:dN,fundDetails:pN}});/** * @remix-run/router v1.19.1 * * Copyright (c) Remix Software Inc. @@ -59,7 +59,7 @@ Error generating stack: `+i.message+` * LICENSE.md file in the root directory of this source tree. * * @license MIT - */function js(){return js=Object.assign?Object.assign.bind():function(e){for(var t=1;t"u")throw new Error(t)}function Dv(e,t){if(!e){typeof console<"u"&&console.warn(t);try{throw new Error(t)}catch{}}}function _N(){return Math.random().toString(36).substr(2,8)}function mp(e,t){return{usr:e.state,key:e.key,idx:t}}function cu(e,t,n,o){return n===void 0&&(n=null),js({pathname:typeof e=="string"?e:e.pathname,search:"",hash:""},typeof t=="string"?vo(t):t,{state:n,key:t&&t.key||o||_N()})}function ua(e){let{pathname:t="/",search:n="",hash:o=""}=e;return n&&n!=="?"&&(t+=n.charAt(0)==="?"?n:"?"+n),o&&o!=="#"&&(t+=o.charAt(0)==="#"?o:"#"+o),t}function vo(e){let t={};if(e){let n=e.indexOf("#");n>=0&&(t.hash=e.substr(n),e=e.substr(0,n));let o=e.indexOf("?");o>=0&&(t.search=e.substr(o),e=e.substr(0,o)),e&&(t.pathname=e)}return t}function ON(e,t,n,o){o===void 0&&(o={});let{window:s=document.defaultView,v5Compat:i=!1}=o,a=s.history,l=Tn.Pop,u=null,c=d();c==null&&(c=0,a.replaceState(js({},a.state,{idx:c}),""));function d(){return(a.state||{idx:null}).idx}function f(){l=Tn.Pop;let C=d(),h=C==null?null:C-c;c=C,u&&u({action:l,location:N.location,delta:h})}function g(C,h){l=Tn.Push;let v=cu(N.location,C,h);c=d()+1;let m=mp(v,c),y=N.createHref(v);try{a.pushState(m,"",y)}catch(E){if(E instanceof DOMException&&E.name==="DataCloneError")throw E;s.location.assign(y)}i&&u&&u({action:l,location:N.location,delta:1})}function b(C,h){l=Tn.Replace;let v=cu(N.location,C,h);c=d();let m=mp(v,c),y=N.createHref(v);a.replaceState(m,"",y),i&&u&&u({action:l,location:N.location,delta:0})}function x(C){let h=s.location.origin!=="null"?s.location.origin:s.location.href,v=typeof C=="string"?C:ua(C);return v=v.replace(/ $/,"%20"),ke(h,"No window.location.(origin|href) available to create URL for href: "+v),new URL(v,h)}let N={get action(){return l},get location(){return e(s,a)},listen(C){if(u)throw new Error("A history only accepts one active listener");return s.addEventListener(pp,f),u=C,()=>{s.removeEventListener(pp,f),u=null}},createHref(C){return t(s,C)},createURL:x,encodeLocation(C){let h=x(C);return{pathname:h.pathname,search:h.search,hash:h.hash}},push:g,replace:b,go(C){return a.go(C)}};return N}var hp;(function(e){e.data="data",e.deferred="deferred",e.redirect="redirect",e.error="error"})(hp||(hp={}));function TN(e,t,n){return n===void 0&&(n="/"),RN(e,t,n,!1)}function RN(e,t,n,o){let s=typeof t=="string"?vo(t):t,i=co(s.pathname||"/",n);if(i==null)return null;let a=Fv(e);AN(a);let l=null;for(let u=0;l==null&&u{let u={relativePath:l===void 0?i.path||"":l,caseSensitive:i.caseSensitive===!0,childrenIndex:a,route:i};u.relativePath.startsWith("/")&&(ke(u.relativePath.startsWith(o),'Absolute route path "'+u.relativePath+'" nested under path '+('"'+o+'" is not valid. An absolute child route path ')+"must start with the combined path of all its parent routes."),u.relativePath=u.relativePath.slice(o.length));let c=zn([o,u.relativePath]),d=n.concat(u);i.children&&i.children.length>0&&(ke(i.index!==!0,"Index routes must not have child routes. Please remove "+('all child routes from route path "'+c+'".')),Fv(i.children,t,d,c)),!(i.path==null&&!i.index)&&t.push({path:c,score:zN(c,i.index),routesMeta:d})};return e.forEach((i,a)=>{var l;if(i.path===""||!((l=i.path)!=null&&l.includes("?")))s(i,a);else for(let u of Mv(i.path))s(i,a,u)}),t}function Mv(e){let t=e.split("/");if(t.length===0)return[];let[n,...o]=t,s=n.endsWith("?"),i=n.replace(/\?$/,"");if(o.length===0)return s?[i,""]:[i];let a=Mv(o.join("/")),l=[];return l.push(...a.map(u=>u===""?i:[i,u].join("/"))),s&&l.push(...a),l.map(u=>e.startsWith("/")&&u===""?"/":u)}function AN(e){e.sort((t,n)=>t.score!==n.score?n.score-t.score:$N(t.routesMeta.map(o=>o.childrenIndex),n.routesMeta.map(o=>o.childrenIndex)))}const IN=/^:[\w-]+$/,DN=3,FN=2,MN=1,LN=10,BN=-2,vp=e=>e==="*";function zN(e,t){let n=e.split("/"),o=n.length;return n.some(vp)&&(o+=BN),t&&(o+=FN),n.filter(s=>!vp(s)).reduce((s,i)=>s+(IN.test(i)?DN:i===""?MN:LN),o)}function $N(e,t){return e.length===t.length&&e.slice(0,-1).every((o,s)=>o===t[s])?e[e.length-1]-t[t.length-1]:0}function WN(e,t,n){let{routesMeta:o}=e,s={},i="/",a=[];for(let l=0;l{let{paramName:g,isOptional:b}=d;if(g==="*"){let N=l[f]||"";a=i.slice(0,i.length-N.length).replace(/(.)\/+$/,"$1")}const x=l[f];return b&&!x?c[g]=void 0:c[g]=(x||"").replace(/%2F/g,"/"),c},{}),pathname:i,pathnameBase:a,pattern:e}}function UN(e,t,n){t===void 0&&(t=!1),n===void 0&&(n=!0),Dv(e==="*"||!e.endsWith("*")||e.endsWith("/*"),'Route path "'+e+'" will be treated as if it were '+('"'+e.replace(/\*$/,"/*")+'" because the `*` character must ')+"always follow a `/` in the pattern. To get rid of this warning, "+('please change the route path to "'+e.replace(/\*$/,"/*")+'".'));let o=[],s="^"+e.replace(/\/*\*?$/,"").replace(/^\/*/,"/").replace(/[\\.*+^${}|()[\]]/g,"\\$&").replace(/\/:([\w-]+)(\?)?/g,(a,l,u)=>(o.push({paramName:l,isOptional:u!=null}),u?"/?([^\\/]+)?":"/([^\\/]+)"));return e.endsWith("*")?(o.push({paramName:"*"}),s+=e==="*"||e==="/*"?"(.*)$":"(?:\\/(.+)|\\/*)$"):n?s+="\\/*$":e!==""&&e!=="/"&&(s+="(?:(?=\\/|$))"),[new RegExp(s,t?void 0:"i"),o]}function qN(e){try{return e.split("/").map(t=>decodeURIComponent(t).replace(/\//g,"%2F")).join("/")}catch(t){return Dv(!1,'The URL path "'+e+'" could not be decoded because it is is a malformed URL segment. This is probably due to a bad percent '+("encoding ("+t+").")),e}}function co(e,t){if(t==="/")return e;if(!e.toLowerCase().startsWith(t.toLowerCase()))return null;let n=t.endsWith("/")?t.length-1:t.length,o=e.charAt(n);return o&&o!=="/"?null:e.slice(n)||"/"}function VN(e,t){t===void 0&&(t="/");let{pathname:n,search:o="",hash:s=""}=typeof e=="string"?vo(e):e;return{pathname:n?n.startsWith("/")?n:HN(n,t):t,search:GN(o),hash:QN(s)}}function HN(e,t){let n=t.replace(/\/+$/,"").split("/");return e.split("/").forEach(s=>{s===".."?n.length>1&&n.pop():s!=="."&&n.push(s)}),n.length>1?n.join("/"):"/"}function Yl(e,t,n,o){return"Cannot include a '"+e+"' character in a manually specified "+("`to."+t+"` field ["+JSON.stringify(o)+"]. Please separate it out to the ")+("`to."+n+"` field. Alternatively you may provide the full path as ")+'a string in and the router will parse it for you.'}function KN(e){return e.filter((t,n)=>n===0||t.route.path&&t.route.path.length>0)}function Lv(e,t){let n=KN(e);return t?n.map((o,s)=>s===n.length-1?o.pathname:o.pathnameBase):n.map(o=>o.pathnameBase)}function Bv(e,t,n,o){o===void 0&&(o=!1);let s;typeof e=="string"?s=vo(e):(s=js({},e),ke(!s.pathname||!s.pathname.includes("?"),Yl("?","pathname","search",s)),ke(!s.pathname||!s.pathname.includes("#"),Yl("#","pathname","hash",s)),ke(!s.search||!s.search.includes("#"),Yl("#","search","hash",s)));let i=e===""||s.pathname==="",a=i?"/":s.pathname,l;if(a==null)l=n;else{let f=t.length-1;if(!o&&a.startsWith("..")){let g=a.split("/");for(;g[0]==="..";)g.shift(),f-=1;s.pathname=g.join("/")}l=f>=0?t[f]:"/"}let u=VN(s,l),c=a&&a!=="/"&&a.endsWith("/"),d=(i||a===".")&&n.endsWith("/");return!u.pathname.endsWith("/")&&(c||d)&&(u.pathname+="/"),u}const zn=e=>e.join("/").replace(/\/\/+/g,"/"),YN=e=>e.replace(/\/+$/,"").replace(/^\/*/,"/"),GN=e=>!e||e==="?"?"":e.startsWith("?")?e:"?"+e,QN=e=>!e||e==="#"?"":e.startsWith("#")?e:"#"+e;function XN(e){return e!=null&&typeof e.status=="number"&&typeof e.statusText=="string"&&typeof e.internal=="boolean"&&"data"in e}const zv=["post","put","patch","delete"];new Set(zv);const JN=["get",...zv];new Set(JN);/** + */function ys(){return ys=Object.assign?Object.assign.bind():function(e){for(var t=1;t"u")throw new Error(t)}function Ov(e,t){if(!e){typeof console<"u"&&console.warn(t);try{throw new Error(t)}catch{}}}function vN(){return Math.random().toString(36).substr(2,8)}function fp(e,t){return{usr:e.state,key:e.key,idx:t}}function au(e,t,n,o){return n===void 0&&(n=null),ys({pathname:typeof e=="string"?e:e.pathname,search:"",hash:""},typeof t=="string"?ho(t):t,{state:n,key:t&&t.key||o||vN()})}function ua(e){let{pathname:t="/",search:n="",hash:o=""}=e;return n&&n!=="?"&&(t+=n.charAt(0)==="?"?n:"?"+n),o&&o!=="#"&&(t+=o.charAt(0)==="#"?o:"#"+o),t}function ho(e){let t={};if(e){let n=e.indexOf("#");n>=0&&(t.hash=e.substr(n),e=e.substr(0,n));let o=e.indexOf("?");o>=0&&(t.search=e.substr(o),e=e.substr(0,o)),e&&(t.pathname=e)}return t}function gN(e,t,n,o){o===void 0&&(o={});let{window:s=document.defaultView,v5Compat:i=!1}=o,a=s.history,l=On.Pop,u=null,c=d();c==null&&(c=0,a.replaceState(ys({},a.state,{idx:c}),""));function d(){return(a.state||{idx:null}).idx}function f(){l=On.Pop;let b=d(),h=b==null?null:b-c;c=b,u&&u({action:l,location:N.location,delta:h})}function g(b,h){l=On.Push;let v=au(N.location,b,h);c=d()+1;let m=fp(v,c),y=N.createHref(v);try{a.pushState(m,"",y)}catch(E){if(E instanceof DOMException&&E.name==="DataCloneError")throw E;s.location.assign(y)}i&&u&&u({action:l,location:N.location,delta:1})}function C(b,h){l=On.Replace;let v=au(N.location,b,h);c=d();let m=fp(v,c),y=N.createHref(v);a.replaceState(m,"",y),i&&u&&u({action:l,location:N.location,delta:0})}function x(b){let h=s.location.origin!=="null"?s.location.origin:s.location.href,v=typeof b=="string"?b:ua(b);return v=v.replace(/ $/,"%20"),ke(h,"No window.location.(origin|href) available to create URL for href: "+v),new URL(v,h)}let N={get action(){return l},get location(){return e(s,a)},listen(b){if(u)throw new Error("A history only accepts one active listener");return s.addEventListener(dp,f),u=b,()=>{s.removeEventListener(dp,f),u=null}},createHref(b){return t(s,b)},createURL:x,encodeLocation(b){let h=x(b);return{pathname:h.pathname,search:h.search,hash:h.hash}},push:g,replace:C,go(b){return a.go(b)}};return N}var pp;(function(e){e.data="data",e.deferred="deferred",e.redirect="redirect",e.error="error"})(pp||(pp={}));function xN(e,t,n){return n===void 0&&(n="/"),yN(e,t,n,!1)}function yN(e,t,n,o){let s=typeof t=="string"?ho(t):t,i=lo(s.pathname||"/",n);if(i==null)return null;let a=Tv(e);jN(a);let l=null;for(let u=0;l==null&&u{let u={relativePath:l===void 0?i.path||"":l,caseSensitive:i.caseSensitive===!0,childrenIndex:a,route:i};u.relativePath.startsWith("/")&&(ke(u.relativePath.startsWith(o),'Absolute route path "'+u.relativePath+'" nested under path '+('"'+o+'" is not valid. An absolute child route path ')+"must start with the combined path of all its parent routes."),u.relativePath=u.relativePath.slice(o.length));let c=zn([o,u.relativePath]),d=n.concat(u);i.children&&i.children.length>0&&(ke(i.index!==!0,"Index routes must not have child routes. Please remove "+('all child routes from route path "'+c+'".')),Tv(i.children,t,d,c)),!(i.path==null&&!i.index)&&t.push({path:c,score:kN(c,i.index),routesMeta:d})};return e.forEach((i,a)=>{var l;if(i.path===""||!((l=i.path)!=null&&l.includes("?")))s(i,a);else for(let u of Rv(i.path))s(i,a,u)}),t}function Rv(e){let t=e.split("/");if(t.length===0)return[];let[n,...o]=t,s=n.endsWith("?"),i=n.replace(/\?$/,"");if(o.length===0)return s?[i,""]:[i];let a=Rv(o.join("/")),l=[];return l.push(...a.map(u=>u===""?i:[i,u].join("/"))),s&&l.push(...a),l.map(u=>e.startsWith("/")&&u===""?"/":u)}function jN(e){e.sort((t,n)=>t.score!==n.score?n.score-t.score:PN(t.routesMeta.map(o=>o.childrenIndex),n.routesMeta.map(o=>o.childrenIndex)))}const NN=/^:[\w-]+$/,CN=3,bN=2,wN=1,SN=10,EN=-2,mp=e=>e==="*";function kN(e,t){let n=e.split("/"),o=n.length;return n.some(mp)&&(o+=EN),t&&(o+=bN),n.filter(s=>!mp(s)).reduce((s,i)=>s+(NN.test(i)?CN:i===""?wN:SN),o)}function PN(e,t){return e.length===t.length&&e.slice(0,-1).every((o,s)=>o===t[s])?e[e.length-1]-t[t.length-1]:0}function _N(e,t,n){let{routesMeta:o}=e,s={},i="/",a=[];for(let l=0;l{let{paramName:g,isOptional:C}=d;if(g==="*"){let N=l[f]||"";a=i.slice(0,i.length-N.length).replace(/(.)\/+$/,"$1")}const x=l[f];return C&&!x?c[g]=void 0:c[g]=(x||"").replace(/%2F/g,"/"),c},{}),pathname:i,pathnameBase:a,pattern:e}}function ON(e,t,n){t===void 0&&(t=!1),n===void 0&&(n=!0),Ov(e==="*"||!e.endsWith("*")||e.endsWith("/*"),'Route path "'+e+'" will be treated as if it were '+('"'+e.replace(/\*$/,"/*")+'" because the `*` character must ')+"always follow a `/` in the pattern. To get rid of this warning, "+('please change the route path to "'+e.replace(/\*$/,"/*")+'".'));let o=[],s="^"+e.replace(/\/*\*?$/,"").replace(/^\/*/,"/").replace(/[\\.*+^${}|()[\]]/g,"\\$&").replace(/\/:([\w-]+)(\?)?/g,(a,l,u)=>(o.push({paramName:l,isOptional:u!=null}),u?"/?([^\\/]+)?":"/([^\\/]+)"));return e.endsWith("*")?(o.push({paramName:"*"}),s+=e==="*"||e==="/*"?"(.*)$":"(?:\\/(.+)|\\/*)$"):n?s+="\\/*$":e!==""&&e!=="/"&&(s+="(?:(?=\\/|$))"),[new RegExp(s,t?void 0:"i"),o]}function TN(e){try{return e.split("/").map(t=>decodeURIComponent(t).replace(/\//g,"%2F")).join("/")}catch(t){return Ov(!1,'The URL path "'+e+'" could not be decoded because it is is a malformed URL segment. This is probably due to a bad percent '+("encoding ("+t+").")),e}}function lo(e,t){if(t==="/")return e;if(!e.toLowerCase().startsWith(t.toLowerCase()))return null;let n=t.endsWith("/")?t.length-1:t.length,o=e.charAt(n);return o&&o!=="/"?null:e.slice(n)||"/"}function RN(e,t){t===void 0&&(t="/");let{pathname:n,search:o="",hash:s=""}=typeof e=="string"?ho(e):e;return{pathname:n?n.startsWith("/")?n:AN(n,t):t,search:FN(o),hash:MN(s)}}function AN(e,t){let n=t.replace(/\/+$/,"").split("/");return e.split("/").forEach(s=>{s===".."?n.length>1&&n.pop():s!=="."&&n.push(s)}),n.length>1?n.join("/"):"/"}function Yl(e,t,n,o){return"Cannot include a '"+e+"' character in a manually specified "+("`to."+t+"` field ["+JSON.stringify(o)+"]. Please separate it out to the ")+("`to."+n+"` field. Alternatively you may provide the full path as ")+'a string in and the router will parse it for you.'}function IN(e){return e.filter((t,n)=>n===0||t.route.path&&t.route.path.length>0)}function Av(e,t){let n=IN(e);return t?n.map((o,s)=>s===n.length-1?o.pathname:o.pathnameBase):n.map(o=>o.pathnameBase)}function Iv(e,t,n,o){o===void 0&&(o=!1);let s;typeof e=="string"?s=ho(e):(s=ys({},e),ke(!s.pathname||!s.pathname.includes("?"),Yl("?","pathname","search",s)),ke(!s.pathname||!s.pathname.includes("#"),Yl("#","pathname","hash",s)),ke(!s.search||!s.search.includes("#"),Yl("#","search","hash",s)));let i=e===""||s.pathname==="",a=i?"/":s.pathname,l;if(a==null)l=n;else{let f=t.length-1;if(!o&&a.startsWith("..")){let g=a.split("/");for(;g[0]==="..";)g.shift(),f-=1;s.pathname=g.join("/")}l=f>=0?t[f]:"/"}let u=RN(s,l),c=a&&a!=="/"&&a.endsWith("/"),d=(i||a===".")&&n.endsWith("/");return!u.pathname.endsWith("/")&&(c||d)&&(u.pathname+="/"),u}const zn=e=>e.join("/").replace(/\/\/+/g,"/"),DN=e=>e.replace(/\/+$/,"").replace(/^\/*/,"/"),FN=e=>!e||e==="?"?"":e.startsWith("?")?e:"?"+e,MN=e=>!e||e==="#"?"":e.startsWith("#")?e:"#"+e;function LN(e){return e!=null&&typeof e.status=="number"&&typeof e.statusText=="string"&&typeof e.internal=="boolean"&&"data"in e}const Dv=["post","put","patch","delete"];new Set(Dv);const BN=["get",...Dv];new Set(BN);/** * React Router v6.26.1 * * Copyright (c) Remix Software Inc. @@ -68,7 +68,7 @@ Error generating stack: `+i.message+` * LICENSE.md file in the root directory of this source tree. * * @license MIT - */function Ns(){return Ns=Object.assign?Object.assign.bind():function(e){for(var t=1;t{l.current=!0}),S.useCallback(function(c,d){if(d===void 0&&(d={}),!l.current)return;if(typeof c=="number"){o.go(c);return}let f=Bv(c,JSON.parse(a),i,d.relative==="path");e==null&&t!=="/"&&(f.pathname=f.pathname==="/"?t:zn([t,f.pathname])),(d.replace?o.replace:o.push)(f,d.state,d)},[t,o,a,i,e])}function go(){let{matches:e}=S.useContext(Yn),t=e[e.length-1];return t?t.params:{}}function Ka(e,t){let{relative:n}=t===void 0?{}:t,{future:o}=S.useContext(Kn),{matches:s}=S.useContext(Yn),{pathname:i}=Rs(),a=JSON.stringify(Lv(s,o.v7_relativeSplatPath));return S.useMemo(()=>Bv(e,JSON.parse(a),i,n==="path"),[e,a,i,n])}function tC(e,t){return nC(e,t)}function nC(e,t,n,o){Ts()||ke(!1);let{navigator:s}=S.useContext(Kn),{matches:i}=S.useContext(Yn),a=i[i.length-1],l=a?a.params:{};a&&a.pathname;let u=a?a.pathnameBase:"/";a&&a.route;let c=Rs(),d;if(t){var f;let C=typeof t=="string"?vo(t):t;u==="/"||(f=C.pathname)!=null&&f.startsWith(u)||ke(!1),d=C}else d=c;let g=d.pathname||"/",b=g;if(u!=="/"){let C=u.replace(/^\//,"").split("/");b="/"+g.replace(/^\//,"").split("/").slice(C.length).join("/")}let x=TN(e,{pathname:b}),N=aC(x&&x.map(C=>Object.assign({},C,{params:Object.assign({},l,C.params),pathname:zn([u,s.encodeLocation?s.encodeLocation(C.pathname).pathname:C.pathname]),pathnameBase:C.pathnameBase==="/"?u:zn([u,s.encodeLocation?s.encodeLocation(C.pathnameBase).pathname:C.pathnameBase])})),i,n,o);return t&&N?S.createElement(Ha.Provider,{value:{location:Ns({pathname:"/",search:"",hash:"",state:null,key:"default"},d),navigationType:Tn.Pop}},N):N}function rC(){let e=dC(),t=XN(e)?e.status+" "+e.statusText:e instanceof Error?e.message:JSON.stringify(e),n=e instanceof Error?e.stack:null,s={padding:"0.5rem",backgroundColor:"rgba(200,200,200, 0.5)"};return S.createElement(S.Fragment,null,S.createElement("h2",null,"Unexpected Application Error!"),S.createElement("h3",{style:{fontStyle:"italic"}},t),n?S.createElement("pre",{style:s},n):null,null)}const oC=S.createElement(rC,null);class sC extends S.Component{constructor(t){super(t),this.state={location:t.location,revalidation:t.revalidation,error:t.error}}static getDerivedStateFromError(t){return{error:t}}static getDerivedStateFromProps(t,n){return n.location!==t.location||n.revalidation!=="idle"&&t.revalidation==="idle"?{error:t.error,location:t.location,revalidation:t.revalidation}:{error:t.error!==void 0?t.error:n.error,location:n.location,revalidation:t.revalidation||n.revalidation}}componentDidCatch(t,n){console.error("React Router caught the following error during render",t,n)}render(){return this.state.error!==void 0?S.createElement(Yn.Provider,{value:this.props.routeContext},S.createElement(Wv.Provider,{value:this.state.error,children:this.props.component})):this.props.children}}function iC(e){let{routeContext:t,match:n,children:o}=e,s=S.useContext(Va);return s&&s.static&&s.staticContext&&(n.route.errorElement||n.route.ErrorBoundary)&&(s.staticContext._deepestRenderedBoundaryId=n.route.id),S.createElement(Yn.Provider,{value:t},o)}function aC(e,t,n,o){var s;if(t===void 0&&(t=[]),n===void 0&&(n=null),o===void 0&&(o=null),e==null){var i;if(!n)return null;if(n.errors)e=n.matches;else if((i=o)!=null&&i.v7_partialHydration&&t.length===0&&!n.initialized&&n.matches.length>0)e=n.matches;else return null}let a=e,l=(s=n)==null?void 0:s.errors;if(l!=null){let d=a.findIndex(f=>f.route.id&&(l==null?void 0:l[f.route.id])!==void 0);d>=0||ke(!1),a=a.slice(0,Math.min(a.length,d+1))}let u=!1,c=-1;if(n&&o&&o.v7_partialHydration)for(let d=0;d=0?a=a.slice(0,c+1):a=[a[0]];break}}}return a.reduceRight((d,f,g)=>{let b,x=!1,N=null,C=null;n&&(b=l&&f.route.id?l[f.route.id]:void 0,N=f.route.errorElement||oC,u&&(c<0&&g===0?(x=!0,C=null):c===g&&(x=!0,C=f.route.hydrateFallbackElement||null)));let h=t.concat(a.slice(0,g+1)),v=()=>{let m;return b?m=N:x?m=C:f.route.Component?m=S.createElement(f.route.Component,null):f.route.element?m=f.route.element:m=d,S.createElement(iC,{match:f,routeContext:{outlet:d,matches:h,isDataRoute:n!=null},children:m})};return n&&(f.route.ErrorBoundary||f.route.errorElement||g===0)?S.createElement(sC,{location:n.location,revalidation:n.revalidation,component:N,error:b,children:v(),routeContext:{outlet:null,matches:h,isDataRoute:!0}}):v()},null)}var qv=function(e){return e.UseBlocker="useBlocker",e.UseRevalidator="useRevalidator",e.UseNavigateStable="useNavigate",e}(qv||{}),fa=function(e){return e.UseBlocker="useBlocker",e.UseLoaderData="useLoaderData",e.UseActionData="useActionData",e.UseRouteError="useRouteError",e.UseNavigation="useNavigation",e.UseRouteLoaderData="useRouteLoaderData",e.UseMatches="useMatches",e.UseRevalidator="useRevalidator",e.UseNavigateStable="useNavigate",e.UseRouteId="useRouteId",e}(fa||{});function lC(e){let t=S.useContext(Va);return t||ke(!1),t}function cC(e){let t=S.useContext($v);return t||ke(!1),t}function uC(e){let t=S.useContext(Yn);return t||ke(!1),t}function Vv(e){let t=uC(),n=t.matches[t.matches.length-1];return n.route.id||ke(!1),n.route.id}function dC(){var e;let t=S.useContext(Wv),n=cC(fa.UseRouteError),o=Vv(fa.UseRouteError);return t!==void 0?t:(e=n.errors)==null?void 0:e[o]}function fC(){let{router:e}=lC(qv.UseNavigateStable),t=Vv(fa.UseNavigateStable),n=S.useRef(!1);return Uv(()=>{n.current=!0}),S.useCallback(function(s,i){i===void 0&&(i={}),n.current&&(typeof s=="number"?e.navigate(s):e.navigate(s,Ns({fromRouteId:t},i)))},[e,t])}function Ie(e){ke(!1)}function pC(e){let{basename:t="/",children:n=null,location:o,navigationType:s=Tn.Pop,navigator:i,static:a=!1,future:l}=e;Ts()&&ke(!1);let u=t.replace(/^\/*/,"/"),c=S.useMemo(()=>({basename:u,navigator:i,static:a,future:Ns({v7_relativeSplatPath:!1},l)}),[u,l,i,a]);typeof o=="string"&&(o=vo(o));let{pathname:d="/",search:f="",hash:g="",state:b=null,key:x="default"}=o,N=S.useMemo(()=>{let C=co(d,u);return C==null?null:{location:{pathname:C,search:f,hash:g,state:b,key:x},navigationType:s}},[u,d,f,g,b,x,s]);return N==null?null:S.createElement(Kn.Provider,{value:c},S.createElement(Ha.Provider,{children:n,value:N}))}function mC(e){let{children:t,location:n}=e;return tC(uu(t),n)}new Promise(()=>{});function uu(e,t){t===void 0&&(t=[]);let n=[];return S.Children.forEach(e,(o,s)=>{if(!S.isValidElement(o))return;let i=[...t,s];if(o.type===S.Fragment){n.push.apply(n,uu(o.props.children,i));return}o.type!==Ie&&ke(!1),!o.props.index||!o.props.children||ke(!1);let a={id:o.props.id||i.join("-"),caseSensitive:o.props.caseSensitive,element:o.props.element,Component:o.props.Component,index:o.props.index,path:o.props.path,loader:o.props.loader,action:o.props.action,errorElement:o.props.errorElement,ErrorBoundary:o.props.ErrorBoundary,hasErrorBoundary:o.props.ErrorBoundary!=null||o.props.errorElement!=null,shouldRevalidate:o.props.shouldRevalidate,handle:o.props.handle,lazy:o.props.lazy};o.props.children&&(a.children=uu(o.props.children,i)),n.push(a)}),n}/** + */function js(){return js=Object.assign?Object.assign.bind():function(e){for(var t=1;t{l.current=!0}),S.useCallback(function(c,d){if(d===void 0&&(d={}),!l.current)return;if(typeof c=="number"){o.go(c);return}let f=Iv(c,JSON.parse(a),i,d.relative==="path");e==null&&t!=="/"&&(f.pathname=f.pathname==="/"?t:zn([t,f.pathname])),(d.replace?o.replace:o.push)(f,d.state,d)},[t,o,a,i,e])}function go(){let{matches:e}=S.useContext(Yn),t=e[e.length-1];return t?t.params:{}}function Ha(e,t){let{relative:n}=t===void 0?{}:t,{future:o}=S.useContext(Kn),{matches:s}=S.useContext(Yn),{pathname:i}=As(),a=JSON.stringify(Av(s,o.v7_relativeSplatPath));return S.useMemo(()=>Iv(e,JSON.parse(a),i,n==="path"),[e,a,i,n])}function WN(e,t){return UN(e,t)}function UN(e,t,n,o){Rs()||ke(!1);let{navigator:s}=S.useContext(Kn),{matches:i}=S.useContext(Yn),a=i[i.length-1],l=a?a.params:{};a&&a.pathname;let u=a?a.pathnameBase:"/";a&&a.route;let c=As(),d;if(t){var f;let b=typeof t=="string"?ho(t):t;u==="/"||(f=b.pathname)!=null&&f.startsWith(u)||ke(!1),d=b}else d=c;let g=d.pathname||"/",C=g;if(u!=="/"){let b=u.replace(/^\//,"").split("/");C="/"+g.replace(/^\//,"").split("/").slice(b.length).join("/")}let x=xN(e,{pathname:C}),N=YN(x&&x.map(b=>Object.assign({},b,{params:Object.assign({},l,b.params),pathname:zn([u,s.encodeLocation?s.encodeLocation(b.pathname).pathname:b.pathname]),pathnameBase:b.pathnameBase==="/"?u:zn([u,s.encodeLocation?s.encodeLocation(b.pathnameBase).pathname:b.pathnameBase])})),i,n,o);return t&&N?S.createElement(Va.Provider,{value:{location:js({pathname:"/",search:"",hash:"",state:null,key:"default"},d),navigationType:On.Pop}},N):N}function qN(){let e=JN(),t=LN(e)?e.status+" "+e.statusText:e instanceof Error?e.message:JSON.stringify(e),n=e instanceof Error?e.stack:null,s={padding:"0.5rem",backgroundColor:"rgba(200,200,200, 0.5)"};return S.createElement(S.Fragment,null,S.createElement("h2",null,"Unexpected Application Error!"),S.createElement("h3",{style:{fontStyle:"italic"}},t),n?S.createElement("pre",{style:s},n):null,null)}const VN=S.createElement(qN,null);class HN extends S.Component{constructor(t){super(t),this.state={location:t.location,revalidation:t.revalidation,error:t.error}}static getDerivedStateFromError(t){return{error:t}}static getDerivedStateFromProps(t,n){return n.location!==t.location||n.revalidation!=="idle"&&t.revalidation==="idle"?{error:t.error,location:t.location,revalidation:t.revalidation}:{error:t.error!==void 0?t.error:n.error,location:n.location,revalidation:t.revalidation||n.revalidation}}componentDidCatch(t,n){console.error("React Router caught the following error during render",t,n)}render(){return this.state.error!==void 0?S.createElement(Yn.Provider,{value:this.props.routeContext},S.createElement(Mv.Provider,{value:this.state.error,children:this.props.component})):this.props.children}}function KN(e){let{routeContext:t,match:n,children:o}=e,s=S.useContext(qa);return s&&s.static&&s.staticContext&&(n.route.errorElement||n.route.ErrorBoundary)&&(s.staticContext._deepestRenderedBoundaryId=n.route.id),S.createElement(Yn.Provider,{value:t},o)}function YN(e,t,n,o){var s;if(t===void 0&&(t=[]),n===void 0&&(n=null),o===void 0&&(o=null),e==null){var i;if(!n)return null;if(n.errors)e=n.matches;else if((i=o)!=null&&i.v7_partialHydration&&t.length===0&&!n.initialized&&n.matches.length>0)e=n.matches;else return null}let a=e,l=(s=n)==null?void 0:s.errors;if(l!=null){let d=a.findIndex(f=>f.route.id&&(l==null?void 0:l[f.route.id])!==void 0);d>=0||ke(!1),a=a.slice(0,Math.min(a.length,d+1))}let u=!1,c=-1;if(n&&o&&o.v7_partialHydration)for(let d=0;d=0?a=a.slice(0,c+1):a=[a[0]];break}}}return a.reduceRight((d,f,g)=>{let C,x=!1,N=null,b=null;n&&(C=l&&f.route.id?l[f.route.id]:void 0,N=f.route.errorElement||VN,u&&(c<0&&g===0?(x=!0,b=null):c===g&&(x=!0,b=f.route.hydrateFallbackElement||null)));let h=t.concat(a.slice(0,g+1)),v=()=>{let m;return C?m=N:x?m=b:f.route.Component?m=S.createElement(f.route.Component,null):f.route.element?m=f.route.element:m=d,S.createElement(KN,{match:f,routeContext:{outlet:d,matches:h,isDataRoute:n!=null},children:m})};return n&&(f.route.ErrorBoundary||f.route.errorElement||g===0)?S.createElement(HN,{location:n.location,revalidation:n.revalidation,component:N,error:C,children:v(),routeContext:{outlet:null,matches:h,isDataRoute:!0}}):v()},null)}var Bv=function(e){return e.UseBlocker="useBlocker",e.UseRevalidator="useRevalidator",e.UseNavigateStable="useNavigate",e}(Bv||{}),fa=function(e){return e.UseBlocker="useBlocker",e.UseLoaderData="useLoaderData",e.UseActionData="useActionData",e.UseRouteError="useRouteError",e.UseNavigation="useNavigation",e.UseRouteLoaderData="useRouteLoaderData",e.UseMatches="useMatches",e.UseRevalidator="useRevalidator",e.UseNavigateStable="useNavigate",e.UseRouteId="useRouteId",e}(fa||{});function GN(e){let t=S.useContext(qa);return t||ke(!1),t}function QN(e){let t=S.useContext(Fv);return t||ke(!1),t}function XN(e){let t=S.useContext(Yn);return t||ke(!1),t}function zv(e){let t=XN(),n=t.matches[t.matches.length-1];return n.route.id||ke(!1),n.route.id}function JN(){var e;let t=S.useContext(Mv),n=QN(fa.UseRouteError),o=zv(fa.UseRouteError);return t!==void 0?t:(e=n.errors)==null?void 0:e[o]}function ZN(){let{router:e}=GN(Bv.UseNavigateStable),t=zv(fa.UseNavigateStable),n=S.useRef(!1);return Lv(()=>{n.current=!0}),S.useCallback(function(s,i){i===void 0&&(i={}),n.current&&(typeof s=="number"?e.navigate(s):e.navigate(s,js({fromRouteId:t},i)))},[e,t])}function Ie(e){ke(!1)}function eC(e){let{basename:t="/",children:n=null,location:o,navigationType:s=On.Pop,navigator:i,static:a=!1,future:l}=e;Rs()&&ke(!1);let u=t.replace(/^\/*/,"/"),c=S.useMemo(()=>({basename:u,navigator:i,static:a,future:js({v7_relativeSplatPath:!1},l)}),[u,l,i,a]);typeof o=="string"&&(o=ho(o));let{pathname:d="/",search:f="",hash:g="",state:C=null,key:x="default"}=o,N=S.useMemo(()=>{let b=lo(d,u);return b==null?null:{location:{pathname:b,search:f,hash:g,state:C,key:x},navigationType:s}},[u,d,f,g,C,x,s]);return N==null?null:S.createElement(Kn.Provider,{value:c},S.createElement(Va.Provider,{children:n,value:N}))}function tC(e){let{children:t,location:n}=e;return WN(lu(t),n)}new Promise(()=>{});function lu(e,t){t===void 0&&(t=[]);let n=[];return S.Children.forEach(e,(o,s)=>{if(!S.isValidElement(o))return;let i=[...t,s];if(o.type===S.Fragment){n.push.apply(n,lu(o.props.children,i));return}o.type!==Ie&&ke(!1),!o.props.index||!o.props.children||ke(!1);let a={id:o.props.id||i.join("-"),caseSensitive:o.props.caseSensitive,element:o.props.element,Component:o.props.Component,index:o.props.index,path:o.props.path,loader:o.props.loader,action:o.props.action,errorElement:o.props.errorElement,ErrorBoundary:o.props.ErrorBoundary,hasErrorBoundary:o.props.ErrorBoundary!=null||o.props.errorElement!=null,shouldRevalidate:o.props.shouldRevalidate,handle:o.props.handle,lazy:o.props.lazy};o.props.children&&(a.children=lu(o.props.children,i)),n.push(a)}),n}/** * React Router DOM v6.26.1 * * Copyright (c) Remix Software Inc. @@ -77,13 +77,13 @@ Error generating stack: `+i.message+` * LICENSE.md file in the root directory of this source tree. * * @license MIT - */function pa(){return pa=Object.assign?Object.assign.bind():function(e){for(var t=1;t=0)&&(n[s]=e[s]);return n}function hC(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}function vC(e,t){return e.button===0&&(!t||t==="_self")&&!hC(e)}const gC=["onClick","relative","reloadDocument","replace","state","target","to","preventScrollReset","unstable_viewTransition"],xC=["aria-current","caseSensitive","className","end","style","to","unstable_viewTransition","children"],yC="6";try{window.__reactRouterVersion=yC}catch{}const jC=S.createContext({isTransitioning:!1}),NC="startTransition",gp=ec[NC];function CC(e){let{basename:t,children:n,future:o,window:s}=e,i=S.useRef();i.current==null&&(i.current=PN({window:s,v5Compat:!0}));let a=i.current,[l,u]=S.useState({action:a.action,location:a.location}),{v7_startTransition:c}=o||{},d=S.useCallback(f=>{c&&gp?gp(()=>u(f)):u(f)},[u,c]);return S.useLayoutEffect(()=>a.listen(d),[a,d]),S.createElement(pC,{basename:t,children:n,location:l.location,navigationType:l.action,navigator:a,future:o})}const bC=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",wC=/^(?:[a-z][a-z0-9+.-]*:|\/\/)/i,SC=S.forwardRef(function(t,n){let{onClick:o,relative:s,reloadDocument:i,replace:a,state:l,target:u,to:c,preventScrollReset:d,unstable_viewTransition:f}=t,g=Hv(t,gC),{basename:b}=S.useContext(Kn),x,N=!1;if(typeof c=="string"&&wC.test(c)&&(x=c,bC))try{let m=new URL(window.location.href),y=c.startsWith("//")?new URL(m.protocol+c):new URL(c),E=co(y.pathname,b);y.origin===m.origin&&E!=null?c=E+y.search+y.hash:N=!0}catch{}let C=ZN(c,{relative:s}),h=kC(c,{replace:a,state:l,target:u,preventScrollReset:d,relative:s,unstable_viewTransition:f});function v(m){o&&o(m),m.defaultPrevented||h(m)}return S.createElement("a",pa({},g,{href:x||C,onClick:N||i?o:v,ref:n,target:u}))}),Ne=S.forwardRef(function(t,n){let{"aria-current":o="page",caseSensitive:s=!1,className:i="",end:a=!1,style:l,to:u,unstable_viewTransition:c,children:d}=t,f=Hv(t,xC),g=Ka(u,{relative:f.relative}),b=Rs(),x=S.useContext($v),{navigator:N,basename:C}=S.useContext(Kn),h=x!=null&&PC(g)&&c===!0,v=N.encodeLocation?N.encodeLocation(g).pathname:g.pathname,m=b.pathname,y=x&&x.navigation&&x.navigation.location?x.navigation.location.pathname:null;s||(m=m.toLowerCase(),y=y?y.toLowerCase():null,v=v.toLowerCase()),y&&C&&(y=co(y,C)||y);const E=v!=="/"&&v.endsWith("/")?v.length-1:v.length;let O=m===v||!a&&m.startsWith(v)&&m.charAt(E)==="/",T=y!=null&&(y===v||!a&&y.startsWith(v)&&y.charAt(v.length)==="/"),P={isActive:O,isPending:T,isTransitioning:h},L=O?o:void 0,z;typeof i=="function"?z=i(P):z=[i,O?"active":null,T?"pending":null,h?"transitioning":null].filter(Boolean).join(" ");let H=typeof l=="function"?l(P):l;return S.createElement(SC,pa({},f,{"aria-current":L,className:z,ref:n,style:H,to:u,unstable_viewTransition:c}),typeof d=="function"?d(P):d)});var du;(function(e){e.UseScrollRestoration="useScrollRestoration",e.UseSubmit="useSubmit",e.UseSubmitFetcher="useSubmitFetcher",e.UseFetcher="useFetcher",e.useViewTransitionState="useViewTransitionState"})(du||(du={}));var xp;(function(e){e.UseFetcher="useFetcher",e.UseFetchers="useFetchers",e.UseScrollRestoration="useScrollRestoration"})(xp||(xp={}));function EC(e){let t=S.useContext(Va);return t||ke(!1),t}function kC(e,t){let{target:n,replace:o,state:s,preventScrollReset:i,relative:a,unstable_viewTransition:l}=t===void 0?{}:t,u=Sr(),c=Rs(),d=Ka(e,{relative:a});return S.useCallback(f=>{if(vC(f,n)){f.preventDefault();let g=o!==void 0?o:ua(c)===ua(d);u(e,{replace:g,state:s,preventScrollReset:i,relative:a,unstable_viewTransition:l})}},[c,u,d,o,s,n,e,i,a,l])}function PC(e,t){t===void 0&&(t={});let n=S.useContext(jC);n==null&&ke(!1);let{basename:o}=EC(du.useViewTransitionState),s=Ka(e,{relative:t.relative});if(!n.isTransitioning)return!1;let i=co(n.currentLocation.pathname,o)||n.currentLocation.pathname,a=co(n.nextLocation.pathname,o)||n.nextLocation.pathname;return da(s.pathname,a)!=null||da(s.pathname,i)!=null}const Ze=()=>{const e=new Date().getFullYear();return r.jsx(r.Fragment,{children:r.jsxs("div",{children:[r.jsx("div",{className:"footer_section layout_padding",children:r.jsxs("div",{className:"container",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12"})}),r.jsx("div",{className:"footer_section_2",children:r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-4",children:[r.jsx("h2",{className:"useful_text",children:"QUICK LINKS"}),r.jsx("div",{className:"footer_menu",children:r.jsxs("ul",{children:[r.jsx("li",{children:r.jsx(Ne,{to:"/",className:"link-primary text-decoration-none",children:"Home"})}),r.jsx("li",{children:r.jsx(Ne,{to:"/about",className:"link-primary text-decoration-none",children:"About"})}),r.jsx("li",{children:r.jsx(Ne,{to:"/services",className:"link-primary text-decoration-none",children:"Services"})}),r.jsx("li",{children:r.jsx(Ne,{to:"/contact",className:"link-primary text-decoration-none",children:"Contact Us"})})]})})]}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("h2",{className:"useful_text",children:"Work Portfolio"}),r.jsx("p",{className:"lorem_text",children:"It is a long established fact that a reader will be distracted by the readable content of a page when looking at its layout. The point of using Lorem"})]}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("h2",{className:"useful_text",children:"SIGN UP TO OUR NEWSLETTER"}),r.jsxs("div",{className:"form-group",children:[r.jsx("textarea",{className:"update_mail",placeholder:"Enter Your Email",rows:5,id:"comment",name:"Enter Your Email",defaultValue:""}),r.jsx("div",{className:"subscribe_bt",children:r.jsx("a",{href:"#",children:"Subscribe"})})]})]})]})}),r.jsx("div",{className:"social_icon",children:r.jsxs("ul",{children:[r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-facebook","aria-hidden":"true"})})}),r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-twitter","aria-hidden":"true"})})}),r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-linkedin","aria-hidden":"true"})})}),r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-instagram","aria-hidden":"true"})})})]})})]})}),r.jsx("div",{className:"copyright_section",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("p",{className:"copyright_text",children:[e," All Rights Reserved."]})})})})})]})})},_C="/assets/logo-Cb1x1exd.png",Re=()=>{var s,i;const{user:e}=Ve(a=>({...a.auth})),t=Ft(),n=Sr(),o=()=>{t(aN()),n("/")};return r.jsx(r.Fragment,{children:r.jsx("div",{className:"navbar navbar-expand-lg w-100",style:{backgroundColor:"#000000",position:"fixed",top:0,left:0,right:0,zIndex:1e3},children:r.jsxs("div",{className:"container-fluid d-flex align-items-center justify-content-between",children:[r.jsxs("div",{className:"d-flex align-items-center",children:[r.jsx("img",{src:_C,alt:"logo",width:"75",height:"75",className:"img-fluid"}),r.jsx("p",{style:{display:"inline-block",fontStyle:"italic",fontSize:"14px",color:"white",margin:"0 0 0 10px"}})]}),r.jsxs("div",{className:"collapse navbar-collapse",id:"navbarSupportedContent",children:[r.jsxs("ul",{className:"navbar-nav ml-auto",children:[r.jsx("li",{className:"nav-item active",children:r.jsx(Ne,{to:"/",className:"nav-link",style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Home"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/services",className:"nav-link",style:{fontSize:"20px",fontWeight:"normal"},children:"Services"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/searchmyproperties",className:"nav-link",style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Search Database"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/about",className:"nav-link",style:{fontSize:"20px",fontWeight:"normal"},children:"About"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/searchproperties",className:"nav-link",style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Search properties"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/contact",className:"nav-link",style:{fontSize:"20px",fontWeight:"normal"},children:"Contact"})})]}),(s=e==null?void 0:e.result)!=null&&s._id?r.jsx(Ne,{to:"/dashboard",style:{fontWeight:"bold"},children:"Dashboard"}):r.jsx(Ne,{to:"/register",className:"nav-link",style:{fontWeight:"bold"},children:"Register"}),(i=e==null?void 0:e.result)!=null&&i._id?r.jsx(Ne,{to:"/login",children:r.jsx("p",{className:"header-text",onClick:o,style:{fontWeight:"bold"},children:"Logout"})}):r.jsx(Ne,{to:"/login",className:"nav-link",style:{fontWeight:"bold"},children:"Login"})]})]})})})},OC=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{children:[r.jsx("div",{className:"header_section",children:r.jsx("div",{className:"banner_section layout_padding",children:r.jsxs("div",{id:"my_slider",className:"carousel slide","data-ride":"carousel",children:[r.jsxs("div",{className:"carousel-inner",children:[r.jsx("div",{className:"carousel-item active",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("div",{className:"banner_taital_main",children:[r.jsx("h1",{className:"banner_taital",children:"Reinventing real estate investment"}),r.jsxs("p",{className:"banner_text",children:["Owners/operators, and real estate investment firms to excel in what they do best: finding new opportunities"," "]}),r.jsxs("div",{className:"btn_main",children:[r.jsx("div",{className:"started_text active",children:r.jsx("a",{href:"#",children:"Contact US"})}),r.jsx("div",{className:"started_text",children:r.jsx("a",{href:"#",children:"About Us"})})]})]})})})})}),r.jsx("div",{className:"carousel-item",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("div",{className:"banner_taital_main",children:[r.jsx("h1",{className:"banner_taital",children:"streamline investment management"}),r.jsxs("p",{className:"banner_text",children:["Best possible experience to our customers and their investors."," "]}),r.jsxs("div",{className:"btn_main",children:[r.jsx("div",{className:"started_text active",children:r.jsx("a",{href:"#",children:"Contact US"})}),r.jsx("div",{className:"started_text",children:r.jsx("a",{href:"#",children:"About Us"})})]})]})})})})}),r.jsx("div",{className:"carousel-item",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("div",{className:"banner_taital_main",children:[r.jsx("h1",{className:"banner_taital",children:"Increase your efficiency and security"}),r.jsxs("p",{className:"banner_text",children:["All-in-one real estate investment management platform with 100% security tools"," "]}),r.jsxs("div",{className:"btn_main",children:[r.jsx("div",{className:"started_text active",children:r.jsx("a",{href:"#",children:"Contact US"})}),r.jsx("div",{className:"started_text",children:r.jsx("a",{href:"#",children:"About Us"})})]})]})})})})})]}),r.jsx("a",{className:"carousel-control-prev",href:"#my_slider",role:"button","data-slide":"prev",children:r.jsx("i",{className:"fa fa-angle-left"})}),r.jsx("a",{className:"carousel-control-next",href:"#my_slider",role:"button","data-slide":"next",children:r.jsx("i",{className:"fa fa-angle-right"})})]})})}),r.jsx("div",{className:"services_section layout_padding",children:r.jsxs("div",{className:"container-fluid",children:[r.jsx("div",{className:"row",children:r.jsxs("div",{className:"col-sm-12",children:[r.jsx("h1",{className:"services_taital",children:"Our Services"}),r.jsx("p",{className:"services_text_1",children:"your documents, always and immediately within reach"})]})}),r.jsx("div",{className:"services_section_2",children:r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main active",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-1.png"})}),r.jsx("h4",{className:"development_text",children:"Dedication Services"}),r.jsx("p",{className:"services_text",children:"Real estate investing even on a very small scale remains a tried and true means of building and individual cash flow and wealth"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})}),r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-2.png"})}),r.jsx("h4",{className:"development_text",children:"Building work Reports"}),r.jsx("p",{className:"services_text",children:"Deliver all the reports your investors need. Eliminate manual work and human errors with automatic distribution and allocation"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})}),r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-3.png"})}),r.jsx("h4",{className:"development_text",children:"Reporting continuously"}),r.jsx("p",{className:"services_text",children:"Streamlining investor interactions, gaining complete visibility into your data, and using smart filters to create automatic workflows"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})}),r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-4.png"})}),r.jsx("h4",{className:"development_text",children:"Manage your investment "}),r.jsx("p",{className:"services_text",children:"We offer a comprehensive set of tools and services to fully facilitate all your real estate investment management needs"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})})]})})]})})]}),r.jsx(Ze,{})]}),TC=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsxs("div",{className:"about_section layout_padding",children:[r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("div",{className:"container",children:r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-6",children:[r.jsx("h1",{className:"about_taital",children:"About Us"}),r.jsxs("p",{className:"about_text",children:["There are many variations of passages of Lorem Ipsum available, but the majority have suffered alteration in some form, by injected humour, or randomised words which don't look even slightly believable. If you are going to use a passage of Lorem Ipsum, you need to be sure there isn't anything embarrassing hidden in the middle of text. All"," "]}),r.jsx("div",{className:"read_bt_1",children:r.jsx("a",{href:"#",children:"Read More"})})]}),r.jsx("div",{className:"col-md-6",children:r.jsx("div",{className:"about_img",children:r.jsx("div",{className:"video_bt",children:r.jsx("div",{className:"play_icon",children:r.jsx("img",{src:"images/play-icon.png"})})})})})]})}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{})]}),r.jsx(Ze,{})]}),RC=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsxs("div",{className:"contact_section layout_padding",children:[r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12",children:r.jsx("h1",{className:"contact_taital",children:"Contact Us"})})})}),r.jsx("div",{className:"container-fluid",children:r.jsx("div",{className:"contact_section_2",children:r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-md-6",children:r.jsx("form",{action:!0,children:r.jsxs("div",{className:"mail_section_1",children:[r.jsx("input",{type:"text",className:"mail_text",placeholder:"Name",name:"Name"}),r.jsx("input",{type:"text",className:"mail_text",placeholder:"Phone Number",name:"Phone Number"}),r.jsx("input",{type:"text",className:"mail_text",placeholder:"Email",name:"Email"}),r.jsx("textarea",{className:"massage-bt",placeholder:"Massage",rows:5,id:"comment",name:"Massage",defaultValue:""}),r.jsx("div",{className:"send_bt",children:r.jsx("a",{href:"#",children:"SEND"})})]})})}),r.jsx("div",{className:"col-md-6 padding_left_15",children:r.jsx("div",{className:"contact_img",children:r.jsx("img",{src:"images/contact-img.png"})})})]})})})]}),r.jsx(Ze,{})]});var nn=function(){return nn=Object.assign||function(e){for(var t,n=1,o=arguments.length;n{const[e,t]=S.useState(rb),[n,o]=S.useState(!1),{loading:s,error:i}=Ve(E=>({...E.auth})),{title:a,email:l,password:u,firstName:c,middleName:d,lastName:f,confirmPassword:g,termsconditions:b,userType:x}=e,N=Ft(),C=Sr();S.useEffect(()=>{i&&ie.error(i)},[i]),S.useEffect(()=>{o(a!=="None"&&l&&u&&c&&d&&f&&g&&b&&x!=="")},[a,l,u,c,d,f,g,b,x]);const h=E=>{if(E.preventDefault(),u!==g)return ie.error("Password should match");n?N(Ni({formValue:e,navigate:C,toast:ie})):ie.error("Please fill in all fields and select all checkboxes")},v=E=>E.charAt(0).toUpperCase()+E.slice(1),m=E=>{const{name:O,value:T,type:P,checked:L}=E.target;t(P==="checkbox"?z=>({...z,[O]:L}):z=>({...z,[O]:O==="email"||O==="password"||O==="confirmPassword"?T:v(T)}))},y=E=>{t(O=>({...O,userType:E.target.value}))};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("section",{className:"card",style:{minHeight:"100vh",backgroundColor:"#FFFFFF"},children:r.jsx("div",{className:"container-fluid px-0",children:r.jsxs("div",{className:"row gy-4 align-items-center justify-content-center",children:[r.jsx("div",{className:"col-12 col-md-0 col-xl-20 text-center text-md-start"}),r.jsx("div",{className:"col-12 col-md-6 col-xl-5",children:r.jsx("div",{className:"card border-0 rounded-4 shadow-lg",style:{width:"100%"},children:r.jsxs("div",{className:"card-body p-3 p-md-4 p-xl-5",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"mb-4",children:[r.jsx("h2",{className:"h3",children:"Registration"}),r.jsx("h3",{style:{color:"red"},children:'All fields are mandatory to enable "Sign up"'}),r.jsx("hr",{})]})})}),r.jsx("form",{onSubmit:h,children:r.jsxs("div",{className:"row gy-3 overflow-hidden",children:[r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsxs("label",{className:"form-label",children:["Please select the role. ",r.jsx("br",{}),r.jsx("br",{})]}),r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"userType",value:"Lender",checked:x==="Lender",onChange:y,required:!0}),r.jsx("label",{className:"form-check-label",children:"Lender"})]}),r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"userType",value:"Borrower",checked:x==="Borrower",onChange:y,required:!0}),r.jsxs("label",{className:"form-check-label",children:["Borrower"," "]}),r.jsx("br",{}),r.jsx("br",{})]})]})}),r.jsxs("div",{className:"col-12",children:[r.jsxs("select",{className:"form-floating mb-3 form-control","aria-label":"Default select example",name:"title",value:a,onChange:m,children:[r.jsx("option",{value:"None",children:"Please Select Title"}),r.jsx("option",{value:"Dr",children:"Dr"}),r.jsx("option",{value:"Prof",children:"Prof"}),r.jsx("option",{value:"Mr",children:"Mr"}),r.jsx("option",{value:"Miss",children:"Miss"})]}),r.jsx("br",{})]}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"text",className:"form-control",value:c,name:"firstName",onChange:m,placeholder:"First Name",required:"required"}),r.jsx("label",{htmlFor:"firstName",className:"form-label",children:"First Name"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"text",className:"form-control",value:d,name:"middleName",onChange:m,placeholder:"Middle Name",required:"required"}),r.jsx("label",{htmlFor:"middleName",className:"form-label",children:"Middle Name"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"text",className:"form-control",value:f,name:"lastName",onChange:m,placeholder:"Last Name",required:"required"}),r.jsx("label",{htmlFor:"lastName",className:"form-label",children:"Last Name"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"email",className:"form-control",value:l,name:"email",onChange:m,placeholder:"name@example.com",required:"required"}),r.jsx("label",{htmlFor:"email",className:"form-label",children:"Email"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"password",className:"form-control",value:u,name:"password",onChange:m,placeholder:"Password",required:"required"}),r.jsx("label",{htmlFor:"password",className:"form-label",children:"Password"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"password",className:"form-control",value:g,name:"confirmPassword",onChange:m,placeholder:"confirmPassword",required:"required"}),r.jsx("label",{htmlFor:"password",className:"form-label",children:"Retype Password"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-check",children:[r.jsx("input",{className:"form-check-input",type:"checkbox",id:"termsconditions",value:b,name:"termsconditions",checked:b,onChange:m,required:!0}),r.jsxs("label",{className:"form-check-label text-secondary",htmlFor:"iAgree",children:["I agree to the"," ",r.jsx("a",{href:"#!",className:"link-primary text-decoration-none",children:"terms and conditions"})]})]})}),r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-grid",children:r.jsxs("button",{className:"btn btn-primary btn-lg",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},disabled:!n||s,children:[s&&r.jsx(Kv.Bars,{}),"Sign up"]})})})]})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-flex gap-2 gap-md-4 flex-column flex-md-row justify-content-md-end mt-4",children:r.jsxs("p",{className:"m-0 text-secondary text-center",children:["Already have an account?"," ",r.jsx("a",{href:"#!",className:"link-primary text-decoration-none",children:"Sign in"})]})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12"})})]})})})]})})}),r.jsx(Ze,{})]})},sb={email:"",password:""},ib=()=>{const[e,t]=S.useState(sb),{loading:n,error:o}=Ve(d=>({...d.auth})),{email:s,password:i}=e,a=Ft(),l=Sr();S.useEffect(()=>{o&&ie.error(o)},[o]);const u=d=>{d.preventDefault(),s&&i&&a(ji({formValue:e,navigate:l,toast:ie}))},c=d=>{let{name:f,value:g}=d.target;t({...e,[f]:g})};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("section",{className:"py-19 py-md-5 py-xl-8",style:{minHeight:"100vh",backgroundColor:"#FFFFFF"},children:r.jsx("div",{className:"container-fluid px-0",children:r.jsxs("div",{className:"row gy-4 align-items-center justify-content-center",children:[r.jsx("div",{className:"col-12 col-md-6 col-xl-20 text-center text-md-start",children:r.jsx("div",{className:"text-bg-primary",children:r.jsxs("div",{className:"px-4",children:[r.jsx("hr",{className:"border-primary-subtle mb-4"}),r.jsx("p",{className:"lead mb-5",children:"A beautiful, easy-to-use, and secure Investor Portal that gives your investors everything they may need"}),r.jsx("div",{className:"text-endx",children:r.jsx("svg",{xmlns:"http://www.w3.org/2000/svg",width:48,height:48,fill:"currentColor",className:"bi bi-grip-horizontal",viewBox:"0 0 16 16",children:r.jsx("path",{d:"M2 8a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"})})})]})})}),r.jsx("div",{className:"col-12 col-md-6 col-xl-5",children:r.jsx("div",{className:"card border-0 rounded-4 shadow-lg",style:{width:"100%"},children:r.jsxs("div",{className:"card-body p-3 p-md-4 p-xl-5",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"mb-4",children:r.jsx("h2",{className:"h3",children:"Please Login"})})})}),r.jsx("form",{method:"POST",children:r.jsxs("div",{className:"row gy-3 overflow-hidden",children:[r.jsx("div",{className:"col-12"}),r.jsx("div",{className:"col-12"}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"email",className:"form-control",id:"email",placeholder:"name@example.com",value:s,name:"email",onChange:c,required:!0}),r.jsx("label",{htmlFor:"email",className:"form-label",children:"Email"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"password",className:"form-control",id:"password",placeholder:"Password",value:i,name:"password",onChange:c,required:!0}),r.jsx("label",{htmlFor:"password",className:"form-label",children:"Password"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-check",children:[r.jsx("input",{className:"form-check-input",type:"checkbox",name:"iAgree",id:"iAgree",required:!0}),r.jsxs("label",{className:"form-check-label text-secondary",htmlFor:"iAgree",children:["Remember me"," "]})]})}),r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-grid",children:r.jsxs("button",{className:"btn btn-primary btn-lg",type:"submit",name:"signin",value:"Sign in",onClick:u,style:{backgroundColor:"#fda417",border:"#fda417"},children:[n&&r.jsx(Kv.Bars,{}),"Sign In"]})})})]})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-flex gap-2 gap-md-4 flex-column flex-md-row justify-content-md-end mt-4",children:r.jsxs("p",{className:"m-0 text-secondary text-center",children:["Don't have an account?"," ",r.jsx(Ne,{to:"/register",className:"link-primary text-decoration-none",children:"Register"}),r.jsx(Ne,{to:"/forgotpassword",className:"nav-link",children:"Forgot Password"})]})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12"})})]})})})]})})}),r.jsx(Ze,{})]})},Oi="/assets/samplepic-BM_cnzgz.jpg";var Yv={exports:{}};(function(e,t){(function(n,o){e.exports=o()})(Ig,function(){return function(n){function o(i){if(s[i])return s[i].exports;var a=s[i]={exports:{},id:i,loaded:!1};return n[i].call(a.exports,a,a.exports,o),a.loaded=!0,a.exports}var s={};return o.m=n,o.c=s,o.p="",o(0)}([function(n,o,s){function i(b){return b&&b.__esModule?b:{default:b}}function a(b,x){if(!(b instanceof x))throw new TypeError("Cannot call a class as a function")}function l(b,x){if(!b)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!x||typeof x!="object"&&typeof x!="function"?b:x}function u(b,x){if(typeof x!="function"&&x!==null)throw new TypeError("Super expression must either be null or a function, not "+typeof x);b.prototype=Object.create(x&&x.prototype,{constructor:{value:b,enumerable:!1,writable:!0,configurable:!0}}),x&&(Object.setPrototypeOf?Object.setPrototypeOf(b,x):b.__proto__=x)}Object.defineProperty(o,"__esModule",{value:!0});var c=function(){function b(x,N){for(var C=0;C1)for(var E=1;E1?d-1:0),g=1;g2?f-2:0),b=2;b1){for(var Z=Array(Q),D=0;D"u"||P.$$typeof!==h)){var G=typeof y=="function"?y.displayName||y.name||"Unknown":y;L&&u(P,G),z&&c(P,G)}return m(y,L,z,H,te,b.current,P)},m.createFactory=function(y){var E=m.createElement.bind(null,y);return E.type=y,E},m.cloneAndReplaceKey=function(y,E){var O=m(y.type,E,y.ref,y._self,y._source,y._owner,y.props);return O},m.cloneElement=function(y,E,O){var T,P=g({},y.props),L=y.key,z=y.ref,H=y._self,te=y._source,Q=y._owner;if(E!=null){a(E)&&(z=E.ref,Q=b.current),l(E)&&(L=""+E.key);var Z;y.type&&y.type.defaultProps&&(Z=y.type.defaultProps);for(T in E)C.call(E,T)&&!v.hasOwnProperty(T)&&(E[T]===void 0&&Z!==void 0?P[T]=Z[T]:P[T]=E[T])}var D=arguments.length-2;if(D===1)P.children=O;else if(D>1){for(var U=Array(D),G=0;G=0)&&(n[s]=e[s]);return n}function nC(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}function rC(e,t){return e.button===0&&(!t||t==="_self")&&!nC(e)}const oC=["onClick","relative","reloadDocument","replace","state","target","to","preventScrollReset","unstable_viewTransition"],sC=["aria-current","caseSensitive","className","end","style","to","unstable_viewTransition","children"],iC="6";try{window.__reactRouterVersion=iC}catch{}const aC=S.createContext({isTransitioning:!1}),lC="startTransition",hp=tc[lC];function cC(e){let{basename:t,children:n,future:o,window:s}=e,i=S.useRef();i.current==null&&(i.current=hN({window:s,v5Compat:!0}));let a=i.current,[l,u]=S.useState({action:a.action,location:a.location}),{v7_startTransition:c}=o||{},d=S.useCallback(f=>{c&&hp?hp(()=>u(f)):u(f)},[u,c]);return S.useLayoutEffect(()=>a.listen(d),[a,d]),S.createElement(eC,{basename:t,children:n,location:l.location,navigationType:l.action,navigator:a,future:o})}const uC=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",dC=/^(?:[a-z][a-z0-9+.-]*:|\/\/)/i,fC=S.forwardRef(function(t,n){let{onClick:o,relative:s,reloadDocument:i,replace:a,state:l,target:u,to:c,preventScrollReset:d,unstable_viewTransition:f}=t,g=$v(t,oC),{basename:C}=S.useContext(Kn),x,N=!1;if(typeof c=="string"&&dC.test(c)&&(x=c,uC))try{let m=new URL(window.location.href),y=c.startsWith("//")?new URL(m.protocol+c):new URL(c),E=lo(y.pathname,C);y.origin===m.origin&&E!=null?c=E+y.search+y.hash:N=!0}catch{}let b=zN(c,{relative:s}),h=mC(c,{replace:a,state:l,target:u,preventScrollReset:d,relative:s,unstable_viewTransition:f});function v(m){o&&o(m),m.defaultPrevented||h(m)}return S.createElement("a",pa({},g,{href:x||b,onClick:N||i?o:v,ref:n,target:u}))}),Ne=S.forwardRef(function(t,n){let{"aria-current":o="page",caseSensitive:s=!1,className:i="",end:a=!1,style:l,to:u,unstable_viewTransition:c,children:d}=t,f=$v(t,sC),g=Ha(u,{relative:f.relative}),C=As(),x=S.useContext(Fv),{navigator:N,basename:b}=S.useContext(Kn),h=x!=null&&hC(g)&&c===!0,v=N.encodeLocation?N.encodeLocation(g).pathname:g.pathname,m=C.pathname,y=x&&x.navigation&&x.navigation.location?x.navigation.location.pathname:null;s||(m=m.toLowerCase(),y=y?y.toLowerCase():null,v=v.toLowerCase()),y&&b&&(y=lo(y,b)||y);const E=v!=="/"&&v.endsWith("/")?v.length-1:v.length;let k=m===v||!a&&m.startsWith(v)&&m.charAt(E)==="/",T=y!=null&&(y===v||!a&&y.startsWith(v)&&y.charAt(v.length)==="/"),O={isActive:k,isPending:T,isTransitioning:h},B=k?o:void 0,$;typeof i=="function"?$=i(O):$=[i,k?"active":null,T?"pending":null,h?"transitioning":null].filter(Boolean).join(" ");let H=typeof l=="function"?l(O):l;return S.createElement(fC,pa({},f,{"aria-current":B,className:$,ref:n,style:H,to:u,unstable_viewTransition:c}),typeof d=="function"?d(O):d)});var cu;(function(e){e.UseScrollRestoration="useScrollRestoration",e.UseSubmit="useSubmit",e.UseSubmitFetcher="useSubmitFetcher",e.UseFetcher="useFetcher",e.useViewTransitionState="useViewTransitionState"})(cu||(cu={}));var vp;(function(e){e.UseFetcher="useFetcher",e.UseFetchers="useFetchers",e.UseScrollRestoration="useScrollRestoration"})(vp||(vp={}));function pC(e){let t=S.useContext(qa);return t||ke(!1),t}function mC(e,t){let{target:n,replace:o,state:s,preventScrollReset:i,relative:a,unstable_viewTransition:l}=t===void 0?{}:t,u=vo(),c=As(),d=Ha(e,{relative:a});return S.useCallback(f=>{if(rC(f,n)){f.preventDefault();let g=o!==void 0?o:ua(c)===ua(d);u(e,{replace:g,state:s,preventScrollReset:i,relative:a,unstable_viewTransition:l})}},[c,u,d,o,s,n,e,i,a,l])}function hC(e,t){t===void 0&&(t={});let n=S.useContext(aC);n==null&&ke(!1);let{basename:o}=pC(cu.useViewTransitionState),s=Ha(e,{relative:t.relative});if(!n.isTransitioning)return!1;let i=lo(n.currentLocation.pathname,o)||n.currentLocation.pathname,a=lo(n.nextLocation.pathname,o)||n.nextLocation.pathname;return da(s.pathname,a)!=null||da(s.pathname,i)!=null}function Wv(e){var t,n,o="";if(typeof e=="string"||typeof e=="number")o+=e;else if(typeof e=="object")if(Array.isArray(e)){var s=e.length;for(t=0;ttypeof e=="number"&&!isNaN(e),pr=e=>typeof e=="string",dt=e=>typeof e=="function",Oi=e=>pr(e)||dt(e)?e:null,uu=e=>S.isValidElement(e)||pr(e)||dt(e)||Ns(e);function vC(e,t,n){n===void 0&&(n=300);const{scrollHeight:o,style:s}=e;requestAnimationFrame(()=>{s.minHeight="initial",s.height=o+"px",s.transition=`all ${n}ms`,requestAnimationFrame(()=>{s.height="0",s.padding="0",s.margin="0",setTimeout(t,n)})})}function Ka(e){let{enter:t,exit:n,appendPosition:o=!1,collapse:s=!0,collapseDuration:i=300}=e;return function(a){let{children:l,position:u,preventExitTransition:c,done:d,nodeRef:f,isIn:g,playToast:C}=a;const x=o?`${t}--${u}`:t,N=o?`${n}--${u}`:n,b=S.useRef(0);return S.useLayoutEffect(()=>{const h=f.current,v=x.split(" "),m=y=>{y.target===f.current&&(C(),h.removeEventListener("animationend",m),h.removeEventListener("animationcancel",m),b.current===0&&y.type!=="animationcancel"&&h.classList.remove(...v))};h.classList.add(...v),h.addEventListener("animationend",m),h.addEventListener("animationcancel",m)},[]),S.useEffect(()=>{const h=f.current,v=()=>{h.removeEventListener("animationend",v),s?vC(h,d,i):d()};g||(c?v():(b.current=1,h.className+=` ${N}`,h.addEventListener("animationend",v)))},[g]),I.createElement(I.Fragment,null,l)}}function gp(e,t){return e!=null?{content:e.content,containerId:e.props.containerId,id:e.props.toastId,theme:e.props.theme,type:e.props.type,data:e.props.data||{},isLoading:e.props.isLoading,icon:e.props.icon,status:t}:{}}const Ge=new Map;let Cs=[];const du=new Set,gC=e=>du.forEach(t=>t(e)),Uv=()=>Ge.size>0;function qv(e,t){var n;if(t)return!((n=Ge.get(t))==null||!n.isToastActive(e));let o=!1;return Ge.forEach(s=>{s.isToastActive(e)&&(o=!0)}),o}function Vv(e,t){uu(e)&&(Uv()||Cs.push({content:e,options:t}),Ge.forEach(n=>{n.buildToast(e,t)}))}function xp(e,t){Ge.forEach(n=>{t!=null&&t!=null&&t.containerId?(t==null?void 0:t.containerId)===n.id&&n.toggle(e,t==null?void 0:t.id):n.toggle(e,t==null?void 0:t.id)})}function xC(e){const{subscribe:t,getSnapshot:n,setProps:o}=S.useRef(function(i){const a=i.containerId||1;return{subscribe(l){const u=function(d,f,g){let C=1,x=0,N=[],b=[],h=[],v=f;const m=new Map,y=new Set,E=()=>{h=Array.from(m.values()),y.forEach(O=>O())},k=O=>{b=O==null?[]:b.filter(B=>B!==O),E()},T=O=>{const{toastId:B,onOpen:$,updateId:H,children:te}=O.props,Q=H==null;O.staleId&&m.delete(O.staleId),m.set(B,O),b=[...b,O.props.toastId].filter(Z=>Z!==O.staleId),E(),g(gp(O,Q?"added":"updated")),Q&&dt($)&&$(S.isValidElement(te)&&te.props)};return{id:d,props:v,observe:O=>(y.add(O),()=>y.delete(O)),toggle:(O,B)=>{m.forEach($=>{B!=null&&B!==$.props.toastId||dt($.toggle)&&$.toggle(O)})},removeToast:k,toasts:m,clearQueue:()=>{x-=N.length,N=[]},buildToast:(O,B)=>{if((W=>{let{containerId:K,toastId:Y,updateId:ee}=W;const re=K?K!==d:d!==1,ne=m.has(Y)&&ee==null;return re||ne})(B))return;const{toastId:$,updateId:H,data:te,staleId:Q,delay:Z}=B,D=()=>{k($)},U=H==null;U&&x++;const G={...v,style:v.toastStyle,key:C++,...Object.fromEntries(Object.entries(B).filter(W=>{let[K,Y]=W;return Y!=null})),toastId:$,updateId:H,data:te,closeToast:D,isIn:!1,className:Oi(B.className||v.toastClassName),bodyClassName:Oi(B.bodyClassName||v.bodyClassName),progressClassName:Oi(B.progressClassName||v.progressClassName),autoClose:!B.isLoading&&(R=B.autoClose,A=v.autoClose,R===!1||Ns(R)&&R>0?R:A),deleteToast(){const W=m.get($),{onClose:K,children:Y}=W.props;dt(K)&&K(S.isValidElement(Y)&&Y.props),g(gp(W,"removed")),m.delete($),x--,x<0&&(x=0),N.length>0?T(N.shift()):E()}};var R,A;G.closeButton=v.closeButton,B.closeButton===!1||uu(B.closeButton)?G.closeButton=B.closeButton:B.closeButton===!0&&(G.closeButton=!uu(v.closeButton)||v.closeButton);let L=O;S.isValidElement(O)&&!pr(O.type)?L=S.cloneElement(O,{closeToast:D,toastProps:G,data:te}):dt(O)&&(L=O({closeToast:D,toastProps:G,data:te}));const F={content:L,props:G,staleId:Q};v.limit&&v.limit>0&&x>v.limit&&U?N.push(F):Ns(Z)?setTimeout(()=>{T(F)},Z):T(F)},setProps(O){v=O},setToggle:(O,B)=>{m.get(O).toggle=B},isToastActive:O=>b.some(B=>B===O),getSnapshot:()=>v.newestOnTop?h.reverse():h}}(a,i,gC);Ge.set(a,u);const c=u.observe(l);return Cs.forEach(d=>Vv(d.content,d.options)),Cs=[],()=>{c(),Ge.delete(a)}},setProps(l){var u;(u=Ge.get(a))==null||u.setProps(l)},getSnapshot(){var l;return(l=Ge.get(a))==null?void 0:l.getSnapshot()}}}(e)).current;o(e);const s=S.useSyncExternalStore(t,n,n);return{getToastToRender:function(i){if(!s)return[];const a=new Map;return s.forEach(l=>{const{position:u}=l.props;a.has(u)||a.set(u,[]),a.get(u).push(l)}),Array.from(a,l=>i(l[0],l[1]))},isToastActive:qv,count:s==null?void 0:s.length}}function yC(e){const[t,n]=S.useState(!1),[o,s]=S.useState(!1),i=S.useRef(null),a=S.useRef({start:0,delta:0,removalDistance:0,canCloseOnClick:!0,canDrag:!1,didMove:!1}).current,{autoClose:l,pauseOnHover:u,closeToast:c,onClick:d,closeOnClick:f}=e;var g,C;function x(){n(!0)}function N(){n(!1)}function b(m){const y=i.current;a.canDrag&&y&&(a.didMove=!0,t&&N(),a.delta=e.draggableDirection==="x"?m.clientX-a.start:m.clientY-a.start,a.start!==m.clientX&&(a.canCloseOnClick=!1),y.style.transform=`translate3d(${e.draggableDirection==="x"?`${a.delta}px, var(--y)`:`0, calc(${a.delta}px + var(--y))`},0)`,y.style.opacity=""+(1-Math.abs(a.delta/a.removalDistance)))}function h(){document.removeEventListener("pointermove",b),document.removeEventListener("pointerup",h);const m=i.current;if(a.canDrag&&a.didMove&&m){if(a.canDrag=!1,Math.abs(a.delta)>a.removalDistance)return s(!0),e.closeToast(),void e.collapseAll();m.style.transition="transform 0.2s, opacity 0.2s",m.style.removeProperty("transform"),m.style.removeProperty("opacity")}}(C=Ge.get((g={id:e.toastId,containerId:e.containerId,fn:n}).containerId||1))==null||C.setToggle(g.id,g.fn),S.useEffect(()=>{if(e.pauseOnFocusLoss)return document.hasFocus()||N(),window.addEventListener("focus",x),window.addEventListener("blur",N),()=>{window.removeEventListener("focus",x),window.removeEventListener("blur",N)}},[e.pauseOnFocusLoss]);const v={onPointerDown:function(m){if(e.draggable===!0||e.draggable===m.pointerType){a.didMove=!1,document.addEventListener("pointermove",b),document.addEventListener("pointerup",h);const y=i.current;a.canCloseOnClick=!0,a.canDrag=!0,y.style.transition="none",e.draggableDirection==="x"?(a.start=m.clientX,a.removalDistance=y.offsetWidth*(e.draggablePercent/100)):(a.start=m.clientY,a.removalDistance=y.offsetHeight*(e.draggablePercent===80?1.5*e.draggablePercent:e.draggablePercent)/100)}},onPointerUp:function(m){const{top:y,bottom:E,left:k,right:T}=i.current.getBoundingClientRect();m.nativeEvent.type!=="touchend"&&e.pauseOnHover&&m.clientX>=k&&m.clientX<=T&&m.clientY>=y&&m.clientY<=E?N():x()}};return l&&u&&(v.onMouseEnter=N,e.stacked||(v.onMouseLeave=x)),f&&(v.onClick=m=>{d&&d(m),a.canCloseOnClick&&c()}),{playToast:x,pauseToast:N,isRunning:t,preventExitTransition:o,toastRef:i,eventHandlers:v}}function jC(e){let{delay:t,isRunning:n,closeToast:o,type:s="default",hide:i,className:a,style:l,controlledProgress:u,progress:c,rtl:d,isIn:f,theme:g}=e;const C=i||u&&c===0,x={...l,animationDuration:`${t}ms`,animationPlayState:n?"running":"paused"};u&&(x.transform=`scaleX(${c})`);const N=Tn("Toastify__progress-bar",u?"Toastify__progress-bar--controlled":"Toastify__progress-bar--animated",`Toastify__progress-bar-theme--${g}`,`Toastify__progress-bar--${s}`,{"Toastify__progress-bar--rtl":d}),b=dt(a)?a({rtl:d,type:s,defaultClassName:N}):Tn(N,a),h={[u&&c>=1?"onTransitionEnd":"onAnimationEnd"]:u&&c<1?null:()=>{f&&o()}};return I.createElement("div",{className:"Toastify__progress-bar--wrp","data-hidden":C},I.createElement("div",{className:`Toastify__progress-bar--bg Toastify__progress-bar-theme--${g} Toastify__progress-bar--${s}`}),I.createElement("div",{role:"progressbar","aria-hidden":C?"true":"false","aria-label":"notification timer",className:b,style:x,...h}))}let NC=1;const Hv=()=>""+NC++;function CC(e){return e&&(pr(e.toastId)||Ns(e.toastId))?e.toastId:Hv()}function Jo(e,t){return Vv(e,t),t.toastId}function ma(e,t){return{...t,type:t&&t.type||e,toastId:CC(t)}}function ni(e){return(t,n)=>Jo(t,ma(e,n))}function le(e,t){return Jo(e,ma("default",t))}le.loading=(e,t)=>Jo(e,ma("default",{isLoading:!0,autoClose:!1,closeOnClick:!1,closeButton:!1,draggable:!1,...t})),le.promise=function(e,t,n){let o,{pending:s,error:i,success:a}=t;s&&(o=pr(s)?le.loading(s,n):le.loading(s.render,{...n,...s}));const l={isLoading:null,autoClose:null,closeOnClick:null,closeButton:null,draggable:null},u=(d,f,g)=>{if(f==null)return void le.dismiss(o);const C={type:d,...l,...n,data:g},x=pr(f)?{render:f}:f;return o?le.update(o,{...C,...x}):le(x.render,{...C,...x}),g},c=dt(e)?e():e;return c.then(d=>u("success",a,d)).catch(d=>u("error",i,d)),c},le.success=ni("success"),le.info=ni("info"),le.error=ni("error"),le.warning=ni("warning"),le.warn=le.warning,le.dark=(e,t)=>Jo(e,ma("default",{theme:"dark",...t})),le.dismiss=function(e){(function(t){var n;if(Uv()){if(t==null||pr(n=t)||Ns(n))Ge.forEach(o=>{o.removeToast(t)});else if(t&&("containerId"in t||"id"in t)){const o=Ge.get(t.containerId);o?o.removeToast(t.id):Ge.forEach(s=>{s.removeToast(t.id)})}}else Cs=Cs.filter(o=>t!=null&&o.options.toastId!==t)})(e)},le.clearWaitingQueue=function(e){e===void 0&&(e={}),Ge.forEach(t=>{!t.props.limit||e.containerId&&t.id!==e.containerId||t.clearQueue()})},le.isActive=qv,le.update=function(e,t){t===void 0&&(t={});const n=((o,s)=>{var i;let{containerId:a}=s;return(i=Ge.get(a||1))==null?void 0:i.toasts.get(o)})(e,t);if(n){const{props:o,content:s}=n,i={delay:100,...o,...t,toastId:t.toastId||e,updateId:Hv()};i.toastId!==e&&(i.staleId=e);const a=i.render||s;delete i.render,Jo(a,i)}},le.done=e=>{le.update(e,{progress:1})},le.onChange=function(e){return du.add(e),()=>{du.delete(e)}},le.play=e=>xp(!0,e),le.pause=e=>xp(!1,e);const bC=typeof window<"u"?S.useLayoutEffect:S.useEffect,ri=e=>{let{theme:t,type:n,isLoading:o,...s}=e;return I.createElement("svg",{viewBox:"0 0 24 24",width:"100%",height:"100%",fill:t==="colored"?"currentColor":`var(--toastify-icon-color-${n})`,...s})},Gl={info:function(e){return I.createElement(ri,{...e},I.createElement("path",{d:"M12 0a12 12 0 1012 12A12.013 12.013 0 0012 0zm.25 5a1.5 1.5 0 11-1.5 1.5 1.5 1.5 0 011.5-1.5zm2.25 13.5h-4a1 1 0 010-2h.75a.25.25 0 00.25-.25v-4.5a.25.25 0 00-.25-.25h-.75a1 1 0 010-2h1a2 2 0 012 2v4.75a.25.25 0 00.25.25h.75a1 1 0 110 2z"}))},warning:function(e){return I.createElement(ri,{...e},I.createElement("path",{d:"M23.32 17.191L15.438 2.184C14.728.833 13.416 0 11.996 0c-1.42 0-2.733.833-3.443 2.184L.533 17.448a4.744 4.744 0 000 4.368C1.243 23.167 2.555 24 3.975 24h16.05C22.22 24 24 22.044 24 19.632c0-.904-.251-1.746-.68-2.44zm-9.622 1.46c0 1.033-.724 1.823-1.698 1.823s-1.698-.79-1.698-1.822v-.043c0-1.028.724-1.822 1.698-1.822s1.698.79 1.698 1.822v.043zm.039-12.285l-.84 8.06c-.057.581-.408.943-.897.943-.49 0-.84-.367-.896-.942l-.84-8.065c-.057-.624.25-1.095.779-1.095h1.91c.528.005.84.476.784 1.1z"}))},success:function(e){return I.createElement(ri,{...e},I.createElement("path",{d:"M12 0a12 12 0 1012 12A12.014 12.014 0 0012 0zm6.927 8.2l-6.845 9.289a1.011 1.011 0 01-1.43.188l-4.888-3.908a1 1 0 111.25-1.562l4.076 3.261 6.227-8.451a1 1 0 111.61 1.183z"}))},error:function(e){return I.createElement(ri,{...e},I.createElement("path",{d:"M11.983 0a12.206 12.206 0 00-8.51 3.653A11.8 11.8 0 000 12.207 11.779 11.779 0 0011.8 24h.214A12.111 12.111 0 0024 11.791 11.766 11.766 0 0011.983 0zM10.5 16.542a1.476 1.476 0 011.449-1.53h.027a1.527 1.527 0 011.523 1.47 1.475 1.475 0 01-1.449 1.53h-.027a1.529 1.529 0 01-1.523-1.47zM11 12.5v-6a1 1 0 012 0v6a1 1 0 11-2 0z"}))},spinner:function(){return I.createElement("div",{className:"Toastify__spinner"})}},wC=e=>{const{isRunning:t,preventExitTransition:n,toastRef:o,eventHandlers:s,playToast:i}=yC(e),{closeButton:a,children:l,autoClose:u,onClick:c,type:d,hideProgressBar:f,closeToast:g,transition:C,position:x,className:N,style:b,bodyClassName:h,bodyStyle:v,progressClassName:m,progressStyle:y,updateId:E,role:k,progress:T,rtl:O,toastId:B,deleteToast:$,isIn:H,isLoading:te,closeOnClick:Q,theme:Z}=e,D=Tn("Toastify__toast",`Toastify__toast-theme--${Z}`,`Toastify__toast--${d}`,{"Toastify__toast--rtl":O},{"Toastify__toast--close-on-click":Q}),U=dt(N)?N({rtl:O,position:x,type:d,defaultClassName:D}):Tn(D,N),G=function(F){let{theme:W,type:K,isLoading:Y,icon:ee}=F,re=null;const ne={theme:W,type:K};return ee===!1||(dt(ee)?re=ee({...ne,isLoading:Y}):S.isValidElement(ee)?re=S.cloneElement(ee,ne):Y?re=Gl.spinner():(oe=>oe in Gl)(K)&&(re=Gl[K](ne))),re}(e),R=!!T||!u,A={closeToast:g,type:d,theme:Z};let L=null;return a===!1||(L=dt(a)?a(A):S.isValidElement(a)?S.cloneElement(a,A):function(F){let{closeToast:W,theme:K,ariaLabel:Y="close"}=F;return I.createElement("button",{className:`Toastify__close-button Toastify__close-button--${K}`,type:"button",onClick:ee=>{ee.stopPropagation(),W(ee)},"aria-label":Y},I.createElement("svg",{"aria-hidden":"true",viewBox:"0 0 14 16"},I.createElement("path",{fillRule:"evenodd",d:"M7.71 8.23l3.75 3.75-1.48 1.48-3.75-3.75-3.75 3.75L1 11.98l3.75-3.75L1 4.48 2.48 3l3.75 3.75L9.98 3l1.48 1.48-3.75 3.75z"})))}(A)),I.createElement(C,{isIn:H,done:$,position:x,preventExitTransition:n,nodeRef:o,playToast:i},I.createElement("div",{id:B,onClick:c,"data-in":H,className:U,...s,style:b,ref:o},I.createElement("div",{...H&&{role:k},className:dt(h)?h({type:d}):Tn("Toastify__toast-body",h),style:v},G!=null&&I.createElement("div",{className:Tn("Toastify__toast-icon",{"Toastify--animate-icon Toastify__zoom-enter":!te})},G),I.createElement("div",null,l)),L,I.createElement(jC,{...E&&!R?{key:`pb-${E}`}:{},rtl:O,theme:Z,delay:u,isRunning:t,isIn:H,closeToast:g,hide:f,type:d,style:y,className:m,controlledProgress:R,progress:T||0})))},Ya=function(e,t){return t===void 0&&(t=!1),{enter:`Toastify--animate Toastify__${e}-enter`,exit:`Toastify--animate Toastify__${e}-exit`,appendPosition:t}},SC=Ka(Ya("bounce",!0));Ka(Ya("slide",!0));Ka(Ya("zoom"));Ka(Ya("flip"));const EC={position:"top-right",transition:SC,autoClose:5e3,closeButton:!0,pauseOnHover:!0,pauseOnFocusLoss:!0,draggable:"touch",draggablePercent:80,draggableDirection:"x",role:"alert",theme:"light"};function kC(e){let t={...EC,...e};const n=e.stacked,[o,s]=S.useState(!0),i=S.useRef(null),{getToastToRender:a,isToastActive:l,count:u}=xC(t),{className:c,style:d,rtl:f,containerId:g}=t;function C(N){const b=Tn("Toastify__toast-container",`Toastify__toast-container--${N}`,{"Toastify__toast-container--rtl":f});return dt(c)?c({position:N,rtl:f,defaultClassName:b}):Tn(b,Oi(c))}function x(){n&&(s(!0),le.play())}return bC(()=>{if(n){var N;const b=i.current.querySelectorAll('[data-in="true"]'),h=12,v=(N=t.position)==null?void 0:N.includes("top");let m=0,y=0;Array.from(b).reverse().forEach((E,k)=>{const T=E;T.classList.add("Toastify__toast--stacked"),k>0&&(T.dataset.collapsed=`${o}`),T.dataset.pos||(T.dataset.pos=v?"top":"bot");const O=m*(o?.2:1)+(o?0:h*k);T.style.setProperty("--y",`${v?O:-1*O}px`),T.style.setProperty("--g",`${h}`),T.style.setProperty("--s",""+(1-(o?y:0))),m+=T.offsetHeight,y+=.025})}},[o,u,n]),I.createElement("div",{ref:i,className:"Toastify",id:g,onMouseEnter:()=>{n&&(s(!1),le.pause())},onMouseLeave:x},a((N,b)=>{const h=b.length?{...d}:{...d,pointerEvents:"none"};return I.createElement("div",{className:C(N),style:h,key:`container-${N}`},b.map(v=>{let{content:m,props:y}=v;return I.createElement(wC,{...y,stacked:n,collapseAll:x,isIn:l(y.toastId,y.containerId),style:y.style,key:`toast-${y.key}`},m)}))}))}const Ze=()=>{const e=new Date().getFullYear();return r.jsx(r.Fragment,{children:r.jsxs("div",{children:[r.jsx("div",{className:"footer_section layout_padding",children:r.jsxs("div",{className:"container",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12"})}),r.jsx("div",{className:"footer_section_2",children:r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-4",children:[r.jsx("h2",{className:"useful_text",children:"QUICK LINKS"}),r.jsx("div",{className:"footer_menu",children:r.jsxs("ul",{children:[r.jsx("li",{children:r.jsx(Ne,{to:"/",className:"link-primary text-decoration-none",children:"Home"})}),r.jsx("li",{children:r.jsx(Ne,{to:"/about",className:"link-primary text-decoration-none",children:"About"})}),r.jsx("li",{children:r.jsx(Ne,{to:"/services",className:"link-primary text-decoration-none",children:"Services"})}),r.jsx("li",{children:r.jsx(Ne,{to:"/contact",className:"link-primary text-decoration-none",children:"Contact Us"})})]})})]}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("h2",{className:"useful_text",children:"Work Portfolio"}),r.jsx("p",{className:"lorem_text",children:"It is a long established fact that a reader will be distracted by the readable content of a page when looking at its layout. The point of using Lorem"})]}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("h2",{className:"useful_text",children:"SIGN UP TO OUR NEWSLETTER"}),r.jsxs("div",{className:"form-group",children:[r.jsx("textarea",{className:"update_mail",placeholder:"Enter Your Email",rows:5,id:"comment",name:"Enter Your Email",defaultValue:""}),r.jsx("div",{className:"subscribe_bt",children:r.jsx("a",{href:"#",children:"Subscribe"})})]})]})]})}),r.jsx("div",{className:"social_icon",children:r.jsxs("ul",{children:[r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-facebook","aria-hidden":"true"})})}),r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-twitter","aria-hidden":"true"})})}),r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-linkedin","aria-hidden":"true"})})}),r.jsx("li",{children:r.jsx("a",{href:"#",children:r.jsx("i",{className:"fa fa-instagram","aria-hidden":"true"})})})]})})]})}),r.jsx("div",{className:"copyright_section",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("p",{className:"copyright_text",children:[e," All Rights Reserved."]})})})})})]})})},PC="/assets/logo-Cb1x1exd.png",Re=()=>{var s,i;const{user:e}=Ve(a=>({...a.auth})),t=Ft(),n=vo(),o=()=>{t(iN()),n("/")};return r.jsx(r.Fragment,{children:r.jsx("div",{className:"navbar navbar-expand-lg w-100",style:{backgroundColor:"#000000",position:"fixed",top:0,left:0,right:0,zIndex:1e3},children:r.jsxs("div",{className:"container-fluid d-flex align-items-center justify-content-between",children:[r.jsxs("div",{className:"d-flex align-items-center",children:[r.jsx("img",{src:PC,alt:"logo",width:"75",height:"75",className:"img-fluid"}),r.jsx("p",{style:{display:"inline-block",fontStyle:"italic",fontSize:"14px",color:"white",margin:"0 0 0 10px"}})]}),r.jsxs("div",{className:"collapse navbar-collapse",id:"navbarSupportedContent",children:[r.jsxs("ul",{className:"navbar-nav ml-auto",children:[r.jsx("li",{className:"nav-item active",children:r.jsx(Ne,{to:"/",className:"nav-link",style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Home"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/services",className:"nav-link",style:{fontSize:"20px",fontWeight:"normal"},children:"Services"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/searchmyproperties",className:"nav-link",style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Search Database"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/about",className:"nav-link",style:{fontSize:"20px",fontWeight:"normal"},children:"About"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/searchproperties",className:"nav-link",style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Search properties"})}),r.jsx("li",{className:"nav-item",children:r.jsx(Ne,{to:"/contact",className:"nav-link",style:{fontSize:"20px",fontWeight:"normal"},children:"Contact"})})]}),(s=e==null?void 0:e.result)!=null&&s._id?r.jsx(Ne,{to:"/dashboard",style:{fontWeight:"bold"},children:"Dashboard"}):r.jsx(Ne,{to:"/register",className:"nav-link",style:{fontWeight:"bold"},children:"Register"}),(i=e==null?void 0:e.result)!=null&&i._id?r.jsx(Ne,{to:"/login",children:r.jsx("p",{className:"header-text",onClick:o,style:{fontWeight:"bold"},children:"Logout"})}):r.jsx(Ne,{to:"/login",className:"nav-link",style:{fontWeight:"bold"},children:"Login"})]})]})})})},_C=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{children:[r.jsx("div",{className:"header_section",children:r.jsx("div",{className:"banner_section layout_padding",children:r.jsxs("div",{id:"my_slider",className:"carousel slide","data-ride":"carousel",children:[r.jsxs("div",{className:"carousel-inner",children:[r.jsx("div",{className:"carousel-item active",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("div",{className:"banner_taital_main",children:[r.jsx("h1",{className:"banner_taital",children:"Reinventing real estate investment"}),r.jsxs("p",{className:"banner_text",children:["Owners/operators, and real estate investment firms to excel in what they do best: finding new opportunities"," "]}),r.jsxs("div",{className:"btn_main",children:[r.jsx("div",{className:"started_text active",children:r.jsx("a",{href:"#",children:"Contact US"})}),r.jsx("div",{className:"started_text",children:r.jsx("a",{href:"#",children:"About Us"})})]})]})})})})}),r.jsx("div",{className:"carousel-item",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("div",{className:"banner_taital_main",children:[r.jsx("h1",{className:"banner_taital",children:"streamline investment management"}),r.jsxs("p",{className:"banner_text",children:["Best possible experience to our customers and their investors."," "]}),r.jsxs("div",{className:"btn_main",children:[r.jsx("div",{className:"started_text active",children:r.jsx("a",{href:"#",children:"Contact US"})}),r.jsx("div",{className:"started_text",children:r.jsx("a",{href:"#",children:"About Us"})})]})]})})})})}),r.jsx("div",{className:"carousel-item",children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-sm-12",children:r.jsxs("div",{className:"banner_taital_main",children:[r.jsx("h1",{className:"banner_taital",children:"Increase your efficiency and security"}),r.jsxs("p",{className:"banner_text",children:["All-in-one real estate investment management platform with 100% security tools"," "]}),r.jsxs("div",{className:"btn_main",children:[r.jsx("div",{className:"started_text active",children:r.jsx("a",{href:"#",children:"Contact US"})}),r.jsx("div",{className:"started_text",children:r.jsx("a",{href:"#",children:"About Us"})})]})]})})})})})]}),r.jsx("a",{className:"carousel-control-prev",href:"#my_slider",role:"button","data-slide":"prev",children:r.jsx("i",{className:"fa fa-angle-left"})}),r.jsx("a",{className:"carousel-control-next",href:"#my_slider",role:"button","data-slide":"next",children:r.jsx("i",{className:"fa fa-angle-right"})})]})})}),r.jsx("div",{className:"services_section layout_padding",children:r.jsxs("div",{className:"container-fluid",children:[r.jsx("div",{className:"row",children:r.jsxs("div",{className:"col-sm-12",children:[r.jsx("h1",{className:"services_taital",children:"Our Services"}),r.jsx("p",{className:"services_text_1",children:"your documents, always and immediately within reach"})]})}),r.jsx("div",{className:"services_section_2",children:r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main active",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-1.png"})}),r.jsx("h4",{className:"development_text",children:"Dedication Services"}),r.jsx("p",{className:"services_text",children:"Real estate investing even on a very small scale remains a tried and true means of building and individual cash flow and wealth"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})}),r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-2.png"})}),r.jsx("h4",{className:"development_text",children:"Building work Reports"}),r.jsx("p",{className:"services_text",children:"Deliver all the reports your investors need. Eliminate manual work and human errors with automatic distribution and allocation"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})}),r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-3.png"})}),r.jsx("h4",{className:"development_text",children:"Reporting continuously"}),r.jsx("p",{className:"services_text",children:"Streamlining investor interactions, gaining complete visibility into your data, and using smart filters to create automatic workflows"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})}),r.jsx("div",{className:"col-lg-3 col-sm-6",children:r.jsxs("div",{className:"box_main",children:[r.jsx("div",{className:"service_img",children:r.jsx("img",{src:"images/icon-4.png"})}),r.jsx("h4",{className:"development_text",children:"Manage your investment "}),r.jsx("p",{className:"services_text",children:"We offer a comprehensive set of tools and services to fully facilitate all your real estate investment management needs"}),r.jsx("div",{className:"readmore_bt",children:r.jsx("a",{href:"#",children:"Read More"})})]})})]})})]})})]}),r.jsx(Ze,{})]}),OC=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsxs("div",{className:"about_section layout_padding",children:[r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("div",{className:"container",children:r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-6",children:[r.jsx("h1",{className:"about_taital",children:"About Us"}),r.jsxs("p",{className:"about_text",children:["There are many variations of passages of Lorem Ipsum available, but the majority have suffered alteration in some form, by injected humour, or randomised words which don't look even slightly believable. If you are going to use a passage of Lorem Ipsum, you need to be sure there isn't anything embarrassing hidden in the middle of text. All"," "]}),r.jsx("div",{className:"read_bt_1",children:r.jsx("a",{href:"#",children:"Read More"})})]}),r.jsx("div",{className:"col-md-6",children:r.jsx("div",{className:"about_img",children:r.jsx("div",{className:"video_bt",children:r.jsx("div",{className:"play_icon",children:r.jsx("img",{src:"images/play-icon.png"})})})})})]})}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{})]}),r.jsx(Ze,{})]}),TC=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsxs("div",{className:"contact_section layout_padding",children:[r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12",children:r.jsx("h1",{className:"contact_taital",children:"Contact Us"})})})}),r.jsx("div",{className:"container-fluid",children:r.jsx("div",{className:"contact_section_2",children:r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-md-6",children:r.jsx("form",{action:!0,children:r.jsxs("div",{className:"mail_section_1",children:[r.jsx("input",{type:"text",className:"mail_text",placeholder:"Name",name:"Name"}),r.jsx("input",{type:"text",className:"mail_text",placeholder:"Phone Number",name:"Phone Number"}),r.jsx("input",{type:"text",className:"mail_text",placeholder:"Email",name:"Email"}),r.jsx("textarea",{className:"massage-bt",placeholder:"Massage",rows:5,id:"comment",name:"Massage",defaultValue:""}),r.jsx("div",{className:"send_bt",children:r.jsx("a",{href:"#",children:"SEND"})})]})})}),r.jsx("div",{className:"col-md-6 padding_left_15",children:r.jsx("div",{className:"contact_img",children:r.jsx("img",{src:"images/contact-img.png"})})})]})})})]}),r.jsx(Ze,{})]});var tn=function(){return tn=Object.assign||function(e){for(var t,n=1,o=arguments.length;n{const[e,t]=S.useState(nb),[n,o]=S.useState(!1),{loading:s,error:i}=Ve(E=>({...E.auth})),{title:a,email:l,password:u,firstName:c,middleName:d,lastName:f,confirmPassword:g,termsconditions:C,userType:x}=e,N=Ft(),b=vo();S.useEffect(()=>{i&&le.error(i)},[i]),S.useEffect(()=>{o(a!=="None"&&l&&u&&c&&d&&f&&g&&C&&x!=="")},[a,l,u,c,d,f,g,C,x]);const h=E=>{if(E.preventDefault(),u!==g)return le.error("Password should match");n?N(Ci({formValue:e,navigate:b,toast:le})):le.error("Please fill in all fields and select all checkboxes")},v=E=>E.charAt(0).toUpperCase()+E.slice(1),m=E=>{const{name:k,value:T,type:O,checked:B}=E.target;t(O==="checkbox"?$=>({...$,[k]:B}):$=>({...$,[k]:k==="email"||k==="password"||k==="confirmPassword"?T:v(T)}))},y=E=>{t(k=>({...k,userType:E.target.value}))};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("section",{className:"card",style:{minHeight:"100vh",backgroundColor:"#FFFFFF"},children:r.jsx("div",{className:"container-fluid px-0",children:r.jsxs("div",{className:"row gy-4 align-items-center justify-content-center",children:[r.jsx("div",{className:"col-12 col-md-0 col-xl-20 text-center text-md-start"}),r.jsx("div",{className:"col-12 col-md-6 col-xl-5",children:r.jsx("div",{className:"card border-0 rounded-4 shadow-lg",style:{width:"100%"},children:r.jsxs("div",{className:"card-body p-3 p-md-4 p-xl-5",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"mb-4",children:[r.jsx("h2",{className:"h3",children:"Registration"}),r.jsx("h3",{style:{color:"red"},children:'All fields are mandatory to enable "Sign up"'}),r.jsx("hr",{})]})})}),r.jsx("form",{onSubmit:h,children:r.jsxs("div",{className:"row gy-3 overflow-hidden",children:[r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsxs("label",{className:"form-label",children:["Please select the role. ",r.jsx("br",{}),r.jsx("br",{})]}),r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"userType",value:"Lender",checked:x==="Lender",onChange:y,required:!0}),r.jsx("label",{className:"form-check-label",children:"Lender"})]}),r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"userType",value:"Borrower",checked:x==="Borrower",onChange:y,required:!0}),r.jsxs("label",{className:"form-check-label",children:["Borrower"," "]}),r.jsx("br",{}),r.jsx("br",{})]})]})}),r.jsxs("div",{className:"col-12",children:[r.jsxs("select",{className:"form-floating mb-3 form-control","aria-label":"Default select example",name:"title",value:a,onChange:m,children:[r.jsx("option",{value:"None",children:"Please Select Title"}),r.jsx("option",{value:"Dr",children:"Dr"}),r.jsx("option",{value:"Prof",children:"Prof"}),r.jsx("option",{value:"Mr",children:"Mr"}),r.jsx("option",{value:"Miss",children:"Miss"})]}),r.jsx("br",{})]}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"text",className:"form-control",value:c,name:"firstName",onChange:m,placeholder:"First Name",required:"required"}),r.jsx("label",{htmlFor:"firstName",className:"form-label",children:"First Name"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"text",className:"form-control",value:d,name:"middleName",onChange:m,placeholder:"Middle Name",required:"required"}),r.jsx("label",{htmlFor:"middleName",className:"form-label",children:"Middle Name"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"text",className:"form-control",value:f,name:"lastName",onChange:m,placeholder:"Last Name",required:"required"}),r.jsx("label",{htmlFor:"lastName",className:"form-label",children:"Last Name"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"email",className:"form-control",value:l,name:"email",onChange:m,placeholder:"name@example.com",required:"required"}),r.jsx("label",{htmlFor:"email",className:"form-label",children:"Email"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"password",className:"form-control",value:u,name:"password",onChange:m,placeholder:"Password",required:"required"}),r.jsx("label",{htmlFor:"password",className:"form-label",children:"Password"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"password",className:"form-control",value:g,name:"confirmPassword",onChange:m,placeholder:"confirmPassword",required:"required"}),r.jsx("label",{htmlFor:"password",className:"form-label",children:"Retype Password"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-check",children:[r.jsx("input",{className:"form-check-input",type:"checkbox",id:"termsconditions",value:C,name:"termsconditions",checked:C,onChange:m,required:!0}),r.jsxs("label",{className:"form-check-label text-secondary",htmlFor:"iAgree",children:["I agree to the"," ",r.jsx("a",{href:"#!",className:"link-primary text-decoration-none",children:"terms and conditions"})]})]})}),r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-grid",children:r.jsxs("button",{className:"btn btn-primary btn-lg",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},disabled:!n||s,children:[s&&r.jsx(Kv.Bars,{}),"Sign up"]})})})]})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-flex gap-2 gap-md-4 flex-column flex-md-row justify-content-md-end mt-4",children:r.jsxs("p",{className:"m-0 text-secondary text-center",children:["Already have an account?"," ",r.jsx("a",{href:"#!",className:"link-primary text-decoration-none",children:"Sign in"})]})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12"})})]})})})]})})}),r.jsx(Ze,{})]})},ob={email:"",password:""},sb=()=>{const[e,t]=S.useState(ob),{loading:n,error:o}=Ve(d=>({...d.auth})),{email:s,password:i}=e,a=Ft(),l=vo();S.useEffect(()=>{o&&le.error(o)},[o]);const u=d=>{d.preventDefault(),s&&i&&a(Ni({formValue:e,navigate:l,toast:le}))},c=d=>{let{name:f,value:g}=d.target;t({...e,[f]:g})};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("section",{className:"py-19 py-md-5 py-xl-8",style:{minHeight:"100vh",backgroundColor:"#FFFFFF"},children:r.jsx("div",{className:"container-fluid px-0",children:r.jsxs("div",{className:"row gy-4 align-items-center justify-content-center",children:[r.jsx("div",{className:"col-12 col-md-6 col-xl-20 text-center text-md-start",children:r.jsx("div",{className:"text-bg-primary",children:r.jsxs("div",{className:"px-4",children:[r.jsx("hr",{className:"border-primary-subtle mb-4"}),r.jsx("p",{className:"lead mb-5",children:"A beautiful, easy-to-use, and secure Investor Portal that gives your investors everything they may need"}),r.jsx("div",{className:"text-endx",children:r.jsx("svg",{xmlns:"http://www.w3.org/2000/svg",width:48,height:48,fill:"currentColor",className:"bi bi-grip-horizontal",viewBox:"0 0 16 16",children:r.jsx("path",{d:"M2 8a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"})})})]})})}),r.jsx("div",{className:"col-12 col-md-6 col-xl-5",children:r.jsx("div",{className:"card border-0 rounded-4 shadow-lg",style:{width:"100%"},children:r.jsxs("div",{className:"card-body p-3 p-md-4 p-xl-5",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"mb-4",children:r.jsx("h2",{className:"h3",children:"Please Login"})})})}),r.jsx("form",{method:"POST",children:r.jsxs("div",{className:"row gy-3 overflow-hidden",children:[r.jsx("div",{className:"col-12"}),r.jsx("div",{className:"col-12"}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"email",className:"form-control",id:"email",placeholder:"name@example.com",value:s,name:"email",onChange:c,required:!0}),r.jsx("label",{htmlFor:"email",className:"form-label",children:"Email"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"password",className:"form-control",id:"password",placeholder:"Password",value:i,name:"password",onChange:c,required:!0}),r.jsx("label",{htmlFor:"password",className:"form-label",children:"Password"})]})}),r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-check",children:[r.jsx("input",{className:"form-check-input",type:"checkbox",name:"iAgree",id:"iAgree",required:!0}),r.jsxs("label",{className:"form-check-label text-secondary",htmlFor:"iAgree",children:["Remember me"," "]})]})}),r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-grid",children:r.jsxs("button",{className:"btn btn-primary btn-lg",type:"submit",name:"signin",value:"Sign in",onClick:u,style:{backgroundColor:"#fda417",border:"#fda417"},children:[n&&r.jsx(Kv.Bars,{}),"Sign In"]})})})]})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-flex gap-2 gap-md-4 flex-column flex-md-row justify-content-md-end mt-4",children:r.jsxs("p",{className:"m-0 text-secondary text-center",children:["Don't have an account?"," ",r.jsx(Ne,{to:"/register",className:"link-primary text-decoration-none",children:"Register"}),r.jsx(Ne,{to:"/forgotpassword",className:"nav-link",children:"Forgot Password"})]})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12"})})]})})})]})})}),r.jsx(Ze,{})]})},Ti="/assets/samplepic-BM_cnzgz.jpg";var Yv={exports:{}};(function(e,t){(function(n,o){e.exports=o()})(Ig,function(){return function(n){function o(i){if(s[i])return s[i].exports;var a=s[i]={exports:{},id:i,loaded:!1};return n[i].call(a.exports,a,a.exports,o),a.loaded=!0,a.exports}var s={};return o.m=n,o.c=s,o.p="",o(0)}([function(n,o,s){function i(C){return C&&C.__esModule?C:{default:C}}function a(C,x){if(!(C instanceof x))throw new TypeError("Cannot call a class as a function")}function l(C,x){if(!C)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!x||typeof x!="object"&&typeof x!="function"?C:x}function u(C,x){if(typeof x!="function"&&x!==null)throw new TypeError("Super expression must either be null or a function, not "+typeof x);C.prototype=Object.create(x&&x.prototype,{constructor:{value:C,enumerable:!1,writable:!0,configurable:!0}}),x&&(Object.setPrototypeOf?Object.setPrototypeOf(C,x):C.__proto__=x)}Object.defineProperty(o,"__esModule",{value:!0});var c=function(){function C(x,N){for(var b=0;b1)for(var E=1;E1?d-1:0),g=1;g2?f-2:0),C=2;C1){for(var Z=Array(Q),D=0;D"u"||O.$$typeof!==h)){var G=typeof y=="function"?y.displayName||y.name||"Unknown":y;B&&u(O,G),$&&c(O,G)}return m(y,B,$,H,te,C.current,O)},m.createFactory=function(y){var E=m.createElement.bind(null,y);return E.type=y,E},m.cloneAndReplaceKey=function(y,E){var k=m(y.type,E,y.ref,y._self,y._source,y._owner,y.props);return k},m.cloneElement=function(y,E,k){var T,O=g({},y.props),B=y.key,$=y.ref,H=y._self,te=y._source,Q=y._owner;if(E!=null){a(E)&&($=E.ref,Q=C.current),l(E)&&(B=""+E.key);var Z;y.type&&y.type.defaultProps&&(Z=y.type.defaultProps);for(T in E)b.call(E,T)&&!v.hasOwnProperty(T)&&(E[T]===void 0&&Z!==void 0?O[T]=Z[T]:O[T]=E[T])}var D=arguments.length-2;if(D===1)O.children=k;else if(D>1){for(var U=Array(D),G=0;G1?c-1:0),f=1;f2?d-2:0),g=2;g.")}return T}function c(O,T){if(O._store&&!O._store.validated&&O.key==null){O._store.validated=!0;var P=y.uniqueKey||(y.uniqueKey={}),L=u(T);if(!P[L]){P[L]=!0;var z="";O&&O._owner&&O._owner!==g.current&&(z=" It was passed a child from "+O._owner.getName()+"."),i.env.NODE_ENV!=="production"&&v(!1,'Each child in an array or iterator should have a unique "key" prop.%s%s See https://fb.me/react-warning-keys for more information.%s',L,z,b.getCurrentStackAddendum(O))}}}function d(O,T){if(typeof O=="object"){if(Array.isArray(O))for(var P=0;P1?Y-1:0),re=1;re"u"||F===null)return""+F;var W=Q(F);if(W==="object"){if(F instanceof Date)return"date";if(F instanceof RegExp)return"regexp"}return W}function D(F){var W=Z(F);switch(W){case"array":case"object":return"an "+W;case"boolean":case"date":case"regexp":return"a "+W;default:return W}}function U(F){return F.constructor&&F.constructor.name?F.constructor.name:A}var G=typeof Symbol=="function"&&Symbol.iterator,R="@@iterator",A="<>",B={array:h("array"),bool:h("boolean"),func:h("function"),number:h("number"),object:h("object"),string:h("string"),symbol:h("symbol"),any:v(),arrayOf:m,element:y(),instanceOf:E,node:L(),objectOf:T,oneOf:O,oneOfType:P,shape:z};return N.prototype=Error.prototype,B.checkPropTypes=d,B.PropTypes=B,B}}).call(o,s(1))},function(n,o){function s(l){var u=/[=:]/g,c={"=":"=0",":":"=2"},d=(""+l).replace(u,function(f){return c[f]});return"$"+d}function i(l){var u=/(=0|=2)/g,c={"=0":"=","=2":":"},d=l[0]==="."&&l[1]==="$"?l.substring(2):l.substring(1);return(""+d).replace(u,function(f){return c[f]})}var a={escape:s,unescape:i};n.exports=a},function(n,o,s){(function(i){var a=s(5),l=s(2),u=function(h){var v=this;if(v.instancePool.length){var m=v.instancePool.pop();return v.call(m,h),m}return new v(h)},c=function(h,v){var m=this;if(m.instancePool.length){var y=m.instancePool.pop();return m.call(y,h,v),y}return new m(h,v)},d=function(h,v,m){var y=this;if(y.instancePool.length){var E=y.instancePool.pop();return y.call(E,h,v,m),E}return new y(h,v,m)},f=function(h,v,m,y){var E=this;if(E.instancePool.length){var O=E.instancePool.pop();return E.call(O,h,v,m,y),O}return new E(h,v,m,y)},g=function(h){var v=this;h instanceof v||(i.env.NODE_ENV!=="production"?l(!1,"Trying to release an instance into a pool of a different type."):a("25")),h.destructor(),v.instancePool.length{const[e,t]=S.useState("propertydetails"),n=()=>{e==="propertydetails"&&t("Images"),e==="Images"&&t("Accounting")},o=()=>{e==="Images"&&t("propertydetails"),e==="Accounting"&&t("Images")},s=Ft(),{status:i,error:a}=Ve(p=>p.property),{user:l}=Ve(p=>({...p.auth})),u=[1,2,3,4,5,6,7,8,9,10],[c,d]=S.useState({propertyTaxInfo:[{propertytaxowned:"0",ownedyear:"0",taxassessed:"0",taxyear:"0"}],images:[{title:"",file:""}],googleMapLink:"",renovationRisk:null,purchaseCost:"0",costPaidAtoB:[{title:"Closing Fees - Settlement Fee",price:"0"},{title:"Closing Fees - Owner's Title Insurance",price:"0"},{title:"Courier Fees",price:"0"},{title:"Wire Fee",price:"0"},{title:"E recording Fee",price:"0"},{title:"Recording Fee",price:"0"},{title:"Property Tax",price:"0"}],credits:[{title:"Credits",price:"0"}],cashAdjustments:[{title:"Cash Adjustments",price:"0"}],incidentalCost:[{title:"Accounting Fees",price:"0"},{title:"Bank Charges",price:"0"},{title:"Legal Fees",price:"0"},{title:"Property Taxes",price:"0"},{title:"Travel Expenses",price:"0"}],carryCosts:[{title:"Electricity",price:"0"},{title:"Water and Sewer",price:"0"},{title:"Natural Gas",price:"0"},{title:"Trash and Recycling",price:"0"},{title:"Internet and Cable",price:"0"},{title:"Heating Oil/Propane",price:"0"},{title:"HOA fees",price:"0"},{title:"Dump fees",price:"0"},{title:"Insurance",price:"0"},{title:"Interest on Loans",price:"0"},{title:"Loan Payment",price:"0"},{title:"Property Taxes",price:"0"},{title:"Security",price:"0"},{title:"Real Estates fees",price:"0"}],renovationCost:[{title:"Demolition: Removing existing structures or finishes",price:"0"},{title:"Framing: Making structural changes or additions",price:"0"},{title:"Plumbing: Installing or modifying plumbing systems",price:"0"},{title:"Electrical: Updating wiring and fixtures",price:"0"},{title:"HVAC: Installing or upgrading heating and cooling systems",price:"0"},{title:"Insulation: Adding or replacing insulation",price:"0"},{title:"Drywall: Hanging and finishing drywall",price:"0"},{title:"Interior Finishes: Painting, flooring, cabinetry, and fixtures",price:"0"},{title:"Exterior Work: Addressing siding, roofing, or landscaping, if applicable",price:"0"},{title:"Final Inspections: Ensuring everything meets codes",price:"0"},{title:"Punch List: Completing any remaining task",price:"0"}],sellingPriceBtoC:"0",costPaidOutofClosing:[{title:"Buyers Agent Commission",price:"0"},{title:"Sellers Agent Commission",price:"0"},{title:"Home Warranty",price:"0"},{title:"Document Preparation",price:"0"},{title:"Excise Tax",price:"0"},{title:"Legal Fees",price:"0"},{title:"Wire Fees/courier Fees",price:"0"},{title:"County Taxes",price:"0"},{title:"HOA Fee",price:"0"},{title:"Payoff of 1st Mortgage",price:"0"},{title:"Payoff of 2nd Mortgage",price:"0"},{title:"Payoff 3rd Mortgage",price:"0"}],adjustments:[{title:"adjustments",price:"0"}],incomestatement:[{title:"income statement",price:"0"},{title:"income statement",price:"0"}],fundspriortoclosing:"0",shorttermrental:"0",OtherIncome:"0",InsuranceClaim:"0",LongTermRental:"0",FinancingCostClosingCost:"0"}),[f,g]=S.useState(!1),b=(p,j)=>{console.log("File received:",p);const w=[...c.images];w[j].file=p.base64,d({...c,images:w})},x=()=>{d({...c,images:[...c.images,{title:"",file:""}]})},N=p=>{const j=c.images.filter((w,M)=>M!==p);d({...c,images:j})},C=(p,j)=>{const w=[...c.images];w[p].title=j.target.value,d({...c,images:w})},h=(p,j,w)=>{const{name:M,value:q}=p.target;if(w==="propertyTaxInfo"){const X=[...c.propertyTaxInfo];X[j][M]=q,d({...c,propertyTaxInfo:X})}else d({...c,[M]:q})},v=()=>{d({...c,propertyTaxInfo:[...c.propertyTaxInfo,{propertytaxowned:"",ownedyear:"",taxassessed:"",taxyear:""}]})},m=p=>{const j=c.propertyTaxInfo.filter((w,M)=>M!==p);d({...c,propertyTaxInfo:j})},y=()=>{d(p=>({...p,costPaidAtoB:[...p.costPaidAtoB,{title:"",price:""}]}))},E=p=>{const j=c.costPaidAtoB.filter((w,M)=>M!==p);d(w=>({...w,costPaidAtoB:j}))},O=(p,j,w)=>{const M=[...c.costPaidAtoB];M[p][j]=w,d(q=>({...q,costPaidAtoB:M}))},T=(p,j)=>{let w=p.target.value;if(w=w.replace(/^\$/,"").trim(),/^\d*\.?\d*$/.test(w)||w===""){const q=c.costPaidAtoB.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,costPaidAtoB:q})}else{const q=c.costPaidAtoB.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,costPaidAtoB:q})}},P=()=>{const p=c.costPaidAtoB.reduce((w,M)=>{const q=parseFloat(M.price)||0;return w+q},0),j=parseFloat(c.purchaseCost)||0;return p+j},L=()=>{d(p=>({...p,credits:[...p.credits,{title:"",price:""}]}))},z=p=>{const j=c.credits.filter((w,M)=>M!==p);d(w=>({...w,credits:j}))},H=(p,j,w)=>{const M=[...c.credits];M[p][j]=w,d(q=>({...q,credits:M}))},te=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.credits.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,credits:q})}else{const q=c.credits.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,credits:q})}},Q=()=>c.credits.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Z=()=>{const p=c.costPaidAtoB.reduce((M,q)=>{const X=parseFloat(q.price)||0;return M+X},0),j=c.credits.reduce((M,q)=>{const X=parseFloat(q.price)||0;return M+X},0),w=parseFloat(c.purchaseCost)||0;return p+j+w},D=()=>{d(p=>({...p,cashAdjustments:[...p.cashAdjustments,{title:"",price:""}]}))},U=p=>{const j=c.cashAdjustments.filter((w,M)=>M!==p);d(w=>({...w,cashAdjustments:j}))},G=(p,j,w)=>{const M=[...c.cashAdjustments];M[p][j]=w,d(q=>({...q,cashAdjustments:M}))},R=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.cashAdjustments.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,cashAdjustments:q})}else{const q=c.cashAdjustments.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,cashAdjustments:q})}},A=()=>c.cashAdjustments.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),B=()=>{const p=A(),j=Q(),w=P();return p+j+w},F=()=>{d(p=>({...p,incidentalCost:[...p.incidentalCost,{title:"",price:""}]}))},W=p=>{const j=c.incidentalCost.filter((w,M)=>M!==p);d(w=>({...w,incidentalCost:j}))},K=(p,j,w)=>{const M=[...c.incidentalCost];M[p][j]=w,d(q=>({...q,incidentalCost:M}))},Y=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.incidentalCost.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,incidentalCost:q})}else{const q=c.incidentalCost.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,incidentalCost:q})}},ee=()=>c.incidentalCost.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),re=()=>{d(p=>({...p,carryCosts:[...p.carryCosts,{title:"",price:""}]}))},ne=p=>{const j=c.carryCosts.filter((w,M)=>M!==p);d(w=>({...w,carryCosts:j}))},oe=(p,j,w)=>{const M=[...c.carryCosts];M[p][j]=w,d(q=>({...q,carryCosts:M}))},ae=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.carryCosts.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,carryCosts:q})}else{const q=c.carryCosts.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,carryCosts:q})}},ce=()=>c.carryCosts.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),he=()=>{d(p=>({...p,renovationCost:[...p.renovationCost,{title:"",price:""}]}))},Me=p=>{const j=c.renovationCost.filter((w,M)=>M!==p);d(w=>({...w,renovationCost:j}))},yt=(p,j,w)=>{const M=[...c.renovationCost];M[p][j]=w,d(q=>({...q,renovationCost:M}))},Lt=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.renovationCost.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,renovationCost:q})}else{const q=c.renovationCost.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,renovationCost:q})}},pe=()=>c.renovationCost.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Bt=()=>{const p=ee(),j=ce(),w=pe();return p+j+w},Ke=()=>{const p=Bt(),j=B();return p+j},Gn=()=>{d(p=>({...p,costPaidOutofClosing:[...p.costPaidOutofClosing,{title:"",price:""}]}))},Zt=p=>{const j=c.costPaidOutofClosing.filter((w,M)=>M!==p);d(w=>({...w,costPaidOutofClosing:j}))},yo=(p,j,w)=>{const M=[...c.costPaidOutofClosing];M[p][j]=w,d(q=>({...q,costPaidOutofClosing:M}))},jo=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.costPaidOutofClosing.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,costPaidOutofClosing:q})}else{const q=c.costPaidOutofClosing.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,costPaidOutofClosing:q})}},Qn=()=>c.costPaidOutofClosing.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),zt=()=>{const p=c.sellingPriceBtoC,j=Qn();return p-j},vn=()=>{d(p=>({...p,adjustments:[...p.adjustments,{title:"",price:""}]}))},$t=p=>{const j=c.adjustments.filter((w,M)=>M!==p);d(w=>({...w,adjustments:j}))},de=(p,j,w)=>{const M=[...c.adjustments];M[p][j]=w,d(q=>({...q,adjustments:M}))},Wt=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.adjustments.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,adjustments:q})}else{const q=c.adjustments.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,adjustments:q})}},gn=()=>c.adjustments.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Is=()=>{const p=zt(),j=gn();return p+j},No=()=>{d(p=>({...p,incomestatement:[...p.incomestatement,{title:"",price:""}]}))},Ds=p=>{const j=c.incomestatement.filter((w,M)=>M!==p);d(w=>({...w,incomestatement:j}))},Xa=(p,j,w)=>{const M=[...c.incomestatement];M[p][j]=w,d(q=>({...q,incomestatement:M}))},Ja=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.incomestatement.map((X,le)=>le===j?{...X,price:w,isInvalid:!1}:X);d({...c,incomestatement:q})}else{const q=c.incomestatement.map((X,le)=>le===j?{...X,isInvalid:!0}:X);d({...c,incomestatement:q})}},Co=()=>c.incomestatement.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Xn=()=>{const p=Co(),j=zt();return p+j},Jn=()=>{const p=isNaN(parseFloat(Xn()))?0:parseFloat(Xn()),j=isNaN(parseFloat(c.shorttermrental))?0:parseFloat(c.shorttermrental),w=isNaN(parseFloat(c.OtherIncome))?0:parseFloat(c.OtherIncome),M=isNaN(parseFloat(c.InsuranceClaim))?0:parseFloat(c.InsuranceClaim),q=isNaN(parseFloat(c.LongTermRental))?0:parseFloat(c.LongTermRental),X=isNaN(parseFloat(Ke()))?0:parseFloat(Ke());return p+j+w+M+q-X},en=()=>{const p=Jn(),j=c.FinancingCostClosingCost;return p-j},Er=()=>en(),bo=()=>{var p,j,w,M,q,X;if(c.address&&c.city&&c.state&&c.county&&c.zip&&c.parcel&&c.subdivision&&c.legal&&c.costpersqft&&c.propertyType&&c.lotacres&&c.yearBuild&&c.totallivingsqft&&c.beds&&c.baths&&c.stories&&c.garage&&c.garagesqft&&c.poolspa&&c.fireplaces&&c.ac&&c.heating&&c.buildingstyle&&c.sitevacant&&c.extwall&&c.roofing&&c.totalSqft&&c.renovationRisk&&c.closeDateAtoB&&c.closeDateBtoC&&c.purchaseCost&&c.sellingPriceBtoC&&c.fundspriortoclosing&&c.shorttermrental&&c.OtherIncome&&c.InsuranceClaim&&c.LongTermRental&&c.FinancingCostClosingCost){const le=Er(),Fs=P(),el=Z(),tl=A(),nl=ee(),rl=Q(),ol=B(),sl=ce(),il=pe(),al=Bt(),ll=Ke(),cl=Qn(),ul=gn(),wg=Is(),Sg=zt(),Eg=zt(),kg=Co(),Pg=Xn(),_g=Jn(),Og=en(),dl={...c,userfirstname:(p=l==null?void 0:l.result)==null?void 0:p.firstName,usermiddlename:(j=l==null?void 0:l.result)==null?void 0:j.middleName,userlastname:(w=l==null?void 0:l.result)==null?void 0:w.lastName,usertitle:(M=l==null?void 0:l.result)==null?void 0:M.title,useremail:(q=l==null?void 0:l.result)==null?void 0:q.email,userId:(X=l==null?void 0:l.result)==null?void 0:X.userId,totalPurchaseCosts:Fs,totalcredits:rl,totalPurchaseCostsaftercredits:el,totalcashAdjustments:tl,totalcashrequiredonsettlement:ol,totalincidentalCost:nl,totalcarryCosts:sl,totalrenovationCost:il,totalRenovationsandHoldingCost:al,totalCoststoBuyAtoB:ll,totalcostPaidOutofClosing:cl,totaladjustments:ul,fundsavailablefordistribution:wg,grossproceedsperHUD:Sg,totalCosttoSellBtoC:Eg,totalincomestatement:kg,netBtoCsalevalue:Pg,netprofitbeforefinancingcosts:_g,NetProfit:Og,rateofreturn:le};Array.isArray(c.propertyTaxInfo)&&c.propertyTaxInfo.length>0?dl.propertyTaxInfo=c.propertyTaxInfo:dl.propertyTaxInfo=[],s(Si(dl)),g(!0)}else ie.error("Please fill all fields before submitting",{position:"top-right",autoClose:3e3})};S.useEffect(()=>{f&&(i==="succeeded"?(ie.success("Property submitted successfully!",{position:"top-right",autoClose:3e3}),g(!1)):i==="failed"&&(ie.error(`Failed to submit: ${a}`,{position:"top-right",autoClose:3e3}),g(!1)))},[i,a,f]);const[Za,k]=S.useState("0 days"),_=(p,j)=>{if(p&&j){const w=new Date(p),M=new Date(j),q=Math.abs(M-w),X=Math.ceil(q/(1e3*60*60*24));k(`${X} days`)}else k("0 days")};return r.jsx(r.Fragment,{children:r.jsxs("div",{className:"container tabs-wrap",children:[r.jsx(Re,{}),r.jsxs("ul",{className:"nav nav-tabs",role:"tablist",children:[r.jsx("li",{role:"presentation",className:e==="propertydetails"?"active tab":"tab",children:r.jsx("a",{onClick:()=>t("propertydetails"),role:"tab",children:"Property Details"})}),r.jsx("li",{role:"presentation",className:e==="Images"?"active tab":"tab",children:r.jsx("a",{onClick:()=>t("Images"),role:"tab",children:"Images, Maps"})}),r.jsx("li",{role:"presentation",className:e==="Accounting"?"active tab":"tab",children:r.jsx("a",{onClick:()=>t("Accounting"),role:"tab",children:"Accounting"})})]}),r.jsxs("div",{className:"tab-content",children:[e==="propertydetails"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("form",{children:[r.jsx("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Property Location"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Address",r.jsx("input",{type:"text",className:"form-control",name:"address",value:c.address,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["City",r.jsx("input",{type:"text",className:"form-control",name:"city",value:c.city,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["State",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"state",value:c.state,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Alaska",children:"Alaska"}),r.jsx("option",{value:"Alabama",children:"Alabama"}),r.jsx("option",{value:"Arkansas",children:"Arkansas"}),r.jsx("option",{value:"Arizona",children:"Arizona"}),r.jsx("option",{value:"California",children:"California"}),r.jsx("option",{value:"Colorado",children:"Colorado"}),r.jsx("option",{value:"Connecticut",children:"Connecticut"}),r.jsx("option",{value:"District Of Columbia",children:"District Of Columbia"}),r.jsx("option",{value:"Delaware",children:"Delaware"}),r.jsx("option",{value:"Florida",children:"Florida"}),r.jsx("option",{value:"Georgia",children:"Georgia"}),r.jsx("option",{value:"Hawaii",children:"Hawaii"}),r.jsx("option",{value:"Iowa",children:"Iowa"}),r.jsx("option",{value:"Idaho",children:"Idaho"}),r.jsx("option",{value:"Illinois",children:"Illinois"}),r.jsx("option",{value:"Indiana",children:"Indiana"}),r.jsx("option",{value:"Kansas",children:"Kansas"}),r.jsx("option",{value:"Kentucky",children:"Kentucky"}),r.jsx("option",{value:"Louisiana",children:"Louisiana"}),r.jsx("option",{value:"Massachusetts",children:"Massachusetts"}),r.jsx("option",{value:"Maryland",children:"Maryland"}),r.jsx("option",{value:"Michigan",children:"Michigan"}),r.jsx("option",{value:"Minnesota",children:"Minnesota"}),r.jsx("option",{value:"Missouri",children:"Missouri"}),r.jsx("option",{value:"Mississippi",children:"Mississippi"}),r.jsx("option",{value:"Montana",children:"Montana"}),r.jsx("option",{value:"North Carolina",children:"North Carolina"}),r.jsx("option",{value:"North Dakota",children:"North Dakota"}),r.jsx("option",{value:"Nebraska",children:"Nebraska"}),r.jsx("option",{value:"New Hampshire",children:"New Hampshire"}),r.jsx("option",{value:"New Jersey",children:"New Jersey"}),r.jsx("option",{value:"New Mexico",children:"New Mexico"}),r.jsx("option",{value:"Nevada",children:"Nevada"}),r.jsx("option",{value:"New York",children:"New York"}),r.jsx("option",{value:"Ohio",children:"Ohio"}),r.jsx("option",{value:"Oklahoma",children:"Oklahoma"}),r.jsx("option",{value:"Oregon",children:"Oregon"}),r.jsx("option",{value:"Pennsylvania",children:"Pennsylvania"}),r.jsx("option",{value:"Rhode Island",children:"Rhode Island"}),r.jsx("option",{value:"South Carolina",children:"South Carolina"}),r.jsx("option",{value:"South Dakota",children:"South Dakota"}),r.jsx("option",{value:"Tennessee",children:"Tennessee"}),r.jsx("option",{value:"Texas",children:"Texas"}),r.jsx("option",{value:"Texas",children:"Travis"}),r.jsx("option",{value:"Utah",children:"Utah"}),r.jsx("option",{value:"Virginia",children:"Virginia"}),r.jsx("option",{value:"Vermont",children:"Vermont"}),r.jsx("option",{value:"Washington",children:"Washington"}),r.jsx("option",{value:"Wisconsin",children:"Wisconsin"}),r.jsx("option",{value:"West Virginia",children:"West Virginia"}),r.jsx("option",{value:"Wyoming",children:"Wyoming"})]})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["County",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"county",value:c.county,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Abbeville",children:"Abbeville"}),r.jsx("option",{value:"Aiken",children:"Aiken"}),r.jsx("option",{value:"Allendale",children:"Allendale"}),r.jsx("option",{value:"Anderson",children:"Anderson"}),r.jsx("option",{value:"Bamberg",children:"Bamberg"}),r.jsx("option",{value:"Barnwell",children:"Barnwell"}),r.jsx("option",{value:"Beaufort",children:"Beaufort"}),r.jsx("option",{value:"Berkeley",children:"Berkeley"}),r.jsx("option",{value:"Calhoun",children:"Calhoun"}),r.jsx("option",{value:"Charleston",children:"Charleston"}),r.jsx("option",{value:"Cherokee",children:"Cherokee"}),r.jsx("option",{value:"Chester",children:"Chester"}),r.jsx("option",{value:"Chesterfield",children:"Chesterfield"}),r.jsx("option",{value:"Clarendon",children:"Clarendon"}),r.jsx("option",{value:"Colleton",children:"Colleton"}),r.jsx("option",{value:"Darlington",children:"Darlington"}),r.jsx("option",{value:"Dillon",children:"Dillon"}),r.jsx("option",{value:"Dorchester",children:"Dorchester"}),r.jsx("option",{value:"Edgefield",children:"Edgefield"}),r.jsx("option",{value:"Fairfield",children:"Fairfield"}),r.jsx("option",{value:"Florence",children:"Florence"}),r.jsx("option",{value:"Georgetown",children:"Georgetown"}),r.jsx("option",{value:"Greenville",children:"Greenville"}),r.jsx("option",{value:"Greenwood",children:"Greenwood"}),r.jsx("option",{value:"Hampton",children:"Hampton"}),r.jsx("option",{value:"Horry",children:"Horry"}),r.jsx("option",{value:"Jasper",children:"Jasper"}),r.jsx("option",{value:"Kershaw",children:"Kershaw"}),r.jsx("option",{value:"Lancaster",children:"Lancaster"}),r.jsx("option",{value:"Laurens",children:"Laurens"}),r.jsx("option",{value:"Lee",children:"Lee"}),r.jsx("option",{value:"Lexington",children:"Lexington"}),r.jsx("option",{value:"Marion",children:"Marion"}),r.jsx("option",{value:"Marlboro",children:"Marlboro"}),r.jsx("option",{value:"McCormick",children:"McCormick"}),r.jsx("option",{value:"Newberry",children:"Newberry"}),r.jsx("option",{value:"Oconee",children:"Oconee"}),r.jsx("option",{value:"Orangeburg",children:"Orangeburg"}),r.jsx("option",{value:"Pickens",children:"Pickens"}),r.jsx("option",{value:"Richland",children:"Richland"}),r.jsx("option",{value:"Saluda",children:"Saluda"}),r.jsx("option",{value:"Spartanburg",children:"Spartanburg"}),r.jsx("option",{value:"Sumter",children:"Sumter"}),r.jsx("option",{value:"Union",children:"Union"}),r.jsx("option",{value:"Williamsburg",children:"Williamsburg"}),r.jsx("option",{value:"York",children:"York"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Zip",r.jsx("input",{type:"text",className:"form-control",name:"zip",value:c.zip,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Parcel",r.jsx("input",{type:"text",className:"form-control",name:"parcel",value:c.parcel,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Sub division",r.jsx("input",{type:"text",className:"form-control",name:"subdivision",value:c.subdivision,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Legal Description",r.jsx("textarea",{type:"text",className:"form-control",name:"legal",value:c.legal,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Cost per SQFT",r.jsx("input",{type:"text",className:"form-control",name:"costpersqft",value:c.costpersqft,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Property Type",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"propertyType",value:c.propertyType,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Residential",children:"Residential"}),r.jsx("option",{value:"Land",children:"Land"}),r.jsx("option",{value:"Commercial",children:"Commercial"}),r.jsx("option",{value:"Industrial",children:"Industrial"}),r.jsx("option",{value:"Water",children:"Water"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Lot Acres/Sqft",r.jsx("input",{type:"text",className:"form-control",name:"lotacres",value:c.lotacres,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Year Build",r.jsx("input",{type:"text",className:"form-control",name:"yearBuild",value:c.yearBuild,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total Living SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totallivingsqft",value:c.totallivingsqft,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Beds",r.jsx("input",{type:"text",className:"form-control",name:"beds",value:c.beds,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Baths",r.jsx("input",{type:"text",className:"form-control",name:"baths",value:c.baths,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Stories",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"stories",value:c.stories,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"}),r.jsx("option",{value:"6",children:"6"}),r.jsx("option",{value:"7",children:"7"}),r.jsx("option",{value:"8",children:"8"}),r.jsx("option",{value:"9",children:"9"}),r.jsx("option",{value:"10",children:"10"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Garage",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"garage",value:c.garage,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Garage SQFT",r.jsx("input",{type:"text",className:"form-control",name:"garagesqft",value:c.garagesqft,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Pool/SPA",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"poolspa",value:c.poolspa,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Yes- Pool Only",children:"Yes- Pool Only"}),r.jsx("option",{value:"Yes- SPA only",children:"Yes- SPA only"}),r.jsx("option",{value:"Yes - Both Pool and SPA",children:"Yes - Both Pool and SPA"}),r.jsx("option",{value:"4",children:"None"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Fire places",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"fireplaces",value:c.fireplaces,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"yes",children:"Yes"}),r.jsx("option",{value:"no",children:"No"})]})]}),r.jsxs("div",{className:"col-md-4",children:["A/C",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"ac",value:c.ac,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Heating",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"heating",value:c.heating,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Building Style",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"buildingstyle",value:c.buildingstyle,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"One Story",children:"One Story"}),r.jsx("option",{value:"Craftsman",children:"Craftsman"}),r.jsx("option",{value:"Log/Cabin",children:"Log/Cabin"}),r.jsx("option",{value:"Split-Level",children:"Split-Level"}),r.jsx("option",{value:"Split-Foyer",children:"Split-Foyer"}),r.jsx("option",{value:"Stick Built",children:"Stick Built"}),r.jsx("option",{value:"Single wide",children:"Single wide"}),r.jsx("option",{value:"Double wide",children:"Double wide"}),r.jsx("option",{value:"Duplex",children:"Duplex"}),r.jsx("option",{value:"Triplex",children:"Triplex"}),r.jsx("option",{value:"Quadruplex",children:"Quadruplex"}),r.jsx("option",{value:"Two Story",children:"Two Story"}),r.jsx("option",{value:"Victorian",children:"Victorian"}),r.jsx("option",{value:"Tudor",children:"Tudor"}),r.jsx("option",{value:"Modern",children:"Modern"}),r.jsx("option",{value:"Art Deco",children:"Art Deco"}),r.jsx("option",{value:"Bungalow",children:"Bungalow"}),r.jsx("option",{value:"Mansion",children:"Mansion"}),r.jsx("option",{value:"Farmhouse",children:"Farmhouse"}),r.jsx("option",{value:"Conventional",children:"Conventional"}),r.jsx("option",{value:"Ranch",children:"Ranch"}),r.jsx("option",{value:"Ranch with Basement",children:"Ranch with Basement"}),r.jsx("option",{value:"Cape Cod",children:"Cape Cod"}),r.jsx("option",{value:"Contemporary",children:"Contemporary"}),r.jsx("option",{value:"Colonial",children:"Colonial"}),r.jsx("option",{value:"Mediterranean",children:"Mediterranean"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Site Vacant",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"sitevacant",value:c.sitevacant,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please select"}),r.jsx("option",{value:"Yes",children:"Yes"}),r.jsx("option",{value:"No",children:"No"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Ext Wall",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"extwall",value:c.extwall,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Brick",children:"Brick"}),r.jsx("option",{value:"Brick/Vinyl Siding",children:"Brick/Vinyl Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Wood/Vinyl Siding"}),r.jsx("option",{value:"Brick/Wood Siding",children:"Brick/Wood Siding"}),r.jsx("option",{value:"Stone",children:"Stone"}),r.jsx("option",{value:"Masonry",children:"Masonry"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Fiberboard",children:"Fiberboard"}),r.jsx("option",{value:"Asphalt Siding",children:"Asphalt Siding"}),r.jsx("option",{value:"Concrete Block",children:"Concrete Block"}),r.jsx("option",{value:"Gable",children:"Gable"}),r.jsx("option",{value:"Brick Veneer",children:"Brick Veneer"}),r.jsx("option",{value:"Frame",children:"Frame"}),r.jsx("option",{value:"Siding",children:"Siding"}),r.jsx("option",{value:"Cement/Wood Fiber Siding",children:"Cement/Wood Fiber Siding"}),r.jsx("option",{value:"Fiber/Cement Siding",children:"Fiber/Cement Siding"}),r.jsx("option",{value:"Wood Siding",children:"Wood Siding"}),r.jsx("option",{value:"Vinyl Siding",children:"Vinyl Siding"}),r.jsx("option",{value:"Aluminium Siding",children:"Aluminium Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Alum/Vinyl Siding"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Roofing",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"roofing",value:c.roofing,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Asphalt Shingle",children:"Asphalt Shingle"}),r.jsx("option",{value:"Green Roofs",children:"Green Roofs"}),r.jsx("option",{value:"Built-up Roofing",children:"Built-up Roofing"}),r.jsx("option",{value:"Composition Shingle",children:"Composition Shingle"}),r.jsx("option",{value:"Composition Shingle Heavy",children:"Composition Shingle Heavy"}),r.jsx("option",{value:"Solar tiles",children:"Solar tiles"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Stone-coated steel",children:"Stone-coated steel"}),r.jsx("option",{value:"Slate",children:"Slate"}),r.jsx("option",{value:"Rubber Slate",children:"Rubber Slate"}),r.jsx("option",{value:"Clay and Concrete tiles",children:"Clay and Concrete tiles"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totalSqft",value:c.totalSqft,onChange:h,required:!0})]})})]}),r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:[r.jsx("br",{}),"Property Tax Information"]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),c.propertyTaxInfo.map((p,j)=>r.jsxs("div",{className:"row gy-4",children:[r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Tax Owned",r.jsx("input",{type:"text",className:"form-control",name:"propertytaxowned",value:p.propertytaxowned,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Owned Year",r.jsx("input",{type:"text",className:"form-control",name:"ownedyear",value:p.ownedyear,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Assessed",r.jsx("input",{type:"text",className:"form-control",name:"taxassessed",value:p.taxassessed,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Year",r.jsx("input",{type:"text",className:"form-control",name:"taxyear",value:p.taxyear,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-2",children:[r.jsx("br",{}),r.jsx("button",{className:"btn btn-danger",onClick:()=>m(j),style:{height:"25px",width:"35px"},children:"X"})]})})]},j)),r.jsx("button",{className:"btn btn-secondary",onClick:v,children:"+ Add Another Property Tax Info"})]}),r.jsx("button",{className:"btn btn-primary continue",onClick:n,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),e==="Images"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Upload Images"," "]}),r.jsxs("form",{children:[c.images.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,placeholder:"Image Title",onChange:w=>C(j,w)})}),r.jsxs("div",{className:"col-md-4 d-flex align-items-center",children:[r.jsx(jd,{multiple:!1,onDone:w=>b(w,j)}),r.jsx("button",{type:"button",className:"btn btn-danger",onClick:()=>N(j),style:{marginLeft:"5px"},children:"Delete"})]}),p.file&&r.jsxs(r.Fragment,{children:[r.jsx("p",{children:"Base64 Data:"})," ",r.jsxs("pre",{children:[p.file.slice(0,100),"..."]})," ",r.jsx("div",{className:"col-md-12",children:r.jsx("img",{src:p.file,alt:"uploaded",style:{width:"150px",height:"150px",objectFit:"cover"}})})]})]},j)),r.jsx("button",{type:"button",className:"btn btn-primary",onClick:x,style:{backgroundColor:"#fda417",border:"#fda417"},children:"+ Add Image"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"mb-3",children:[r.jsx("label",{htmlFor:"googleMapLink",className:"form-label",children:r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Google Maps Link"," "]})}),r.jsx("input",{type:"text",className:"form-control",name:"googleMapLink",value:c.googleMapLink,onChange:h,placeholder:"Enter Google Maps link"})]}),c.googleMapLink&&r.jsx("iframe",{title:"Google Map",width:"100%",height:"300",src:`https://www.google.com/maps/embed/v1/view?key=YOUR_API_KEY¢er=${c.googleMapLink}&zoom=10`,frameBorder:"0",allowFullScreen:!0})]}),r.jsx("button",{className:"btn btn-primary back",onClick:o,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{className:"btn btn-primary continue",onClick:n,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),e==="Accounting"&&r.jsxs("div",{className:"card",style:{color:"#fda417",border:"1px solid #fda417",padding:"10px",borderRadius:"8px"},children:[r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateAtoB",value:c.closeDateAtoB,onChange:p=>{const j=p.target.value;d({...c,closeDateAtoB:j}),_(j,c.closeDateBtoC)},placeholder:"Close Date A to B",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y]"," "]}),":"," ",r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(c.closeDateAtoB).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date B to C",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateBtoC",value:c.closeDateBtoC,onChange:p=>{const j=p.target.value;d({...c,closeDateBtoC:j}),_(c.closeDateAtoB,j)},placeholder:"Close Date B to C",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y] :"," "]}),r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(c.closeDateBtoC).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Renovation Risk"}),r.jsx("div",{className:"col-md-7",children:u.map(p=>r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"renovationRisk",id:`renovationRisk${p}`,value:p,checked:c.renovationRisk===p,onChange:j=>{const w=parseInt(j.target.value,10);d({...c,renovationRisk:w})}}),r.jsx("label",{className:"form-check-label",htmlFor:`renovationRisk${p}`,children:p})]},p))})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Rate of Return"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"rateofreturn",value:`$ ${Er().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Turn Time"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:Za,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Purchase Price"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:`$ ${c.purchaseCost}`,name:"purchaseCost",onChange:p=>{let j=p.target.value.replace(/[^\d.]/g,"");const w=/^\d*\.?\d*$/.test(j);d({...c,purchaseCost:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Costs paid out of Closing Hud A to B:"}),c.costPaidAtoB.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>O(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:`$ ${p.price}`,onChange:w=>T(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>E(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{onClick:y,className:"btn btn-primary back",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Extra Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCosts",value:`$ ${P().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Credits received on settlement:"}),c.credits.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>H(j,"title",w.target.value),placeholder:"credits",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>te(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>z(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:L,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add credits"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total credits received on settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcredits",value:Q(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost after Credits Received"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCostsaftercredits",value:Z(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Cash Adjustments:"}),c.cashAdjustments.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>G(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>R(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>U(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:D,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cash Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Adjustments on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashAdjustments",value:A(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Required on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashrequiredonsettlement",value:B(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Incidental Cost:"}),c.incidentalCost.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>K(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Y(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>W(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:F,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Incidental Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Incidental Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincidentalCost",value:ee(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Carry Costs:"}),c.carryCosts.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>oe(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>ae(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>ne(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:re,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Carry Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Carry Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcarryCosts",value:ce(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Reno/Construction"}),c.renovationCost.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>yt(j,"title",w.target.value),placeholder:"Title",required:!0,style:{fontSize:"10px"}})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Lt(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Me(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:he,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Reno/Construction"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovation Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalrenovationCost",value:pe(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovations & Holding Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalRenovationsandHoldingCost",value:Bt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Costs to Buy A to B"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoB",value:Ke(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0}),c.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Selling Price B to C"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,name:"sellingPriceBtoC",value:c.sellingPriceBtoC,onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,sellingPriceBtoC:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Less:Costs paid out of closing Hud B to C:"}),c.costPaidOutofClosing.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>yo(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>jo(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Zt(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:Gn,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cost Paid Out of Closing"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total cost paid out of closing"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcostPaidOutofClosing",value:Qn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cost to Sell B to C"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCosttoSellBtoC",value:zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Gross Proceeds per HUD"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"grossproceedsperHUD",value:zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Adjustments:"}),c.adjustments.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>de(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Wt(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>$t(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:vn,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Adjustments"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totaladjustments",value:gn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Funds Available for distribution"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"fundsavailablefordistribution",value:Is(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Income Statement Adjustments:"}),c.incomestatement.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>Xa(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Ja(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Ds(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:No,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Income Statement"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Income Statement Adjustment"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincomestatement",value:Co(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net B to C Sale Value"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:Xn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Computation"}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Total Costs to Buy A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoBagain",value:Ke(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Funds Prior to Closing",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isfundspriortoclosingInvalid?"is-invalid":""}`,value:c.fundspriortoclosing,name:"fundspriortoclosing",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,fundspriortoclosing:j,isfundspriortoclosingInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isfundspriortoclosingInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isfundspriortoclosingInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Net B to C Sale Value",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:Xn(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Short Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.shorttermrental,name:"shorttermrental",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,shorttermrental:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Other Income",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.OtherIncome,name:"OtherIncome",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,OtherIncome:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Insurance Claim",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.InsuranceClaim,name:"InsuranceClaim",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,InsuranceClaim:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Long Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.LongTermRental,name:"LongTermRental",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,LongTermRental:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Before Financing Costs"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofitbeforefinancingcosts",value:Jn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Financing Cost/Other Closing Costs"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isFinancingCostClosingCostInvalid?"is-invalid":""}`,value:c.FinancingCostClosingCost,name:"FinancingCostClosingCost",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,FinancingCostClosingCost:j,isFinancingCostClosingCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isFinancingCostClosingCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isFinancingCostClosingCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofit",value:en(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("button",{className:"btn btn-primary back",onClick:o,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{type:"button",className:"btn btn-primary continue",style:{backgroundColor:"#fda417",border:"#fda417"},onClick:bo,children:"Submit"})," "]}),r.jsx("br",{})]})]})]})})},Yt="/assets/propertydummy-DhVEZ7jN.jpg",cb=()=>{var u;const e=Ft(),{user:t}=Ve(c=>({...c.auth})),{userProperties:n,totalPages:o}=Ve(c=>c.property),[s,i]=S.useState(1),a=5;S.useEffect(()=>{e(Ei({userId:t.result.userId,page:s,limit:a}))},[e,(u=t==null?void 0:t.result)==null?void 0:u.userId,s]);const l=c=>{i(c)};return r.jsx(r.Fragment,{children:n.length>0?r.jsxs(r.Fragment,{children:[r.jsx("ul",{children:n.map(c=>r.jsx("li",{children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"col-md-12",children:r.jsxs("div",{className:"row p-2 bg-white border rounded mt-2",children:[r.jsx("div",{className:"col-md-3 mt-1",children:r.jsx("img",{src:c.images[0].file||Yt,className:"w-70",alt:"Img",style:{marginTop:"0px",maxWidth:"200px",maxHeight:"200px"}})}),r.jsxs("div",{className:"col-md-6 mt-1",children:[r.jsxs("h5",{children:[" ",r.jsxs(Ne,{to:`/property/${c.propertyId}`,target:"_blank",children:[c.address,"....."]})]}),r.jsx("div",{className:"d-flex flex-row"}),r.jsxs("div",{className:"mt-1 mb-1 spec-1",children:[r.jsx("span",{children:"100% cotton"}),r.jsx("span",{className:"dot"}),r.jsx("span",{children:"Light weight"}),r.jsx("span",{className:"dot"}),r.jsxs("span",{children:["Best finish",r.jsx("br",{})]})]}),r.jsxs("div",{className:"mt-1 mb-1 spec-1",children:[r.jsx("span",{children:"Unique design"}),r.jsx("span",{className:"dot"}),r.jsx("span",{children:"For men"}),r.jsx("span",{className:"dot"}),r.jsxs("span",{children:["Casual",r.jsx("br",{})]})]}),r.jsxs("p",{className:"text-justify text-truncate para mb-0",children:["There are many variations of passages of",r.jsx("br",{}),r.jsx("br",{})]})]}),r.jsx("div",{className:"align-items-center align-content-center col-md-3 border-left mt-1",children:r.jsxs("div",{className:"d-flex flex-column mt-4",children:[r.jsx(Ne,{to:`/property/${c.propertyId}`,children:r.jsxs("button",{className:"btn btn-outline-primary btn-sm mt-2",type:"button",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{className:"fa fa-eye",style:{color:"#F74B02"}})," "," ","View Details"]})}),r.jsx(Ne,{to:`/editproperty/${c.propertyId}`,children:r.jsxs("button",{className:"btn btn-outline-primary btn-sm mt-2",type:"button",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{className:"fa fa-edit",style:{color:"#F74B02"}})," "," ","Edit Details .."]})})]})})]})})})},c._id))}),r.jsxs("div",{className:"pagination",children:[r.jsx("button",{onClick:()=>l(s-1),disabled:s===1,children:"Previous"}),Array.from({length:o},(c,d)=>d+1).map(c=>c===s||c===1||c===o||c>=s-1&&c<=s+1?r.jsx("button",{onClick:()=>l(c),disabled:s===c,children:c},c):c===2||c===o-1?r.jsx("span",{children:"..."},c):null),r.jsx("button",{onClick:()=>l(s+1),disabled:s===o,children:"Next"})]})]}):r.jsx("p",{children:"No active properties found."})})},ub=()=>{var c,d,f,g,b,x,N,C,h,v,m,y;const{user:e,isLoading:t}=Ve(E=>E.auth),n=Ft(),o=Sr(),[s,i]=S.useState({userId:((c=e==null?void 0:e.result)==null?void 0:c.userId)||"",title:((d=e==null?void 0:e.result)==null?void 0:d.title)||"",firstName:((f=e==null?void 0:e.result)==null?void 0:f.firstName)||"",middleName:((g=e==null?void 0:e.result)==null?void 0:g.middleName)||"",lastName:((b=e==null?void 0:e.result)==null?void 0:b.lastName)||"",email:((x=e==null?void 0:e.result)==null?void 0:x.email)||"",aboutme:((N=e==null?void 0:e.result)==null?void 0:N.aboutme)||"",city:((C=e==null?void 0:e.result)==null?void 0:C.city)||"",state:((h=e==null?void 0:e.result)==null?void 0:h.state)||"",county:((v=e==null?void 0:e.result)==null?void 0:v.county)||"",zip:((m=e==null?void 0:e.result)==null?void 0:m.zip)||"",profileImage:((y=e==null?void 0:e.result)==null?void 0:y.profileImage)||""});S.useEffect(()=>{e&&i({userId:e.result.userId,title:e.result.title,firstName:e.result.firstName,middleName:e.result.middleName,lastName:e.result.lastName,email:e.result.email,aboutme:e.result.aboutme,city:e.result.city,state:e.result.state,county:e.result.county,zip:e.result.zip,profileImage:e.result.profileImage})},[e]);const a=E=>{i({...s,[E.target.name]:E.target.value})},l=()=>{i({...s,profileImage:""})},u=E=>{E.preventDefault(),n(Ci({formData:s,toast:ie,navigate:o}))};return r.jsx(r.Fragment,{children:r.jsxs("form",{onSubmit:u,children:[r.jsxs("div",{className:"col-4",children:["Title",r.jsxs("select",{className:"form-floating mb-3 form-control","aria-label":"Default select example",name:"title",value:s.title,onChange:a,children:[r.jsx("option",{value:"None",children:"Please Select Title"}),r.jsx("option",{value:"Dr",children:"Dr"}),r.jsx("option",{value:"Prof",children:"Prof"}),r.jsx("option",{value:"Mr",children:"Mr"}),r.jsx("option",{value:"Miss",children:"Miss"})]})]}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["First Name",r.jsx("input",{type:"text",className:"form-control",placeholder:"First Name",required:"required",name:"firstName",value:s.firstName,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Middle Name",r.jsx("input",{type:"text",className:"form-control",placeholder:"Middle Name",required:"required",name:"middleName",value:s.middleName,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Last Name",r.jsx("input",{type:"text",className:"form-control",placeholder:"Last Name",required:"required",name:"lastName",value:s.lastName,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Email",r.jsx("input",{type:"text",className:"form-control",placeholder:"Email",required:"required",name:"email",value:s.email,onChange:a,disabled:!0})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["About me",r.jsx("textarea",{type:"text",id:"aboutme",name:"aboutme",className:"form-control h-100",value:s.aboutme,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["City",r.jsx("input",{type:"text",className:"form-control",name:"city",placeholder:"city",value:s.city,onChange:a,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["State",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"state",value:s.state,onChange:a,required:!0,children:[r.jsx("option",{value:"",children:"Please Select State"}),r.jsx("option",{value:"Alaska",children:"Alaska"}),r.jsx("option",{value:"Alabama",children:"Alabama"}),r.jsx("option",{value:"Arkansas",children:"Arkansas"}),r.jsx("option",{value:"Arizona",children:"Arizona"}),r.jsx("option",{value:"California",children:"California"}),r.jsx("option",{value:"Colorado",children:"Colorado"}),r.jsx("option",{value:"Connecticut",children:"Connecticut"}),r.jsx("option",{value:"District Of Columbia",children:"District Of Columbia"}),r.jsx("option",{value:"Delaware",children:"Delaware"}),r.jsx("option",{value:"Florida",children:"Florida"}),r.jsx("option",{value:"Georgia",children:"Georgia"}),r.jsx("option",{value:"Hawaii",children:"Hawaii"}),r.jsx("option",{value:"Iowa",children:"Iowa"}),r.jsx("option",{value:"Idaho",children:"Idaho"}),r.jsx("option",{value:"Illinois",children:"Illinois"}),r.jsx("option",{value:"Indiana",children:"Indiana"}),r.jsx("option",{value:"Kansas",children:"Kansas"}),r.jsx("option",{value:"Kentucky",children:"Kentucky"}),r.jsx("option",{value:"Louisiana",children:"Louisiana"}),r.jsx("option",{value:"Massachusetts",children:"Massachusetts"}),r.jsx("option",{value:"Maryland",children:"Maryland"}),r.jsx("option",{value:"Michigan",children:"Michigan"}),r.jsx("option",{value:"Minnesota",children:"Minnesota"}),r.jsx("option",{value:"Missouri",children:"Missouri"}),r.jsx("option",{value:"Mississippi",children:"Mississippi"}),r.jsx("option",{value:"Montana",children:"Montana"}),r.jsx("option",{value:"North Carolina",children:"North Carolina"}),r.jsx("option",{value:"North Dakota",children:"North Dakota"}),r.jsx("option",{value:"Nebraska",children:"Nebraska"}),r.jsx("option",{value:"New Hampshire",children:"New Hampshire"}),r.jsx("option",{value:"New Jersey",children:"New Jersey"}),r.jsx("option",{value:"New Mexico",children:"New Mexico"}),r.jsx("option",{value:"Nevada",children:"Nevada"}),r.jsx("option",{value:"New York",children:"New York"}),r.jsx("option",{value:"Ohio",children:"Ohio"}),r.jsx("option",{value:"Oklahoma",children:"Oklahoma"}),r.jsx("option",{value:"Oregon",children:"Oregon"}),r.jsx("option",{value:"Pennsylvania",children:"Pennsylvania"}),r.jsx("option",{value:"Rhode Island",children:"Rhode Island"}),r.jsx("option",{value:"South Carolina",children:"South Carolina"}),r.jsx("option",{value:"South Dakota",children:"South Dakota"}),r.jsx("option",{value:"Tennessee",children:"Tennessee"}),r.jsx("option",{value:"Texas",children:"Texas"}),r.jsx("option",{value:"Utah",children:"Utah"}),r.jsx("option",{value:"Virginia",children:"Virginia"}),r.jsx("option",{value:"Vermont",children:"Vermont"}),r.jsx("option",{value:"Washington",children:"Washington"}),r.jsx("option",{value:"Wisconsin",children:"Wisconsin"}),r.jsx("option",{value:"West Virginia",children:"West Virginia"}),r.jsx("option",{value:"Wyoming",children:"Wyoming"})]})]})}),r.jsxs("div",{className:"col-md-4",children:["County",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"county",value:s.county,onChange:a,required:!0,children:[r.jsx("option",{value:"",children:"Please Select County"}),r.jsx("option",{value:"Abbeville",children:"Abbeville"}),r.jsx("option",{value:"Aiken",children:"Aiken"}),r.jsx("option",{value:"Allendale",children:"Allendale"}),r.jsx("option",{value:"Anderson",children:"Anderson"}),r.jsx("option",{value:"Bamberg",children:"Bamberg"}),r.jsx("option",{value:"Barnwell",children:"Barnwell"}),r.jsx("option",{value:"Beaufort",children:"Beaufort"}),r.jsx("option",{value:"Berkeley",children:"Berkeley"}),r.jsx("option",{value:"Calhoun",children:"Calhoun"}),r.jsx("option",{value:"Charleston",children:"Charleston"}),r.jsx("option",{value:"Cherokee",children:"Cherokee"}),r.jsx("option",{value:"Chester",children:"Chester"}),r.jsx("option",{value:"Chesterfield",children:"Chesterfield"}),r.jsx("option",{value:"Clarendon",children:"Clarendon"}),r.jsx("option",{value:"Colleton",children:"Colleton"}),r.jsx("option",{value:"Darlington",children:"Darlington"}),r.jsx("option",{value:"Dillon",children:"Dillon"}),r.jsx("option",{value:"Dorchester",children:"Dorchester"}),r.jsx("option",{value:"Edgefield",children:"Edgefield"}),r.jsx("option",{value:"Fairfield",children:"Fairfield"}),r.jsx("option",{value:"Florence",children:"Florence"}),r.jsx("option",{value:"Georgetown",children:"Georgetown"}),r.jsx("option",{value:"Greenville",children:"Greenville"}),r.jsx("option",{value:"Greenwood",children:"Greenwood"}),r.jsx("option",{value:"Hampton",children:"Hampton"}),r.jsx("option",{value:"Horry",children:"Horry"}),r.jsx("option",{value:"Jasper",children:"Jasper"}),r.jsx("option",{value:"Kershaw",children:"Kershaw"}),r.jsx("option",{value:"Lancaster",children:"Lancaster"}),r.jsx("option",{value:"Laurens",children:"Laurens"}),r.jsx("option",{value:"Lee",children:"Lee"}),r.jsx("option",{value:"Lexington",children:"Lexington"}),r.jsx("option",{value:"Marion",children:"Marion"}),r.jsx("option",{value:"Marlboro",children:"Marlboro"}),r.jsx("option",{value:"McCormick",children:"McCormick"}),r.jsx("option",{value:"Newberry",children:"Newberry"}),r.jsx("option",{value:"Oconee",children:"Oconee"}),r.jsx("option",{value:"Orangeburg",children:"Orangeburg"}),r.jsx("option",{value:"Pickens",children:"Pickens"}),r.jsx("option",{value:"Richland",children:"Richland"}),r.jsx("option",{value:"Saluda",children:"Saluda"}),r.jsx("option",{value:"Spartanburg",children:"Spartanburg"}),r.jsx("option",{value:"Sumter",children:"Sumter"}),r.jsx("option",{value:"Union",children:"Union"}),r.jsx("option",{value:"Williamsburg",children:"Williamsburg"}),r.jsx("option",{value:"York",children:"York"})]})]}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Zip",r.jsx("input",{type:"text",className:"form-control",name:"zip",placeholder:"zip",value:s.zip,onChange:a,required:!0})]})}),r.jsxs("div",{className:"col-4",children:[r.jsx("label",{children:"Profile Image"}),r.jsx("div",{className:"mb-3",children:r.jsx(jd,{type:"file",multiple:!1,onDone:({base64:E})=>i({...s,profileImage:E})})})]}),s.profileImage&&r.jsxs("div",{className:"col-4 mb-3",children:[r.jsx("img",{src:s.profileImage,alt:"Profile Preview",style:{width:"150px",height:"150px",borderRadius:"50%"}}),r.jsx("button",{type:"button",className:"btn btn-danger mt-2",onClick:l,children:"Delete Image"})]}),r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-grid",children:r.jsx("button",{className:"btn btn-primary btn-lg",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},disabled:t,children:t?"Updating...":"Update"})})})]})})},db=()=>{const[e,t]=S.useState("dashboard"),{user:n}=Ve(s=>s.auth),o=()=>{switch(e){case"Userdetails":return r.jsx(ub,{});case"addProperty":return r.jsx(lb,{});case"activeProperties":return r.jsxs("div",{children:[r.jsx("h3",{children:"Active Properties"}),r.jsx(cb,{})]});case"closedProperties":return r.jsx("p",{children:"These are your closed properties."});default:return r.jsx(r.Fragment,{})}};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("div",{className:"d-flex flex-row",children:[r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"card card1 p-5",children:[r.jsx("img",{className:"img-fluid",src:n.result.profileImage||Oi,alt:"ProfileImage",style:{marginTop:"0px",maxWidth:"200px",maxHeight:"200px"}}),r.jsx("hr",{className:"hline"}),r.jsxs("div",{className:"d-flex flex-column align-items-center",children:[r.jsxs("button",{className:`btn ${e==="dashboard"?"active":""}`,onClick:()=>t("dashboard"),children:[r.jsx("i",{className:"fa fa-dashboard",style:{color:"#F74B02"}}),r.jsx("span",{children:"Dashboard"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="Userdetails"?"active":""}`,onClick:()=>t("Userdetails"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"User Profile"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="addProperty"?"active":""}`,onClick:()=>t("addProperty"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"Add Property"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="activeProperties"?"active":""}`,onClick:()=>t("activeProperties"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"Active Properties"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="closedProperties"?"active":""}`,onClick:()=>t("closedProperties"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"Closed Properties"})]})]})]})}),r.jsx("div",{className:"col-md-9",children:r.jsxs("div",{className:"card card2 p-1",children:[r.jsx("br",{}),r.jsxs("span",{children:["Welcome to"," ",r.jsx("span",{style:{color:"#067ADC"},children:r.jsxs(Ne,{to:`/profile/${n.result.userId}`,className:"link-primary text-decoration-none",target:"_blank",children:[n.result.title,". ",n.result.firstName," ",n.result.middleName," ",n.result.lastName]})})]}),r.jsx("br",{}),o()]})})]}),r.jsx(Ze,{})]})};var Gv={exports:{}},fb="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED",pb=fb,mb=pb;function Qv(){}function Xv(){}Xv.resetWarningCache=Qv;var hb=function(){function e(o,s,i,a,l,u){if(u!==mb){var c=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw c.name="Invariant Violation",c}}e.isRequired=e;function t(){return e}var n={array:e,bigint:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:Xv,resetWarningCache:Qv};return n.PropTypes=n,n};Gv.exports=hb();var vb=Gv.exports;const Xt=Cs(vb),gb=()=>{const[e,t]=S.useState(3),n=Sr();return S.useEffect(()=>{const o=setInterval(()=>{t(s=>--s)},1e3);return e===0&&n("/login"),()=>clearInterval(o)},[e,n]),r.jsx("div",{style:{marginTop:"100px"},children:r.jsxs("h5",{children:["Redirecting you in ",e," seconds"]})})},Ti=({children:e})=>{const{user:t}=Ve(n=>({...n.auth}));return t?e:r.jsx(gb,{})};Ti.propTypes={children:Xt.node.isRequired};const xb=()=>{const e=Ft(),{id:t,token:n}=go();return S.useEffect(()=>{e(wi({id:t,token:n}))},[e,t,n]),r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsxs("div",{className:"contact_section layout_padding",children:[r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12",children:r.jsx("h1",{className:"contact_taital",children:"Contact Us"})})})}),r.jsx("div",{className:"container-fluid",children:r.jsx("div",{className:"contact_section_2",children:r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-6",children:[r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("h1",{className:"card-title text-center",children:r.jsxs(Ne,{to:"/login",className:"glightbox play-btn mb-4",children:[" ","Email verified successfully !!! Please",r.jsx("span",{style:{color:"#F74B02"},children:" login "})," "," ","to access ..."]})})]}),r.jsx("div",{className:"col-md-6 padding_left_15",children:r.jsx("div",{className:"contact_img"})})]})})})]}),r.jsx(Ze,{})]})},yb=()=>{const[e,t]=S.useState(""),[n,o]=S.useState(""),s="http://67.225.129.127:3002",i=async()=>{try{const a=await ve.post(`${s}/users/forgotpassword`,{email:e});o(a.data.message)}catch(a){console.error("Forgot Password Error:",a),o(a.response.data.message)}};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("section",{className:"card",style:{minHeight:"100vh",backgroundColor:"#FFFFFF"},children:[r.jsx("div",{className:"container-fluid px-0",children:r.jsxs("div",{className:"row gy-4 align-items-center justify-content-center",children:[r.jsx("div",{className:"col-12 col-md-0 col-xl-20 text-center text-md-start"}),r.jsx("div",{className:"col-12 col-md-6 col-xl-5",children:r.jsx("div",{className:"card border-0 rounded-4 shadow-lg",style:{width:"100%"},children:r.jsxs("div",{className:"card-body p-3 p-md-4 p-xl-5",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"mb-4",children:[r.jsx("h2",{className:"h3",children:"Forgot Password"}),r.jsx("hr",{})]})})}),r.jsxs("div",{className:"row gy-3 overflow-hidden",children:[r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"email",className:"form-control",value:e,onChange:a=>t(a.target.value),placeholder:"name@example.com",required:"required"}),r.jsx("label",{htmlFor:"email",className:"form-label",children:"Enter your email address to receive a password reset link"})]})}),r.jsxs("div",{className:"col-12",children:[r.jsx("div",{className:"d-grid",children:r.jsx("button",{className:"btn btn-primary btn-lg",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},onClick:i,children:"Reset Password"})}),r.jsx("p",{style:{color:"#067ADC"},className:"card-title text-center",children:n})]})]}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-flex gap-2 gap-md-4 flex-column flex-md-row justify-content-md-end mt-4",children:r.jsxs("p",{className:"m-0 text-secondary text-center",children:["Already have an account?"," ",r.jsx(Ne,{to:"/login",className:"link-primary text-decoration-none",children:"Sign In"})]})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12"})})]})})})]})}),r.jsx(Ze,{})]})]})},jb=()=>{const{userId:e,token:t}=go(),[n,o]=S.useState(""),[s,i]=S.useState(""),[a,l]=S.useState(""),u="http://67.225.129.127:3002",c=async()=>{try{if(!n||n.trim()===""){l("Password not entered"),ie.error("Password not entered");return}const d=await ve.post(`${u}/users/resetpassword/${e}/${t}`,{userId:e,token:t,password:n});if(n!==s){l("Passwords do not match."),ie.error("Passwords do not match.");return}else l("Password reset successfull"),ie.success(d.data.message)}catch(d){console.error("Reset Password Error:",d)}};return S.useEffect(()=>{ie.dismiss()},[]),r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("section",{className:"card mb-0 vh-100",children:r.jsx("div",{className:"container py-10 h-100",children:r.jsx("div",{className:"row d-flex align-items-center justify-content-center h-100",children:r.jsxs("div",{className:"col-md-10 col-lg-5 col-xl-5 offset-xl-1 card mb-10",children:[r.jsx("br",{}),r.jsxs("h2",{children:["Reset Password",r.jsx("hr",{}),r.jsx("p",{className:"card-title text-center",style:{color:"#F74B02"},children:"Enter your new password:"})]}),r.jsx("input",{className:"form-control vh-10",type:"password",value:n,onChange:d=>o(d.target.value),placeholder:"Enter your new password",style:{display:"flex",gap:"35px"}}),r.jsx("br",{}),r.jsx("input",{className:"form-control",type:"password",value:s,onChange:d=>i(d.target.value),placeholder:"Confirm your new password"}),r.jsx("br",{}),r.jsx("button",{className:"btn btn-primary btn-lg",type:"submit",name:"signin",value:"Sign in",onClick:c,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Reset Password"}),r.jsx("p",{style:{color:"#067ADC"},className:"card-title text-center",children:a})]})})})}),r.jsx(Ze,{})]})},Nb=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{className:"col-md-18",children:[r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("h1",{className:"card-title text-center",children:[" ","Thank you for joining the world's most trusted realtor investment and borrowers portal."]}),r.jsxs("h2",{children:["We reqest you to kindly ",r.jsx("span",{style:{fontSize:"2rem",color:"#fda417"},children:"check your email inbox "})," and click on the ",r.jsx("span",{style:{fontSize:"2rem",color:"#fda417"},children:"verification link "}),"to access the dashboard."]})]}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx(Ze,{})]});var Jv={exports:{}};/*! +*/function s(c){if(c==null)throw new TypeError("Object.assign cannot be called with null or undefined");return Object(c)}function i(){try{if(!Object.assign)return!1;var c=new String("abc");if(c[5]="de",Object.getOwnPropertyNames(c)[0]==="5")return!1;for(var d={},f=0;f<10;f++)d["_"+String.fromCharCode(f)]=f;var g=Object.getOwnPropertyNames(d).map(function(x){return d[x]});if(g.join("")!=="0123456789")return!1;var C={};return"abcdefghijklmnopqrst".split("").forEach(function(x){C[x]=x}),Object.keys(Object.assign({},C)).join("")==="abcdefghijklmnopqrst"}catch{return!1}}var a=Object.getOwnPropertySymbols,l=Object.prototype.hasOwnProperty,u=Object.prototype.propertyIsEnumerable;n.exports=i()?Object.assign:function(c,d){for(var f,g,C=s(c),x=1;x1?c-1:0),f=1;f2?d-2:0),g=2;g.")}return T}function c(k,T){if(k._store&&!k._store.validated&&k.key==null){k._store.validated=!0;var O=y.uniqueKey||(y.uniqueKey={}),B=u(T);if(!O[B]){O[B]=!0;var $="";k&&k._owner&&k._owner!==g.current&&($=" It was passed a child from "+k._owner.getName()+"."),i.env.NODE_ENV!=="production"&&v(!1,'Each child in an array or iterator should have a unique "key" prop.%s%s See https://fb.me/react-warning-keys for more information.%s',B,$,C.getCurrentStackAddendum(k))}}}function d(k,T){if(typeof k=="object"){if(Array.isArray(k))for(var O=0;O1?Y-1:0),re=1;re"u"||F===null)return""+F;var W=Q(F);if(W==="object"){if(F instanceof Date)return"date";if(F instanceof RegExp)return"regexp"}return W}function D(F){var W=Z(F);switch(W){case"array":case"object":return"an "+W;case"boolean":case"date":case"regexp":return"a "+W;default:return W}}function U(F){return F.constructor&&F.constructor.name?F.constructor.name:A}var G=typeof Symbol=="function"&&Symbol.iterator,R="@@iterator",A="<>",L={array:h("array"),bool:h("boolean"),func:h("function"),number:h("number"),object:h("object"),string:h("string"),symbol:h("symbol"),any:v(),arrayOf:m,element:y(),instanceOf:E,node:B(),objectOf:T,oneOf:k,oneOfType:O,shape:$};return N.prototype=Error.prototype,L.checkPropTypes=d,L.PropTypes=L,L}}).call(o,s(1))},function(n,o){function s(l){var u=/[=:]/g,c={"=":"=0",":":"=2"},d=(""+l).replace(u,function(f){return c[f]});return"$"+d}function i(l){var u=/(=0|=2)/g,c={"=0":"=","=2":":"},d=l[0]==="."&&l[1]==="$"?l.substring(2):l.substring(1);return(""+d).replace(u,function(f){return c[f]})}var a={escape:s,unescape:i};n.exports=a},function(n,o,s){(function(i){var a=s(5),l=s(2),u=function(h){var v=this;if(v.instancePool.length){var m=v.instancePool.pop();return v.call(m,h),m}return new v(h)},c=function(h,v){var m=this;if(m.instancePool.length){var y=m.instancePool.pop();return m.call(y,h,v),y}return new m(h,v)},d=function(h,v,m){var y=this;if(y.instancePool.length){var E=y.instancePool.pop();return y.call(E,h,v,m),E}return new y(h,v,m)},f=function(h,v,m,y){var E=this;if(E.instancePool.length){var k=E.instancePool.pop();return E.call(k,h,v,m,y),k}return new E(h,v,m,y)},g=function(h){var v=this;h instanceof v||(i.env.NODE_ENV!=="production"?l(!1,"Trying to release an instance into a pool of a different type."):a("25")),h.destructor(),v.instancePool.length{const[e,t]=S.useState("propertydetails"),n=()=>{e==="propertydetails"&&t("Images"),e==="Images"&&t("Accounting")},o=()=>{e==="Images"&&t("propertydetails"),e==="Accounting"&&t("Images")},s=Ft(),{status:i,error:a}=Ve(p=>p.property),{user:l}=Ve(p=>({...p.auth})),u=[1,2,3,4,5,6,7,8,9,10],[c,d]=S.useState({propertyTaxInfo:[{propertytaxowned:"0",ownedyear:"0",taxassessed:"0",taxyear:"0"}],images:[{title:"",file:""}],googleMapLink:"",renovationRisk:null,purchaseCost:"0",costPaidAtoB:[{title:"Closing Fees - Settlement Fee",price:"0"},{title:"Closing Fees - Owner's Title Insurance",price:"0"},{title:"Courier Fees",price:"0"},{title:"Wire Fee",price:"0"},{title:"E recording Fee",price:"0"},{title:"Recording Fee",price:"0"},{title:"Property Tax",price:"0"}],credits:[{title:"Credits",price:"0"}],cashAdjustments:[{title:"Cash Adjustments",price:"0"}],incidentalCost:[{title:"Accounting Fees",price:"0"},{title:"Bank Charges",price:"0"},{title:"Legal Fees",price:"0"},{title:"Property Taxes",price:"0"},{title:"Travel Expenses",price:"0"}],carryCosts:[{title:"Electricity",price:"0"},{title:"Water and Sewer",price:"0"},{title:"Natural Gas",price:"0"},{title:"Trash and Recycling",price:"0"},{title:"Internet and Cable",price:"0"},{title:"Heating Oil/Propane",price:"0"},{title:"HOA fees",price:"0"},{title:"Dump fees",price:"0"},{title:"Insurance",price:"0"},{title:"Interest on Loans",price:"0"},{title:"Loan Payment",price:"0"},{title:"Property Taxes",price:"0"},{title:"Security",price:"0"},{title:"Real Estates fees",price:"0"}],renovationCost:[{title:"Demolition: Removing existing structures or finishes",price:"0"},{title:"Framing: Making structural changes or additions",price:"0"},{title:"Plumbing: Installing or modifying plumbing systems",price:"0"},{title:"Electrical: Updating wiring and fixtures",price:"0"},{title:"HVAC: Installing or upgrading heating and cooling systems",price:"0"},{title:"Insulation: Adding or replacing insulation",price:"0"},{title:"Drywall: Hanging and finishing drywall",price:"0"},{title:"Interior Finishes: Painting, flooring, cabinetry, and fixtures",price:"0"},{title:"Exterior Work: Addressing siding, roofing, or landscaping, if applicable",price:"0"},{title:"Final Inspections: Ensuring everything meets codes",price:"0"},{title:"Punch List: Completing any remaining task",price:"0"}],sellingPriceBtoC:"0",costPaidOutofClosing:[{title:"Buyers Agent Commission",price:"0"},{title:"Sellers Agent Commission",price:"0"},{title:"Home Warranty",price:"0"},{title:"Document Preparation",price:"0"},{title:"Excise Tax",price:"0"},{title:"Legal Fees",price:"0"},{title:"Wire Fees/courier Fees",price:"0"},{title:"County Taxes",price:"0"},{title:"HOA Fee",price:"0"},{title:"Payoff of 1st Mortgage",price:"0"},{title:"Payoff of 2nd Mortgage",price:"0"},{title:"Payoff 3rd Mortgage",price:"0"}],adjustments:[{title:"adjustments",price:"0"}],incomestatement:[{title:"income statement",price:"0"},{title:"income statement",price:"0"}],fundspriortoclosing:"0",shorttermrental:"0",OtherIncome:"0",InsuranceClaim:"0",LongTermRental:"0",FinancingCostClosingCost:"0"}),[f,g]=S.useState(!1),C=(p,j)=>{console.log("File received:",p);const w=[...c.images];w[j].file=p.base64,d({...c,images:w})},x=()=>{d({...c,images:[...c.images,{title:"",file:""}]})},N=p=>{const j=c.images.filter((w,M)=>M!==p);d({...c,images:j})},b=(p,j)=>{const w=[...c.images];w[p].title=j.target.value,d({...c,images:w})},h=(p,j,w)=>{const{name:M,value:q}=p.target;if(w==="propertyTaxInfo"){const X=[...c.propertyTaxInfo];X[j][M]=q,d({...c,propertyTaxInfo:X})}else d({...c,[M]:q})},v=()=>{d({...c,propertyTaxInfo:[...c.propertyTaxInfo,{propertytaxowned:"",ownedyear:"",taxassessed:"",taxyear:""}]})},m=p=>{const j=c.propertyTaxInfo.filter((w,M)=>M!==p);d({...c,propertyTaxInfo:j})},y=()=>{d(p=>({...p,costPaidAtoB:[...p.costPaidAtoB,{title:"",price:""}]}))},E=p=>{const j=c.costPaidAtoB.filter((w,M)=>M!==p);d(w=>({...w,costPaidAtoB:j}))},k=(p,j,w)=>{const M=[...c.costPaidAtoB];M[p][j]=w,d(q=>({...q,costPaidAtoB:M}))},T=(p,j)=>{let w=p.target.value;if(w=w.replace(/^\$/,"").trim(),/^\d*\.?\d*$/.test(w)||w===""){const q=c.costPaidAtoB.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,costPaidAtoB:q})}else{const q=c.costPaidAtoB.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,costPaidAtoB:q})}},O=()=>{const p=c.costPaidAtoB.reduce((w,M)=>{const q=parseFloat(M.price)||0;return w+q},0),j=parseFloat(c.purchaseCost)||0;return p+j},B=()=>{d(p=>({...p,credits:[...p.credits,{title:"",price:""}]}))},$=p=>{const j=c.credits.filter((w,M)=>M!==p);d(w=>({...w,credits:j}))},H=(p,j,w)=>{const M=[...c.credits];M[p][j]=w,d(q=>({...q,credits:M}))},te=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.credits.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,credits:q})}else{const q=c.credits.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,credits:q})}},Q=()=>c.credits.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Z=()=>{const p=c.costPaidAtoB.reduce((M,q)=>{const X=parseFloat(q.price)||0;return M+X},0),j=c.credits.reduce((M,q)=>{const X=parseFloat(q.price)||0;return M+X},0),w=parseFloat(c.purchaseCost)||0;return p+j+w},D=()=>{d(p=>({...p,cashAdjustments:[...p.cashAdjustments,{title:"",price:""}]}))},U=p=>{const j=c.cashAdjustments.filter((w,M)=>M!==p);d(w=>({...w,cashAdjustments:j}))},G=(p,j,w)=>{const M=[...c.cashAdjustments];M[p][j]=w,d(q=>({...q,cashAdjustments:M}))},R=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.cashAdjustments.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,cashAdjustments:q})}else{const q=c.cashAdjustments.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,cashAdjustments:q})}},A=()=>c.cashAdjustments.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),L=()=>{const p=A(),j=Q(),w=O();return p+j+w},F=()=>{d(p=>({...p,incidentalCost:[...p.incidentalCost,{title:"",price:""}]}))},W=p=>{const j=c.incidentalCost.filter((w,M)=>M!==p);d(w=>({...w,incidentalCost:j}))},K=(p,j,w)=>{const M=[...c.incidentalCost];M[p][j]=w,d(q=>({...q,incidentalCost:M}))},Y=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.incidentalCost.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,incidentalCost:q})}else{const q=c.incidentalCost.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,incidentalCost:q})}},ee=()=>c.incidentalCost.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),re=()=>{d(p=>({...p,carryCosts:[...p.carryCosts,{title:"",price:""}]}))},ne=p=>{const j=c.carryCosts.filter((w,M)=>M!==p);d(w=>({...w,carryCosts:j}))},oe=(p,j,w)=>{const M=[...c.carryCosts];M[p][j]=w,d(q=>({...q,carryCosts:M}))},ie=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.carryCosts.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,carryCosts:q})}else{const q=c.carryCosts.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,carryCosts:q})}},ce=()=>c.carryCosts.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),he=()=>{d(p=>({...p,renovationCost:[...p.renovationCost,{title:"",price:""}]}))},Me=p=>{const j=c.renovationCost.filter((w,M)=>M!==p);d(w=>({...w,renovationCost:j}))},yt=(p,j,w)=>{const M=[...c.renovationCost];M[p][j]=w,d(q=>({...q,renovationCost:M}))},Lt=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.renovationCost.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,renovationCost:q})}else{const q=c.renovationCost.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,renovationCost:q})}},pe=()=>c.renovationCost.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Bt=()=>{const p=ee(),j=ce(),w=pe();return p+j+w},Ke=()=>{const p=Bt(),j=L();return p+j},Gn=()=>{d(p=>({...p,costPaidOutofClosing:[...p.costPaidOutofClosing,{title:"",price:""}]}))},Jt=p=>{const j=c.costPaidOutofClosing.filter((w,M)=>M!==p);d(w=>({...w,costPaidOutofClosing:j}))},yo=(p,j,w)=>{const M=[...c.costPaidOutofClosing];M[p][j]=w,d(q=>({...q,costPaidOutofClosing:M}))},jo=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.costPaidOutofClosing.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,costPaidOutofClosing:q})}else{const q=c.costPaidOutofClosing.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,costPaidOutofClosing:q})}},Qn=()=>c.costPaidOutofClosing.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),zt=()=>{const p=c.sellingPriceBtoC,j=Qn();return p-j},vn=()=>{d(p=>({...p,adjustments:[...p.adjustments,{title:"",price:""}]}))},$t=p=>{const j=c.adjustments.filter((w,M)=>M!==p);d(w=>({...w,adjustments:j}))},de=(p,j,w)=>{const M=[...c.adjustments];M[p][j]=w,d(q=>({...q,adjustments:M}))},Wt=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.adjustments.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,adjustments:q})}else{const q=c.adjustments.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,adjustments:q})}},gn=()=>c.adjustments.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Ds=()=>{const p=zt(),j=gn();return p+j},No=()=>{d(p=>({...p,incomestatement:[...p.incomestatement,{title:"",price:""}]}))},Fs=p=>{const j=c.incomestatement.filter((w,M)=>M!==p);d(w=>({...w,incomestatement:j}))},Ja=(p,j,w)=>{const M=[...c.incomestatement];M[p][j]=w,d(q=>({...q,incomestatement:M}))},Za=(p,j)=>{const w=p.target.value;if(/^\d*\.?\d*$/.test(w)||w===""){const q=c.incomestatement.map((X,ae)=>ae===j?{...X,price:w,isInvalid:!1}:X);d({...c,incomestatement:q})}else{const q=c.incomestatement.map((X,ae)=>ae===j?{...X,isInvalid:!0}:X);d({...c,incomestatement:q})}},Co=()=>c.incomestatement.reduce((p,j)=>{const w=parseFloat(j.price);return p+(isNaN(w)?0:w)},0),Xn=()=>{const p=Co(),j=zt();return p+j},Jn=()=>{const p=isNaN(parseFloat(Xn()))?0:parseFloat(Xn()),j=isNaN(parseFloat(c.shorttermrental))?0:parseFloat(c.shorttermrental),w=isNaN(parseFloat(c.OtherIncome))?0:parseFloat(c.OtherIncome),M=isNaN(parseFloat(c.InsuranceClaim))?0:parseFloat(c.InsuranceClaim),q=isNaN(parseFloat(c.LongTermRental))?0:parseFloat(c.LongTermRental),X=isNaN(parseFloat(Ke()))?0:parseFloat(Ke());return p+j+w+M+q-X},Zt=()=>{const p=Jn(),j=c.FinancingCostClosingCost;return p-j},Sr=()=>Zt(),bo=()=>{var p,j,w,M,q,X;if(c.address&&c.city&&c.state&&c.county&&c.zip&&c.parcel&&c.subdivision&&c.legal&&c.costpersqft&&c.propertyType&&c.lotacres&&c.yearBuild&&c.totallivingsqft&&c.beds&&c.baths&&c.stories&&c.garage&&c.garagesqft&&c.poolspa&&c.fireplaces&&c.ac&&c.heating&&c.buildingstyle&&c.sitevacant&&c.extwall&&c.roofing&&c.totalSqft&&c.renovationRisk&&c.closeDateAtoB&&c.closeDateBtoC&&c.purchaseCost&&c.sellingPriceBtoC&&c.fundspriortoclosing&&c.shorttermrental&&c.OtherIncome&&c.InsuranceClaim&&c.LongTermRental&&c.FinancingCostClosingCost){const ae=Sr(),Ms=O(),tl=Z(),nl=A(),rl=ee(),ol=Q(),sl=L(),il=ce(),al=pe(),ll=Bt(),cl=Ke(),ul=Qn(),dl=gn(),wg=Ds(),Sg=zt(),Eg=zt(),kg=Co(),Pg=Xn(),_g=Jn(),Og=Zt(),fl={...c,userfirstname:(p=l==null?void 0:l.result)==null?void 0:p.firstName,usermiddlename:(j=l==null?void 0:l.result)==null?void 0:j.middleName,userlastname:(w=l==null?void 0:l.result)==null?void 0:w.lastName,usertitle:(M=l==null?void 0:l.result)==null?void 0:M.title,useremail:(q=l==null?void 0:l.result)==null?void 0:q.email,userId:(X=l==null?void 0:l.result)==null?void 0:X.userId,totalPurchaseCosts:Ms,totalcredits:ol,totalPurchaseCostsaftercredits:tl,totalcashAdjustments:nl,totalcashrequiredonsettlement:sl,totalincidentalCost:rl,totalcarryCosts:il,totalrenovationCost:al,totalRenovationsandHoldingCost:ll,totalCoststoBuyAtoB:cl,totalcostPaidOutofClosing:ul,totaladjustments:dl,fundsavailablefordistribution:wg,grossproceedsperHUD:Sg,totalCosttoSellBtoC:Eg,totalincomestatement:kg,netBtoCsalevalue:Pg,netprofitbeforefinancingcosts:_g,NetProfit:Og,rateofreturn:ae};Array.isArray(c.propertyTaxInfo)&&c.propertyTaxInfo.length>0?fl.propertyTaxInfo=c.propertyTaxInfo:fl.propertyTaxInfo=[],s(Ei(fl)),g(!0)}else le.error("Please fill all fields before submitting",{position:"top-right",autoClose:3e3})};S.useEffect(()=>{f&&(i==="succeeded"?(le.success("Property submitted successfully!",{position:"top-right",autoClose:3e3}),g(!1)):i==="failed"&&(le.error(`Failed to submit: ${a}`,{position:"top-right",autoClose:3e3}),g(!1)))},[i,a,f]);const[el,P]=S.useState("0 days"),_=(p,j)=>{if(p&&j){const w=new Date(p),M=new Date(j),q=Math.abs(M-w),X=Math.ceil(q/(1e3*60*60*24));P(`${X} days`)}else P("0 days")};return r.jsx(r.Fragment,{children:r.jsxs("div",{className:"container tabs-wrap",children:[r.jsx(Re,{}),r.jsxs("ul",{className:"nav nav-tabs",role:"tablist",children:[r.jsx("li",{role:"presentation",className:e==="propertydetails"?"active tab":"tab",children:r.jsx("a",{onClick:()=>t("propertydetails"),role:"tab",children:"Property Details"})}),r.jsx("li",{role:"presentation",className:e==="Images"?"active tab":"tab",children:r.jsx("a",{onClick:()=>t("Images"),role:"tab",children:"Images, Maps"})}),r.jsx("li",{role:"presentation",className:e==="Accounting"?"active tab":"tab",children:r.jsx("a",{onClick:()=>t("Accounting"),role:"tab",children:"Accounting"})})]}),r.jsxs("div",{className:"tab-content",children:[e==="propertydetails"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("form",{children:[r.jsx("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Property Location"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Address",r.jsx("input",{type:"text",className:"form-control",name:"address",value:c.address,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["City",r.jsx("input",{type:"text",className:"form-control",name:"city",value:c.city,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["State",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"state",value:c.state,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Alaska",children:"Alaska"}),r.jsx("option",{value:"Alabama",children:"Alabama"}),r.jsx("option",{value:"Arkansas",children:"Arkansas"}),r.jsx("option",{value:"Arizona",children:"Arizona"}),r.jsx("option",{value:"California",children:"California"}),r.jsx("option",{value:"Colorado",children:"Colorado"}),r.jsx("option",{value:"Connecticut",children:"Connecticut"}),r.jsx("option",{value:"District Of Columbia",children:"District Of Columbia"}),r.jsx("option",{value:"Delaware",children:"Delaware"}),r.jsx("option",{value:"Florida",children:"Florida"}),r.jsx("option",{value:"Georgia",children:"Georgia"}),r.jsx("option",{value:"Hawaii",children:"Hawaii"}),r.jsx("option",{value:"Iowa",children:"Iowa"}),r.jsx("option",{value:"Idaho",children:"Idaho"}),r.jsx("option",{value:"Illinois",children:"Illinois"}),r.jsx("option",{value:"Indiana",children:"Indiana"}),r.jsx("option",{value:"Kansas",children:"Kansas"}),r.jsx("option",{value:"Kentucky",children:"Kentucky"}),r.jsx("option",{value:"Louisiana",children:"Louisiana"}),r.jsx("option",{value:"Massachusetts",children:"Massachusetts"}),r.jsx("option",{value:"Maryland",children:"Maryland"}),r.jsx("option",{value:"Michigan",children:"Michigan"}),r.jsx("option",{value:"Minnesota",children:"Minnesota"}),r.jsx("option",{value:"Missouri",children:"Missouri"}),r.jsx("option",{value:"Mississippi",children:"Mississippi"}),r.jsx("option",{value:"Montana",children:"Montana"}),r.jsx("option",{value:"North Carolina",children:"North Carolina"}),r.jsx("option",{value:"North Dakota",children:"North Dakota"}),r.jsx("option",{value:"Nebraska",children:"Nebraska"}),r.jsx("option",{value:"New Hampshire",children:"New Hampshire"}),r.jsx("option",{value:"New Jersey",children:"New Jersey"}),r.jsx("option",{value:"New Mexico",children:"New Mexico"}),r.jsx("option",{value:"Nevada",children:"Nevada"}),r.jsx("option",{value:"New York",children:"New York"}),r.jsx("option",{value:"Ohio",children:"Ohio"}),r.jsx("option",{value:"Oklahoma",children:"Oklahoma"}),r.jsx("option",{value:"Oregon",children:"Oregon"}),r.jsx("option",{value:"Pennsylvania",children:"Pennsylvania"}),r.jsx("option",{value:"Rhode Island",children:"Rhode Island"}),r.jsx("option",{value:"South Carolina",children:"South Carolina"}),r.jsx("option",{value:"South Dakota",children:"South Dakota"}),r.jsx("option",{value:"Tennessee",children:"Tennessee"}),r.jsx("option",{value:"Texas",children:"Texas"}),r.jsx("option",{value:"Texas",children:"Travis"}),r.jsx("option",{value:"Utah",children:"Utah"}),r.jsx("option",{value:"Virginia",children:"Virginia"}),r.jsx("option",{value:"Vermont",children:"Vermont"}),r.jsx("option",{value:"Washington",children:"Washington"}),r.jsx("option",{value:"Wisconsin",children:"Wisconsin"}),r.jsx("option",{value:"West Virginia",children:"West Virginia"}),r.jsx("option",{value:"Wyoming",children:"Wyoming"})]})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["County",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"county",value:c.county,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Abbeville",children:"Abbeville"}),r.jsx("option",{value:"Aiken",children:"Aiken"}),r.jsx("option",{value:"Allendale",children:"Allendale"}),r.jsx("option",{value:"Anderson",children:"Anderson"}),r.jsx("option",{value:"Bamberg",children:"Bamberg"}),r.jsx("option",{value:"Barnwell",children:"Barnwell"}),r.jsx("option",{value:"Beaufort",children:"Beaufort"}),r.jsx("option",{value:"Berkeley",children:"Berkeley"}),r.jsx("option",{value:"Calhoun",children:"Calhoun"}),r.jsx("option",{value:"Charleston",children:"Charleston"}),r.jsx("option",{value:"Cherokee",children:"Cherokee"}),r.jsx("option",{value:"Chester",children:"Chester"}),r.jsx("option",{value:"Chesterfield",children:"Chesterfield"}),r.jsx("option",{value:"Clarendon",children:"Clarendon"}),r.jsx("option",{value:"Colleton",children:"Colleton"}),r.jsx("option",{value:"Darlington",children:"Darlington"}),r.jsx("option",{value:"Dillon",children:"Dillon"}),r.jsx("option",{value:"Dorchester",children:"Dorchester"}),r.jsx("option",{value:"Edgefield",children:"Edgefield"}),r.jsx("option",{value:"Fairfield",children:"Fairfield"}),r.jsx("option",{value:"Florence",children:"Florence"}),r.jsx("option",{value:"Georgetown",children:"Georgetown"}),r.jsx("option",{value:"Greenville",children:"Greenville"}),r.jsx("option",{value:"Greenwood",children:"Greenwood"}),r.jsx("option",{value:"Hampton",children:"Hampton"}),r.jsx("option",{value:"Horry",children:"Horry"}),r.jsx("option",{value:"Jasper",children:"Jasper"}),r.jsx("option",{value:"Kershaw",children:"Kershaw"}),r.jsx("option",{value:"Lancaster",children:"Lancaster"}),r.jsx("option",{value:"Laurens",children:"Laurens"}),r.jsx("option",{value:"Lee",children:"Lee"}),r.jsx("option",{value:"Lexington",children:"Lexington"}),r.jsx("option",{value:"Marion",children:"Marion"}),r.jsx("option",{value:"Marlboro",children:"Marlboro"}),r.jsx("option",{value:"McCormick",children:"McCormick"}),r.jsx("option",{value:"Newberry",children:"Newberry"}),r.jsx("option",{value:"Oconee",children:"Oconee"}),r.jsx("option",{value:"Orangeburg",children:"Orangeburg"}),r.jsx("option",{value:"Pickens",children:"Pickens"}),r.jsx("option",{value:"Richland",children:"Richland"}),r.jsx("option",{value:"Saluda",children:"Saluda"}),r.jsx("option",{value:"Spartanburg",children:"Spartanburg"}),r.jsx("option",{value:"Sumter",children:"Sumter"}),r.jsx("option",{value:"Union",children:"Union"}),r.jsx("option",{value:"Williamsburg",children:"Williamsburg"}),r.jsx("option",{value:"York",children:"York"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Zip",r.jsx("input",{type:"text",className:"form-control",name:"zip",value:c.zip,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Parcel",r.jsx("input",{type:"text",className:"form-control",name:"parcel",value:c.parcel,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Sub division",r.jsx("input",{type:"text",className:"form-control",name:"subdivision",value:c.subdivision,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Legal Description",r.jsx("textarea",{type:"text",className:"form-control",name:"legal",value:c.legal,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Cost per SQFT",r.jsx("input",{type:"text",className:"form-control",name:"costpersqft",value:c.costpersqft,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Property Type",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"propertyType",value:c.propertyType,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Residential",children:"Residential"}),r.jsx("option",{value:"Land",children:"Land"}),r.jsx("option",{value:"Commercial",children:"Commercial"}),r.jsx("option",{value:"Industrial",children:"Industrial"}),r.jsx("option",{value:"Water",children:"Water"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Lot Acres/Sqft",r.jsx("input",{type:"text",className:"form-control",name:"lotacres",value:c.lotacres,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Year Build",r.jsx("input",{type:"text",className:"form-control",name:"yearBuild",value:c.yearBuild,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total Living SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totallivingsqft",value:c.totallivingsqft,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Beds",r.jsx("input",{type:"text",className:"form-control",name:"beds",value:c.beds,onChange:h,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Baths",r.jsx("input",{type:"text",className:"form-control",name:"baths",value:c.baths,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Stories",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"stories",value:c.stories,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"}),r.jsx("option",{value:"6",children:"6"}),r.jsx("option",{value:"7",children:"7"}),r.jsx("option",{value:"8",children:"8"}),r.jsx("option",{value:"9",children:"9"}),r.jsx("option",{value:"10",children:"10"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Garage",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"garage",value:c.garage,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Garage SQFT",r.jsx("input",{type:"text",className:"form-control",name:"garagesqft",value:c.garagesqft,onChange:h,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Pool/SPA",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"poolspa",value:c.poolspa,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Yes- Pool Only",children:"Yes- Pool Only"}),r.jsx("option",{value:"Yes- SPA only",children:"Yes- SPA only"}),r.jsx("option",{value:"Yes - Both Pool and SPA",children:"Yes - Both Pool and SPA"}),r.jsx("option",{value:"4",children:"None"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Fire places",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"fireplaces",value:c.fireplaces,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"yes",children:"Yes"}),r.jsx("option",{value:"no",children:"No"})]})]}),r.jsxs("div",{className:"col-md-4",children:["A/C",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"ac",value:c.ac,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Heating",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"heating",value:c.heating,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Building Style",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"buildingstyle",value:c.buildingstyle,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"One Story",children:"One Story"}),r.jsx("option",{value:"Craftsman",children:"Craftsman"}),r.jsx("option",{value:"Log/Cabin",children:"Log/Cabin"}),r.jsx("option",{value:"Split-Level",children:"Split-Level"}),r.jsx("option",{value:"Split-Foyer",children:"Split-Foyer"}),r.jsx("option",{value:"Stick Built",children:"Stick Built"}),r.jsx("option",{value:"Single wide",children:"Single wide"}),r.jsx("option",{value:"Double wide",children:"Double wide"}),r.jsx("option",{value:"Duplex",children:"Duplex"}),r.jsx("option",{value:"Triplex",children:"Triplex"}),r.jsx("option",{value:"Quadruplex",children:"Quadruplex"}),r.jsx("option",{value:"Two Story",children:"Two Story"}),r.jsx("option",{value:"Victorian",children:"Victorian"}),r.jsx("option",{value:"Tudor",children:"Tudor"}),r.jsx("option",{value:"Modern",children:"Modern"}),r.jsx("option",{value:"Art Deco",children:"Art Deco"}),r.jsx("option",{value:"Bungalow",children:"Bungalow"}),r.jsx("option",{value:"Mansion",children:"Mansion"}),r.jsx("option",{value:"Farmhouse",children:"Farmhouse"}),r.jsx("option",{value:"Conventional",children:"Conventional"}),r.jsx("option",{value:"Ranch",children:"Ranch"}),r.jsx("option",{value:"Ranch with Basement",children:"Ranch with Basement"}),r.jsx("option",{value:"Cape Cod",children:"Cape Cod"}),r.jsx("option",{value:"Contemporary",children:"Contemporary"}),r.jsx("option",{value:"Colonial",children:"Colonial"}),r.jsx("option",{value:"Mediterranean",children:"Mediterranean"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Site Vacant",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"sitevacant",value:c.sitevacant,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please select"}),r.jsx("option",{value:"Yes",children:"Yes"}),r.jsx("option",{value:"No",children:"No"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Ext Wall",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"extwall",value:c.extwall,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Brick",children:"Brick"}),r.jsx("option",{value:"Brick/Vinyl Siding",children:"Brick/Vinyl Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Wood/Vinyl Siding"}),r.jsx("option",{value:"Brick/Wood Siding",children:"Brick/Wood Siding"}),r.jsx("option",{value:"Stone",children:"Stone"}),r.jsx("option",{value:"Masonry",children:"Masonry"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Fiberboard",children:"Fiberboard"}),r.jsx("option",{value:"Asphalt Siding",children:"Asphalt Siding"}),r.jsx("option",{value:"Concrete Block",children:"Concrete Block"}),r.jsx("option",{value:"Gable",children:"Gable"}),r.jsx("option",{value:"Brick Veneer",children:"Brick Veneer"}),r.jsx("option",{value:"Frame",children:"Frame"}),r.jsx("option",{value:"Siding",children:"Siding"}),r.jsx("option",{value:"Cement/Wood Fiber Siding",children:"Cement/Wood Fiber Siding"}),r.jsx("option",{value:"Fiber/Cement Siding",children:"Fiber/Cement Siding"}),r.jsx("option",{value:"Wood Siding",children:"Wood Siding"}),r.jsx("option",{value:"Vinyl Siding",children:"Vinyl Siding"}),r.jsx("option",{value:"Aluminium Siding",children:"Aluminium Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Alum/Vinyl Siding"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Roofing",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"roofing",value:c.roofing,onChange:h,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Asphalt Shingle",children:"Asphalt Shingle"}),r.jsx("option",{value:"Green Roofs",children:"Green Roofs"}),r.jsx("option",{value:"Built-up Roofing",children:"Built-up Roofing"}),r.jsx("option",{value:"Composition Shingle",children:"Composition Shingle"}),r.jsx("option",{value:"Composition Shingle Heavy",children:"Composition Shingle Heavy"}),r.jsx("option",{value:"Solar tiles",children:"Solar tiles"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Stone-coated steel",children:"Stone-coated steel"}),r.jsx("option",{value:"Slate",children:"Slate"}),r.jsx("option",{value:"Rubber Slate",children:"Rubber Slate"}),r.jsx("option",{value:"Clay and Concrete tiles",children:"Clay and Concrete tiles"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totalSqft",value:c.totalSqft,onChange:h,required:!0})]})})]}),r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:[r.jsx("br",{}),"Property Tax Information"]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),c.propertyTaxInfo.map((p,j)=>r.jsxs("div",{className:"row gy-4",children:[r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Tax Owned",r.jsx("input",{type:"text",className:"form-control",name:"propertytaxowned",value:p.propertytaxowned,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Owned Year",r.jsx("input",{type:"text",className:"form-control",name:"ownedyear",value:p.ownedyear,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Assessed",r.jsx("input",{type:"text",className:"form-control",name:"taxassessed",value:p.taxassessed,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Year",r.jsx("input",{type:"text",className:"form-control",name:"taxyear",value:p.taxyear,onChange:w=>h(w,j,"propertyTaxInfo"),required:!0})]})}),r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-2",children:[r.jsx("br",{}),r.jsx("button",{className:"btn btn-danger",onClick:()=>m(j),style:{height:"25px",width:"35px"},children:"X"})]})})]},j)),r.jsx("button",{className:"btn btn-secondary",onClick:v,children:"+ Add Another Property Tax Info"})]}),r.jsx("button",{className:"btn btn-primary continue",onClick:n,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),e==="Images"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Upload Images"," "]}),r.jsxs("form",{children:[c.images.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,placeholder:"Image Title",onChange:w=>b(j,w)})}),r.jsxs("div",{className:"col-md-4 d-flex align-items-center",children:[r.jsx(jd,{multiple:!1,onDone:w=>C(w,j)}),r.jsx("button",{type:"button",className:"btn btn-danger",onClick:()=>N(j),style:{marginLeft:"5px"},children:"Delete"})]}),p.file&&r.jsxs(r.Fragment,{children:[r.jsx("p",{children:"Base64 Data:"})," ",r.jsxs("pre",{children:[p.file.slice(0,100),"..."]})," ",r.jsx("div",{className:"col-md-12",children:r.jsx("img",{src:p.file,alt:"uploaded",style:{width:"150px",height:"150px",objectFit:"cover"}})})]})]},j)),r.jsx("button",{type:"button",className:"btn btn-primary",onClick:x,style:{backgroundColor:"#fda417",border:"#fda417"},children:"+ Add Image"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"mb-3",children:[r.jsx("label",{htmlFor:"googleMapLink",className:"form-label",children:r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Google Maps Link"," "]})}),r.jsx("input",{type:"text",className:"form-control",name:"googleMapLink",value:c.googleMapLink,onChange:h,placeholder:"Enter Google Maps link"})]}),c.googleMapLink&&r.jsx("iframe",{title:"Google Map",width:"100%",height:"300",src:`https://www.google.com/maps/embed/v1/view?key=YOUR_API_KEY¢er=${c.googleMapLink}&zoom=10`,frameBorder:"0",allowFullScreen:!0})]}),r.jsx("button",{className:"btn btn-primary back",onClick:o,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{className:"btn btn-primary continue",onClick:n,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),e==="Accounting"&&r.jsxs("div",{className:"card",style:{color:"#fda417",border:"1px solid #fda417",padding:"10px",borderRadius:"8px"},children:[r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateAtoB",value:c.closeDateAtoB,onChange:p=>{const j=p.target.value;d({...c,closeDateAtoB:j}),_(j,c.closeDateBtoC)},placeholder:"Close Date A to B",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y]"," "]}),":"," ",r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(c.closeDateAtoB).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date B to C",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateBtoC",value:c.closeDateBtoC,onChange:p=>{const j=p.target.value;d({...c,closeDateBtoC:j}),_(c.closeDateAtoB,j)},placeholder:"Close Date B to C",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y] :"," "]}),r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(c.closeDateBtoC).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Renovation Risk"}),r.jsx("div",{className:"col-md-7",children:u.map(p=>r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"renovationRisk",id:`renovationRisk${p}`,value:p,checked:c.renovationRisk===p,onChange:j=>{const w=parseInt(j.target.value,10);d({...c,renovationRisk:w})}}),r.jsx("label",{className:"form-check-label",htmlFor:`renovationRisk${p}`,children:p})]},p))})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Rate of Return"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"rateofreturn",value:`$ ${Sr().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Turn Time"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:el,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Purchase Price"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:`$ ${c.purchaseCost}`,name:"purchaseCost",onChange:p=>{let j=p.target.value.replace(/[^\d.]/g,"");const w=/^\d*\.?\d*$/.test(j);d({...c,purchaseCost:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Costs paid out of Closing Hud A to B:"}),c.costPaidAtoB.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>k(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:`$ ${p.price}`,onChange:w=>T(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>E(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{onClick:y,className:"btn btn-primary back",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Extra Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCosts",value:`$ ${O().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Credits received on settlement:"}),c.credits.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>H(j,"title",w.target.value),placeholder:"credits",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>te(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>$(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:B,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add credits"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total credits received on settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcredits",value:Q(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost after Credits Received"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCostsaftercredits",value:Z(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Cash Adjustments:"}),c.cashAdjustments.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>G(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>R(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>U(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:D,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cash Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Adjustments on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashAdjustments",value:A(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Required on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashrequiredonsettlement",value:L(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Incidental Cost:"}),c.incidentalCost.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>K(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Y(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>W(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:F,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Incidental Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Incidental Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincidentalCost",value:ee(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Carry Costs:"}),c.carryCosts.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>oe(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>ie(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>ne(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:re,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Carry Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Carry Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcarryCosts",value:ce(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Reno/Construction"}),c.renovationCost.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>yt(j,"title",w.target.value),placeholder:"Title",required:!0,style:{fontSize:"10px"}})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Lt(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Me(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:he,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Reno/Construction"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovation Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalrenovationCost",value:pe(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovations & Holding Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalRenovationsandHoldingCost",value:Bt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Costs to Buy A to B"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoB",value:Ke(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0}),c.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Selling Price B to C"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,name:"sellingPriceBtoC",value:c.sellingPriceBtoC,onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,sellingPriceBtoC:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Less:Costs paid out of closing Hud B to C:"}),c.costPaidOutofClosing.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>yo(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>jo(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Jt(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:Gn,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cost Paid Out of Closing"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total cost paid out of closing"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcostPaidOutofClosing",value:Qn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cost to Sell B to C"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCosttoSellBtoC",value:zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Gross Proceeds per HUD"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"grossproceedsperHUD",value:zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Adjustments:"}),c.adjustments.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>de(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Wt(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>$t(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:vn,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Adjustments"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totaladjustments",value:gn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Funds Available for distribution"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"fundsavailablefordistribution",value:Ds(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Income Statement Adjustments:"}),c.incomestatement.map((p,j)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:p.title,onChange:w=>Ja(j,"title",w.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${p.isInvalid?"is-invalid":""}`,value:p.price,onChange:w=>Za(w,j),placeholder:"Price",style:{textAlign:"right"},required:!0}),p.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Fs(j),style:{marginLeft:"5px"},children:"x"})})]},j)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:No,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Income Statement"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Income Statement Adjustment"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincomestatement",value:Co(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net B to C Sale Value"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:Xn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Computation"}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Total Costs to Buy A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoBagain",value:Ke(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Funds Prior to Closing",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isfundspriortoclosingInvalid?"is-invalid":""}`,value:c.fundspriortoclosing,name:"fundspriortoclosing",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,fundspriortoclosing:j,isfundspriortoclosingInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isfundspriortoclosingInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isfundspriortoclosingInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Net B to C Sale Value",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:Xn(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Short Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.shorttermrental,name:"shorttermrental",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,shorttermrental:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Other Income",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.OtherIncome,name:"OtherIncome",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,OtherIncome:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Insurance Claim",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.InsuranceClaim,name:"InsuranceClaim",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,InsuranceClaim:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Long Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isPurchaseCostInvalid?"is-invalid":""}`,value:c.LongTermRental,name:"LongTermRental",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,LongTermRental:j,isPurchaseCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Before Financing Costs"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofitbeforefinancingcosts",value:Jn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Financing Cost/Other Closing Costs"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${c.isFinancingCostClosingCostInvalid?"is-invalid":""}`,value:c.FinancingCostClosingCost,name:"FinancingCostClosingCost",onChange:p=>{const j=p.target.value,w=/^\d*\.?\d*$/.test(j);d({...c,FinancingCostClosingCost:j,isFinancingCostClosingCostInvalid:!w})},onKeyPress:p=>{const j=p.charCode;(j<48||j>57)&&j!==46&&(p.preventDefault(),d({...c,isFinancingCostClosingCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),c.isFinancingCostClosingCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofit",value:Zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("button",{className:"btn btn-primary back",onClick:o,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{type:"button",className:"btn btn-primary continue",style:{backgroundColor:"#fda417",border:"#fda417"},onClick:bo,children:"Submit"})," "]}),r.jsx("br",{})]})]})]})})},Yt="/assets/propertydummy-DhVEZ7jN.jpg",lb=()=>{var u;const e=Ft(),{user:t}=Ve(c=>({...c.auth})),{userProperties:n,totalPages:o}=Ve(c=>c.property),[s,i]=S.useState(1),a=5;S.useEffect(()=>{e(ki({userId:t.result.userId,page:s,limit:a}))},[e,(u=t==null?void 0:t.result)==null?void 0:u.userId,s]);const l=c=>{i(c)};return r.jsx(r.Fragment,{children:n.length>0?r.jsxs(r.Fragment,{children:[r.jsx("ul",{children:n.map(c=>r.jsx("li",{children:r.jsx("div",{className:"container",children:r.jsx("div",{className:"col-md-12",children:r.jsxs("div",{className:"row p-2 bg-white border rounded mt-2",children:[r.jsx("div",{className:"col-md-3 mt-1",children:r.jsx("img",{src:c.images[0].file||Yt,className:"w-70",alt:"Img",style:{marginTop:"0px",maxWidth:"200px",maxHeight:"200px"}})}),r.jsxs("div",{className:"col-md-6 mt-1",children:[r.jsxs("h5",{children:[" ",r.jsxs(Ne,{to:`/property/${c.propertyId}`,target:"_blank",children:[c.address,"....."]})]}),r.jsx("div",{className:"d-flex flex-row"}),r.jsxs("div",{className:"mt-1 mb-1 spec-1",children:[r.jsx("span",{children:"100% cotton"}),r.jsx("span",{className:"dot"}),r.jsx("span",{children:"Light weight"}),r.jsx("span",{className:"dot"}),r.jsxs("span",{children:["Best finish",r.jsx("br",{})]})]}),r.jsxs("div",{className:"mt-1 mb-1 spec-1",children:[r.jsx("span",{children:"Unique design"}),r.jsx("span",{className:"dot"}),r.jsx("span",{children:"For men"}),r.jsx("span",{className:"dot"}),r.jsxs("span",{children:["Casual",r.jsx("br",{})]})]}),r.jsxs("p",{className:"text-justify text-truncate para mb-0",children:["There are many variations of passages of",r.jsx("br",{}),r.jsx("br",{})]})]}),r.jsx("div",{className:"align-items-center align-content-center col-md-3 border-left mt-1",children:r.jsxs("div",{className:"d-flex flex-column mt-4",children:[r.jsx(Ne,{to:`/property/${c.propertyId}`,children:r.jsxs("button",{className:"btn btn-outline-primary btn-sm mt-2",type:"button",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{className:"fa fa-eye",style:{color:"#F74B02"}})," "," ","View Details"]})}),r.jsx(Ne,{to:`/editproperty/${c.propertyId}`,children:r.jsxs("button",{className:"btn btn-outline-primary btn-sm mt-2",type:"button",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{className:"fa fa-edit",style:{color:"#F74B02"}})," "," ","Edit Details .."]})})]})})]})})})},c._id))}),r.jsxs("div",{className:"pagination",children:[r.jsx("button",{onClick:()=>l(s-1),disabled:s===1,children:"Previous"}),Array.from({length:o},(c,d)=>d+1).map(c=>c===s||c===1||c===o||c>=s-1&&c<=s+1?r.jsx("button",{onClick:()=>l(c),disabled:s===c,children:c},c):c===2||c===o-1?r.jsx("span",{children:"..."},c):null),r.jsx("button",{onClick:()=>l(s+1),disabled:s===o,children:"Next"})]})]}):r.jsx("p",{children:"No active properties found."})})},cb=()=>{var c,d,f,g,C,x,N,b,h,v,m,y;const{user:e,isLoading:t}=Ve(E=>E.auth),n=Ft(),o=vo(),[s,i]=S.useState({userId:((c=e==null?void 0:e.result)==null?void 0:c.userId)||"",title:((d=e==null?void 0:e.result)==null?void 0:d.title)||"",firstName:((f=e==null?void 0:e.result)==null?void 0:f.firstName)||"",middleName:((g=e==null?void 0:e.result)==null?void 0:g.middleName)||"",lastName:((C=e==null?void 0:e.result)==null?void 0:C.lastName)||"",email:((x=e==null?void 0:e.result)==null?void 0:x.email)||"",aboutme:((N=e==null?void 0:e.result)==null?void 0:N.aboutme)||"",city:((b=e==null?void 0:e.result)==null?void 0:b.city)||"",state:((h=e==null?void 0:e.result)==null?void 0:h.state)||"",county:((v=e==null?void 0:e.result)==null?void 0:v.county)||"",zip:((m=e==null?void 0:e.result)==null?void 0:m.zip)||"",profileImage:((y=e==null?void 0:e.result)==null?void 0:y.profileImage)||""});S.useEffect(()=>{e&&i({userId:e.result.userId,title:e.result.title,firstName:e.result.firstName,middleName:e.result.middleName,lastName:e.result.lastName,email:e.result.email,aboutme:e.result.aboutme,city:e.result.city,state:e.result.state,county:e.result.county,zip:e.result.zip,profileImage:e.result.profileImage})},[e]);const a=E=>{i({...s,[E.target.name]:E.target.value})},l=()=>{i({...s,profileImage:""})},u=E=>{E.preventDefault(),n(bi({formData:s,toast:le,navigate:o}))};return r.jsx(r.Fragment,{children:r.jsxs("form",{onSubmit:u,children:[r.jsxs("div",{className:"col-4",children:["Title",r.jsxs("select",{className:"form-floating mb-3 form-control","aria-label":"Default select example",name:"title",value:s.title,onChange:a,children:[r.jsx("option",{value:"None",children:"Please Select Title"}),r.jsx("option",{value:"Dr",children:"Dr"}),r.jsx("option",{value:"Prof",children:"Prof"}),r.jsx("option",{value:"Mr",children:"Mr"}),r.jsx("option",{value:"Miss",children:"Miss"})]})]}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["First Name",r.jsx("input",{type:"text",className:"form-control",placeholder:"First Name",required:"required",name:"firstName",value:s.firstName,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Middle Name",r.jsx("input",{type:"text",className:"form-control",placeholder:"Middle Name",required:"required",name:"middleName",value:s.middleName,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Last Name",r.jsx("input",{type:"text",className:"form-control",placeholder:"Last Name",required:"required",name:"lastName",value:s.lastName,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Email",r.jsx("input",{type:"text",className:"form-control",placeholder:"Email",required:"required",name:"email",value:s.email,onChange:a,disabled:!0})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["About me",r.jsx("textarea",{type:"text",id:"aboutme",name:"aboutme",className:"form-control h-100",value:s.aboutme,onChange:a})]})}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["City",r.jsx("input",{type:"text",className:"form-control",name:"city",placeholder:"city",value:s.city,onChange:a,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["State",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"state",value:s.state,onChange:a,required:!0,children:[r.jsx("option",{value:"",children:"Please Select State"}),r.jsx("option",{value:"Alaska",children:"Alaska"}),r.jsx("option",{value:"Alabama",children:"Alabama"}),r.jsx("option",{value:"Arkansas",children:"Arkansas"}),r.jsx("option",{value:"Arizona",children:"Arizona"}),r.jsx("option",{value:"California",children:"California"}),r.jsx("option",{value:"Colorado",children:"Colorado"}),r.jsx("option",{value:"Connecticut",children:"Connecticut"}),r.jsx("option",{value:"District Of Columbia",children:"District Of Columbia"}),r.jsx("option",{value:"Delaware",children:"Delaware"}),r.jsx("option",{value:"Florida",children:"Florida"}),r.jsx("option",{value:"Georgia",children:"Georgia"}),r.jsx("option",{value:"Hawaii",children:"Hawaii"}),r.jsx("option",{value:"Iowa",children:"Iowa"}),r.jsx("option",{value:"Idaho",children:"Idaho"}),r.jsx("option",{value:"Illinois",children:"Illinois"}),r.jsx("option",{value:"Indiana",children:"Indiana"}),r.jsx("option",{value:"Kansas",children:"Kansas"}),r.jsx("option",{value:"Kentucky",children:"Kentucky"}),r.jsx("option",{value:"Louisiana",children:"Louisiana"}),r.jsx("option",{value:"Massachusetts",children:"Massachusetts"}),r.jsx("option",{value:"Maryland",children:"Maryland"}),r.jsx("option",{value:"Michigan",children:"Michigan"}),r.jsx("option",{value:"Minnesota",children:"Minnesota"}),r.jsx("option",{value:"Missouri",children:"Missouri"}),r.jsx("option",{value:"Mississippi",children:"Mississippi"}),r.jsx("option",{value:"Montana",children:"Montana"}),r.jsx("option",{value:"North Carolina",children:"North Carolina"}),r.jsx("option",{value:"North Dakota",children:"North Dakota"}),r.jsx("option",{value:"Nebraska",children:"Nebraska"}),r.jsx("option",{value:"New Hampshire",children:"New Hampshire"}),r.jsx("option",{value:"New Jersey",children:"New Jersey"}),r.jsx("option",{value:"New Mexico",children:"New Mexico"}),r.jsx("option",{value:"Nevada",children:"Nevada"}),r.jsx("option",{value:"New York",children:"New York"}),r.jsx("option",{value:"Ohio",children:"Ohio"}),r.jsx("option",{value:"Oklahoma",children:"Oklahoma"}),r.jsx("option",{value:"Oregon",children:"Oregon"}),r.jsx("option",{value:"Pennsylvania",children:"Pennsylvania"}),r.jsx("option",{value:"Rhode Island",children:"Rhode Island"}),r.jsx("option",{value:"South Carolina",children:"South Carolina"}),r.jsx("option",{value:"South Dakota",children:"South Dakota"}),r.jsx("option",{value:"Tennessee",children:"Tennessee"}),r.jsx("option",{value:"Texas",children:"Texas"}),r.jsx("option",{value:"Utah",children:"Utah"}),r.jsx("option",{value:"Virginia",children:"Virginia"}),r.jsx("option",{value:"Vermont",children:"Vermont"}),r.jsx("option",{value:"Washington",children:"Washington"}),r.jsx("option",{value:"Wisconsin",children:"Wisconsin"}),r.jsx("option",{value:"West Virginia",children:"West Virginia"}),r.jsx("option",{value:"Wyoming",children:"Wyoming"})]})]})}),r.jsxs("div",{className:"col-md-4",children:["County",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"county",value:s.county,onChange:a,required:!0,children:[r.jsx("option",{value:"",children:"Please Select County"}),r.jsx("option",{value:"Abbeville",children:"Abbeville"}),r.jsx("option",{value:"Aiken",children:"Aiken"}),r.jsx("option",{value:"Allendale",children:"Allendale"}),r.jsx("option",{value:"Anderson",children:"Anderson"}),r.jsx("option",{value:"Bamberg",children:"Bamberg"}),r.jsx("option",{value:"Barnwell",children:"Barnwell"}),r.jsx("option",{value:"Beaufort",children:"Beaufort"}),r.jsx("option",{value:"Berkeley",children:"Berkeley"}),r.jsx("option",{value:"Calhoun",children:"Calhoun"}),r.jsx("option",{value:"Charleston",children:"Charleston"}),r.jsx("option",{value:"Cherokee",children:"Cherokee"}),r.jsx("option",{value:"Chester",children:"Chester"}),r.jsx("option",{value:"Chesterfield",children:"Chesterfield"}),r.jsx("option",{value:"Clarendon",children:"Clarendon"}),r.jsx("option",{value:"Colleton",children:"Colleton"}),r.jsx("option",{value:"Darlington",children:"Darlington"}),r.jsx("option",{value:"Dillon",children:"Dillon"}),r.jsx("option",{value:"Dorchester",children:"Dorchester"}),r.jsx("option",{value:"Edgefield",children:"Edgefield"}),r.jsx("option",{value:"Fairfield",children:"Fairfield"}),r.jsx("option",{value:"Florence",children:"Florence"}),r.jsx("option",{value:"Georgetown",children:"Georgetown"}),r.jsx("option",{value:"Greenville",children:"Greenville"}),r.jsx("option",{value:"Greenwood",children:"Greenwood"}),r.jsx("option",{value:"Hampton",children:"Hampton"}),r.jsx("option",{value:"Horry",children:"Horry"}),r.jsx("option",{value:"Jasper",children:"Jasper"}),r.jsx("option",{value:"Kershaw",children:"Kershaw"}),r.jsx("option",{value:"Lancaster",children:"Lancaster"}),r.jsx("option",{value:"Laurens",children:"Laurens"}),r.jsx("option",{value:"Lee",children:"Lee"}),r.jsx("option",{value:"Lexington",children:"Lexington"}),r.jsx("option",{value:"Marion",children:"Marion"}),r.jsx("option",{value:"Marlboro",children:"Marlboro"}),r.jsx("option",{value:"McCormick",children:"McCormick"}),r.jsx("option",{value:"Newberry",children:"Newberry"}),r.jsx("option",{value:"Oconee",children:"Oconee"}),r.jsx("option",{value:"Orangeburg",children:"Orangeburg"}),r.jsx("option",{value:"Pickens",children:"Pickens"}),r.jsx("option",{value:"Richland",children:"Richland"}),r.jsx("option",{value:"Saluda",children:"Saluda"}),r.jsx("option",{value:"Spartanburg",children:"Spartanburg"}),r.jsx("option",{value:"Sumter",children:"Sumter"}),r.jsx("option",{value:"Union",children:"Union"}),r.jsx("option",{value:"Williamsburg",children:"Williamsburg"}),r.jsx("option",{value:"York",children:"York"})]})]}),r.jsx("div",{className:"col-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Zip",r.jsx("input",{type:"text",className:"form-control",name:"zip",placeholder:"zip",value:s.zip,onChange:a,required:!0})]})}),r.jsxs("div",{className:"col-4",children:[r.jsx("label",{children:"Profile Image"}),r.jsx("div",{className:"mb-3",children:r.jsx(jd,{type:"file",multiple:!1,onDone:({base64:E})=>i({...s,profileImage:E})})})]}),s.profileImage&&r.jsxs("div",{className:"col-4 mb-3",children:[r.jsx("img",{src:s.profileImage,alt:"Profile Preview",style:{width:"150px",height:"150px",borderRadius:"50%"}}),r.jsx("button",{type:"button",className:"btn btn-danger mt-2",onClick:l,children:"Delete Image"})]}),r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-grid",children:r.jsx("button",{className:"btn btn-primary btn-lg",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},disabled:t,children:t?"Updating...":"Update"})})})]})})},ub=()=>{const[e,t]=S.useState("dashboard"),{user:n}=Ve(s=>s.auth),o=()=>{switch(e){case"Userdetails":return r.jsx(cb,{});case"addProperty":return r.jsx(ab,{});case"activeProperties":return r.jsxs("div",{children:[r.jsx("h3",{children:"Active Properties"}),r.jsx(lb,{})]});case"closedProperties":return r.jsx("p",{children:"These are your closed properties."});default:return r.jsx(r.Fragment,{})}};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("div",{className:"d-flex flex-row",children:[r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"card card1 p-5",children:[r.jsx("img",{className:"img-fluid",src:n.result.profileImage||Ti,alt:"ProfileImage",style:{marginTop:"0px",maxWidth:"200px",maxHeight:"200px"}}),r.jsx("hr",{className:"hline"}),r.jsxs("div",{className:"d-flex flex-column align-items-center",children:[r.jsxs("button",{className:`btn ${e==="dashboard"?"active":""}`,onClick:()=>t("dashboard"),children:[r.jsx("i",{className:"fa fa-dashboard",style:{color:"#F74B02"}}),r.jsx("span",{children:"Dashboard"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="Userdetails"?"active":""}`,onClick:()=>t("Userdetails"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"User Profile"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="addProperty"?"active":""}`,onClick:()=>t("addProperty"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"Add Property"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="activeProperties"?"active":""}`,onClick:()=>t("activeProperties"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"Active Properties"})]}),r.jsxs("button",{className:`btn mt-3 ${e==="closedProperties"?"active":""}`,onClick:()=>t("closedProperties"),children:[r.jsx("span",{className:"fa fa-home",style:{color:"#F74B02"}}),r.jsx("span",{children:"Closed Properties"})]})]})]})}),r.jsx("div",{className:"col-md-9",children:r.jsxs("div",{className:"card card2 p-1",children:[r.jsx("br",{}),r.jsxs("span",{children:["Welcome to"," ",r.jsx("span",{style:{color:"#067ADC"},children:r.jsxs(Ne,{to:`/profile/${n.result.userId}`,className:"link-primary text-decoration-none",target:"_blank",children:[n.result.title,". ",n.result.firstName," ",n.result.middleName," ",n.result.lastName]})})]}),r.jsx("br",{}),o()]})})]}),r.jsx(Ze,{})]})};var Gv={exports:{}},db="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED",fb=db,pb=fb;function Qv(){}function Xv(){}Xv.resetWarningCache=Qv;var mb=function(){function e(o,s,i,a,l,u){if(u!==pb){var c=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw c.name="Invariant Violation",c}}e.isRequired=e;function t(){return e}var n={array:e,bigint:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:Xv,resetWarningCache:Qv};return n.PropTypes=n,n};Gv.exports=mb();var hb=Gv.exports;const Xt=bs(hb),vb=()=>{const[e,t]=S.useState(3),n=vo();return S.useEffect(()=>{const o=setInterval(()=>{t(s=>--s)},1e3);return e===0&&n("/login"),()=>clearInterval(o)},[e,n]),r.jsx("div",{style:{marginTop:"100px"},children:r.jsxs("h5",{children:["Redirecting you in ",e," seconds"]})})},Ri=({children:e})=>{const{user:t}=Ve(n=>({...n.auth}));return t?e:r.jsx(vb,{})};Ri.propTypes={children:Xt.node.isRequired};const gb=()=>{const e=Ft(),{id:t,token:n}=go();return S.useEffect(()=>{e(Si({id:t,token:n}))},[e,t,n]),r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsxs("div",{className:"contact_section layout_padding",children:[r.jsx("div",{className:"container",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12",children:r.jsx("h1",{className:"contact_taital",children:"Contact Us"})})})}),r.jsx("div",{className:"container-fluid",children:r.jsx("div",{className:"contact_section_2",children:r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-6",children:[r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("h1",{className:"card-title text-center",children:r.jsxs(Ne,{to:"/login",className:"glightbox play-btn mb-4",children:[" ","Email verified successfully !!! Please",r.jsx("span",{style:{color:"#F74B02"},children:" login "})," "," ","to access ..."]})})]}),r.jsx("div",{className:"col-md-6 padding_left_15",children:r.jsx("div",{className:"contact_img"})})]})})})]}),r.jsx(Ze,{})]})},xb=()=>{const[e,t]=S.useState(""),[n,o]=S.useState(""),s="http://67.225.129.127:3002",i=async()=>{try{const a=await ve.post(`${s}/users/forgotpassword`,{email:e});o(a.data.message)}catch(a){console.error("Forgot Password Error:",a),o(a.response.data.message)}};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("section",{className:"card",style:{minHeight:"100vh",backgroundColor:"#FFFFFF"},children:[r.jsx("div",{className:"container-fluid px-0",children:r.jsxs("div",{className:"row gy-4 align-items-center justify-content-center",children:[r.jsx("div",{className:"col-12 col-md-0 col-xl-20 text-center text-md-start"}),r.jsx("div",{className:"col-12 col-md-6 col-xl-5",children:r.jsx("div",{className:"card border-0 rounded-4 shadow-lg",style:{width:"100%"},children:r.jsxs("div",{className:"card-body p-3 p-md-4 p-xl-5",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"mb-4",children:[r.jsx("h2",{className:"h3",children:"Forgot Password"}),r.jsx("hr",{})]})})}),r.jsxs("div",{className:"row gy-3 overflow-hidden",children:[r.jsx("div",{className:"col-12",children:r.jsxs("div",{className:"form-floating mb-3",children:[r.jsx("input",{type:"email",className:"form-control",value:e,onChange:a=>t(a.target.value),placeholder:"name@example.com",required:"required"}),r.jsx("label",{htmlFor:"email",className:"form-label",children:"Enter your email address to receive a password reset link"})]})}),r.jsxs("div",{className:"col-12",children:[r.jsx("div",{className:"d-grid",children:r.jsx("button",{className:"btn btn-primary btn-lg",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},onClick:i,children:"Reset Password"})}),r.jsx("p",{style:{color:"#067ADC"},className:"card-title text-center",children:n})]})]}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"d-flex gap-2 gap-md-4 flex-column flex-md-row justify-content-md-end mt-4",children:r.jsxs("p",{className:"m-0 text-secondary text-center",children:["Already have an account?"," ",r.jsx(Ne,{to:"/login",className:"link-primary text-decoration-none",children:"Sign In"})]})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12"})})]})})})]})}),r.jsx(Ze,{})]})]})},yb=()=>{const{userId:e,token:t}=go(),[n,o]=S.useState(""),[s,i]=S.useState(""),[a,l]=S.useState(""),u="http://67.225.129.127:3002",c=async()=>{try{if(!n||n.trim()===""){l("Password not entered"),le.error("Password not entered");return}const d=await ve.post(`${u}/users/resetpassword/${e}/${t}`,{userId:e,token:t,password:n});if(n!==s){l("Passwords do not match."),le.error("Passwords do not match.");return}else l("Password reset successfull"),le.success(d.data.message)}catch(d){console.error("Reset Password Error:",d)}};return S.useEffect(()=>{le.dismiss()},[]),r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("section",{className:"card mb-0 vh-100",children:r.jsx("div",{className:"container py-10 h-100",children:r.jsx("div",{className:"row d-flex align-items-center justify-content-center h-100",children:r.jsxs("div",{className:"col-md-10 col-lg-5 col-xl-5 offset-xl-1 card mb-10",children:[r.jsx("br",{}),r.jsxs("h2",{children:["Reset Password",r.jsx("hr",{}),r.jsx("p",{className:"card-title text-center",style:{color:"#F74B02"},children:"Enter your new password:"})]}),r.jsx("input",{className:"form-control vh-10",type:"password",value:n,onChange:d=>o(d.target.value),placeholder:"Enter your new password",style:{display:"flex",gap:"35px"}}),r.jsx("br",{}),r.jsx("input",{className:"form-control",type:"password",value:s,onChange:d=>i(d.target.value),placeholder:"Confirm your new password"}),r.jsx("br",{}),r.jsx("button",{className:"btn btn-primary btn-lg",type:"submit",name:"signin",value:"Sign in",onClick:c,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Reset Password"}),r.jsx("p",{style:{color:"#067ADC"},className:"card-title text-center",children:a})]})})})}),r.jsx(Ze,{})]})},jb=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{className:"col-md-18",children:[r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("h1",{className:"card-title text-center",children:[" ","Thank you for joining the world's most trusted realtor investment and borrowers portal."]}),r.jsxs("h2",{children:["We reqest you to kindly ",r.jsx("span",{style:{fontSize:"2rem",color:"#fda417"},children:"check your email inbox "})," and click on the ",r.jsx("span",{style:{fontSize:"2rem",color:"#fda417"},children:"verification link "}),"to access the dashboard."]})]}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx(Ze,{})]});var Jv={exports:{}};/*! Copyright (c) 2018 Jed Watson. Licensed under the MIT License (MIT), see http://jedwatson.github.io/classnames -*/(function(e){(function(){var t={}.hasOwnProperty;function n(){for(var i="",a=0;a{i.target===e&&(s(),t(i))},n+o)}function Wb(e){e.offsetHeight}const Np=e=>!e||typeof e=="function"?e:t=>{e.current=t};function Ub(e,t){const n=Np(e),o=Np(t);return s=>{n&&n(s),o&&o(s)}}function As(e,t){return S.useMemo(()=>Ub(e,t),[e,t])}function qb(e){return e&&"setState"in e?Ur.findDOMNode(e):e??null}const Vb=I.forwardRef(({onEnter:e,onEntering:t,onEntered:n,onExit:o,onExiting:s,onExited:i,addEndListener:a,children:l,childRef:u,...c},d)=>{const f=S.useRef(null),g=As(f,u),b=O=>{g(qb(O))},x=O=>T=>{O&&f.current&&O(f.current,T)},N=S.useCallback(x(e),[e]),C=S.useCallback(x(t),[t]),h=S.useCallback(x(n),[n]),v=S.useCallback(x(o),[o]),m=S.useCallback(x(s),[s]),y=S.useCallback(x(i),[i]),E=S.useCallback(x(a),[a]);return r.jsx(hn,{ref:d,...c,onEnter:N,onEntered:h,onEntering:C,onExit:v,onExited:y,onExiting:m,addEndListener:E,nodeRef:f,children:typeof l=="function"?(O,T)=>l(O,{...T,ref:b}):I.cloneElement(l,{ref:b})})});function Hb(e){const t=S.useRef(e);return S.useEffect(()=>{t.current=e},[e]),t}function Kt(e){const t=Hb(e);return S.useCallback(function(...n){return t.current&&t.current(...n)},[t])}const Kb=e=>S.forwardRef((t,n)=>r.jsx("div",{...t,ref:n,className:xe(t.className,e)}));function Yb(){return S.useState(null)}function Gb(){const e=S.useRef(!0),t=S.useRef(()=>e.current);return S.useEffect(()=>(e.current=!0,()=>{e.current=!1}),[]),t.current}function Qb(e){const t=S.useRef(null);return S.useEffect(()=>{t.current=e}),t.current}const Xb=typeof global<"u"&&global.navigator&&global.navigator.product==="ReactNative",Jb=typeof document<"u",Cp=Jb||Xb?S.useLayoutEffect:S.useEffect,Zb=["as","disabled"];function ew(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}function tw(e){return!e||e.trim()==="#"}function ng({tagName:e,disabled:t,href:n,target:o,rel:s,role:i,onClick:a,tabIndex:l=0,type:u}){e||(n!=null||o!=null||s!=null?e="a":e="button");const c={tagName:e};if(e==="button")return[{type:u||"button",disabled:t},c];const d=g=>{if((t||e==="a"&&tw(n))&&g.preventDefault(),t){g.stopPropagation();return}a==null||a(g)},f=g=>{g.key===" "&&(g.preventDefault(),d(g))};return e==="a"&&(n||(n="#"),t&&(n=void 0)),[{role:i??"button",disabled:void 0,tabIndex:t?void 0:l,href:n,target:e==="a"?o:void 0,"aria-disabled":t||void 0,rel:e==="a"?s:void 0,onClick:d,onKeyDown:f},c]}const nw=S.forwardRef((e,t)=>{let{as:n,disabled:o}=e,s=ew(e,Zb);const[i,{tagName:a}]=ng(Object.assign({tagName:n,disabled:o},s));return r.jsx(a,Object.assign({},s,i,{ref:t}))});nw.displayName="Button";function rw(e){return e.code==="Escape"||e.keyCode===27}function rg(){const e=S.version.split(".");return{major:+e[0],minor:+e[1],patch:+e[2]}}const ow={[Sn]:"show",[sr]:"show"},Nd=S.forwardRef(({className:e,children:t,transitionClasses:n={},onEnter:o,...s},i)=>{const a={in:!1,timeout:300,mountOnEnter:!1,unmountOnExit:!1,appear:!1,...s},l=S.useCallback((d,f)=>{Wb(d),o==null||o(d,f)},[o]),{major:u}=rg(),c=u>=19?t.props.ref:t.ref;return r.jsx(Vb,{ref:i,addEndListener:$b,...a,onEnter:l,childRef:c,children:(d,f)=>S.cloneElement(t,{...f,className:xe("fade",e,t.props.className,ow[d],n[d])})})});Nd.displayName="Fade";const sw={"aria-label":Xt.string,onClick:Xt.func,variant:Xt.oneOf(["white"])},Cd=S.forwardRef(({className:e,variant:t,"aria-label":n="Close",...o},s)=>r.jsx("button",{ref:s,type:"button",className:xe("btn-close",t&&`btn-close-${t}`,e),"aria-label":n,...o}));Cd.displayName="CloseButton";Cd.propTypes=sw;const og=S.forwardRef(({as:e,bsPrefix:t,variant:n="primary",size:o,active:s=!1,disabled:i=!1,className:a,...l},u)=>{const c=Ae(t,"btn"),[d,{tagName:f}]=ng({tagName:e,disabled:i,...l}),g=f;return r.jsx(g,{...d,...l,ref:u,disabled:i,className:xe(a,c,s&&"active",n&&`${c}-${n}`,o&&`${c}-${o}`,l.href&&i&&"disabled")})});og.displayName="Button";function iw(e){const t=S.useRef(e);return t.current=e,t}function sg(e){const t=iw(e);S.useEffect(()=>()=>t.current(),[])}function aw(e,t){return S.Children.toArray(e).some(n=>S.isValidElement(n)&&n.type===t)}function lw({as:e,bsPrefix:t,className:n,...o}){t=Ae(t,"col");const s=kb(),i=Pb(),a=[],l=[];return s.forEach(u=>{const c=o[u];delete o[u];let d,f,g;typeof c=="object"&&c!=null?{span:d,offset:f,order:g}=c:d=c;const b=u!==i?`-${u}`:"";d&&a.push(d===!0?`${t}${b}`:`${t}${b}-${d}`),g!=null&&l.push(`order${b}-${g}`),f!=null&&l.push(`offset${b}-${f}`)}),[{...o,className:xe(n,...a,...l)},{as:e,bsPrefix:t,spans:a}]}const ig=S.forwardRef((e,t)=>{const[{className:n,...o},{as:s="div",bsPrefix:i,spans:a}]=lw(e);return r.jsx(s,{...o,ref:t,className:xe(n,!a.length&&i)})});ig.displayName="Col";var cw=Function.prototype.bind.call(Function.prototype.call,[].slice);function _r(e,t){return cw(e.querySelectorAll(t))}function bp(e,t){if(e.contains)return e.contains(t);if(e.compareDocumentPosition)return e===t||!!(e.compareDocumentPosition(t)&16)}const uw="data-rr-ui-";function dw(e){return`${uw}${e}`}const ag=S.createContext(xo?window:void 0);ag.Provider;function bd(){return S.useContext(ag)}const fw={type:Xt.string,tooltip:Xt.bool,as:Xt.elementType},Qa=S.forwardRef(({as:e="div",className:t,type:n="valid",tooltip:o=!1,...s},i)=>r.jsx(e,{...s,ref:i,className:xe(t,`${n}-${o?"tooltip":"feedback"}`)}));Qa.displayName="Feedback";Qa.propTypes=fw;const pn=S.createContext({}),wd=S.forwardRef(({id:e,bsPrefix:t,className:n,type:o="checkbox",isValid:s=!1,isInvalid:i=!1,as:a="input",...l},u)=>{const{controlId:c}=S.useContext(pn);return t=Ae(t,"form-check-input"),r.jsx(a,{...l,ref:u,type:o,id:e||c,className:xe(n,t,s&&"is-valid",i&&"is-invalid")})});wd.displayName="FormCheckInput";const ha=S.forwardRef(({bsPrefix:e,className:t,htmlFor:n,...o},s)=>{const{controlId:i}=S.useContext(pn);return e=Ae(e,"form-check-label"),r.jsx("label",{...o,ref:s,htmlFor:n||i,className:xe(t,e)})});ha.displayName="FormCheckLabel";const lg=S.forwardRef(({id:e,bsPrefix:t,bsSwitchPrefix:n,inline:o=!1,reverse:s=!1,disabled:i=!1,isValid:a=!1,isInvalid:l=!1,feedbackTooltip:u=!1,feedback:c,feedbackType:d,className:f,style:g,title:b="",type:x="checkbox",label:N,children:C,as:h="input",...v},m)=>{t=Ae(t,"form-check"),n=Ae(n,"form-switch");const{controlId:y}=S.useContext(pn),E=S.useMemo(()=>({controlId:e||y}),[y,e]),O=!C&&N!=null&&N!==!1||aw(C,ha),T=r.jsx(wd,{...v,type:x==="switch"?"checkbox":x,ref:m,isValid:a,isInvalid:l,disabled:i,as:h});return r.jsx(pn.Provider,{value:E,children:r.jsx("div",{style:g,className:xe(f,O&&t,o&&`${t}-inline`,s&&`${t}-reverse`,x==="switch"&&n),children:C||r.jsxs(r.Fragment,{children:[T,O&&r.jsx(ha,{title:b,children:N}),c&&r.jsx(Qa,{type:d,tooltip:u,children:c})]})})})});lg.displayName="FormCheck";const va=Object.assign(lg,{Input:wd,Label:ha}),cg=S.forwardRef(({bsPrefix:e,type:t,size:n,htmlSize:o,id:s,className:i,isValid:a=!1,isInvalid:l=!1,plaintext:u,readOnly:c,as:d="input",...f},g)=>{const{controlId:b}=S.useContext(pn);return e=Ae(e,"form-control"),r.jsx(d,{...f,type:t,size:o,ref:g,readOnly:c,id:s||b,className:xe(i,u?`${e}-plaintext`:e,n&&`${e}-${n}`,t==="color"&&`${e}-color`,a&&"is-valid",l&&"is-invalid")})});cg.displayName="FormControl";const pw=Object.assign(cg,{Feedback:Qa}),ug=S.forwardRef(({className:e,bsPrefix:t,as:n="div",...o},s)=>(t=Ae(t,"form-floating"),r.jsx(n,{ref:s,className:xe(e,t),...o})));ug.displayName="FormFloating";const Sd=S.forwardRef(({controlId:e,as:t="div",...n},o)=>{const s=S.useMemo(()=>({controlId:e}),[e]);return r.jsx(pn.Provider,{value:s,children:r.jsx(t,{...n,ref:o})})});Sd.displayName="FormGroup";const dg=S.forwardRef(({as:e="label",bsPrefix:t,column:n=!1,visuallyHidden:o=!1,className:s,htmlFor:i,...a},l)=>{const{controlId:u}=S.useContext(pn);t=Ae(t,"form-label");let c="col-form-label";typeof n=="string"&&(c=`${c} ${c}-${n}`);const d=xe(s,t,o&&"visually-hidden",n&&c);return i=i||u,n?r.jsx(ig,{ref:l,as:"label",className:d,htmlFor:i,...a}):r.jsx(e,{ref:l,className:d,htmlFor:i,...a})});dg.displayName="FormLabel";const fg=S.forwardRef(({bsPrefix:e,className:t,id:n,...o},s)=>{const{controlId:i}=S.useContext(pn);return e=Ae(e,"form-range"),r.jsx("input",{...o,type:"range",ref:s,className:xe(t,e),id:n||i})});fg.displayName="FormRange";const pg=S.forwardRef(({bsPrefix:e,size:t,htmlSize:n,className:o,isValid:s=!1,isInvalid:i=!1,id:a,...l},u)=>{const{controlId:c}=S.useContext(pn);return e=Ae(e,"form-select"),r.jsx("select",{...l,size:n,ref:u,className:xe(o,e,t&&`${e}-${t}`,s&&"is-valid",i&&"is-invalid"),id:a||c})});pg.displayName="FormSelect";const mg=S.forwardRef(({bsPrefix:e,className:t,as:n="small",muted:o,...s},i)=>(e=Ae(e,"form-text"),r.jsx(n,{...s,ref:i,className:xe(t,e,o&&"text-muted")})));mg.displayName="FormText";const hg=S.forwardRef((e,t)=>r.jsx(va,{...e,ref:t,type:"switch"}));hg.displayName="Switch";const mw=Object.assign(hg,{Input:va.Input,Label:va.Label}),vg=S.forwardRef(({bsPrefix:e,className:t,children:n,controlId:o,label:s,...i},a)=>(e=Ae(e,"form-floating"),r.jsxs(Sd,{ref:a,className:xe(t,e),controlId:o,...i,children:[n,r.jsx("label",{htmlFor:o,children:s})]})));vg.displayName="FloatingLabel";const hw={_ref:Xt.any,validated:Xt.bool,as:Xt.elementType},Ed=S.forwardRef(({className:e,validated:t,as:n="form",...o},s)=>r.jsx(n,{...o,ref:s,className:xe(e,t&&"was-validated")}));Ed.displayName="Form";Ed.propTypes=hw;const Zn=Object.assign(Ed,{Group:Sd,Control:pw,Floating:ug,Check:va,Switch:mw,Label:dg,Text:mg,Range:fg,Select:pg,FloatingLabel:vg});var oi;function wp(e){if((!oi&&oi!==0||e)&&xo){var t=document.createElement("div");t.style.position="absolute",t.style.top="-9999px",t.style.width="50px",t.style.height="50px",t.style.overflow="scroll",document.body.appendChild(t),oi=t.offsetWidth-t.clientWidth,document.body.removeChild(t)}return oi}function Ql(e){e===void 0&&(e=Ga());try{var t=e.activeElement;return!t||!t.nodeName?null:t}catch{return e.body}}function vw(e=document){const t=e.defaultView;return Math.abs(t.innerWidth-e.documentElement.clientWidth)}const Sp=dw("modal-open");class kd{constructor({ownerDocument:t,handleContainerOverflow:n=!0,isRTL:o=!1}={}){this.handleContainerOverflow=n,this.isRTL=o,this.modals=[],this.ownerDocument=t}getScrollbarWidth(){return vw(this.ownerDocument)}getElement(){return(this.ownerDocument||document).body}setModalAttributes(t){}removeModalAttributes(t){}setContainerStyle(t){const n={overflow:"hidden"},o=this.isRTL?"paddingLeft":"paddingRight",s=this.getElement();t.style={overflow:s.style.overflow,[o]:s.style[o]},t.scrollBarWidth&&(n[o]=`${parseInt(mr(s,o)||"0",10)+t.scrollBarWidth}px`),s.setAttribute(Sp,""),mr(s,n)}reset(){[...this.modals].forEach(t=>this.remove(t))}removeContainerStyle(t){const n=this.getElement();n.removeAttribute(Sp),Object.assign(n.style,t.style)}add(t){let n=this.modals.indexOf(t);return n!==-1||(n=this.modals.length,this.modals.push(t),this.setModalAttributes(t),n!==0)||(this.state={scrollBarWidth:this.getScrollbarWidth(),style:{}},this.handleContainerOverflow&&this.setContainerStyle(this.state)),n}remove(t){const n=this.modals.indexOf(t);n!==-1&&(this.modals.splice(n,1),!this.modals.length&&this.handleContainerOverflow&&this.removeContainerStyle(this.state),this.removeModalAttributes(t))}isTopModal(t){return!!this.modals.length&&this.modals[this.modals.length-1]===t}}const Xl=(e,t)=>xo?e==null?(t||Ga()).body:(typeof e=="function"&&(e=e()),e&&"current"in e&&(e=e.current),e&&("nodeType"in e||e.getBoundingClientRect)?e:null):null;function gw(e,t){const n=bd(),[o,s]=S.useState(()=>Xl(e,n==null?void 0:n.document));if(!o){const i=Xl(e);i&&s(i)}return S.useEffect(()=>{},[t,o]),S.useEffect(()=>{const i=Xl(e);i!==o&&s(i)},[e,o]),o}function xw({children:e,in:t,onExited:n,mountOnEnter:o,unmountOnExit:s}){const i=S.useRef(null),a=S.useRef(t),l=Kt(n);S.useEffect(()=>{t?a.current=!0:l(i.current)},[t,l]);const u=As(i,e.ref),c=S.cloneElement(e,{ref:u});return t?c:s||!a.current&&o?null:c}const yw=["onEnter","onEntering","onEntered","onExit","onExiting","onExited","addEndListener","children"];function jw(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}function Nw(e){let{onEnter:t,onEntering:n,onEntered:o,onExit:s,onExiting:i,onExited:a,addEndListener:l,children:u}=e,c=jw(e,yw);const{major:d}=rg(),f=d>=19?u.props.ref:u.ref,g=S.useRef(null),b=As(g,typeof u=="function"?null:f),x=O=>T=>{O&&g.current&&O(g.current,T)},N=S.useCallback(x(t),[t]),C=S.useCallback(x(n),[n]),h=S.useCallback(x(o),[o]),v=S.useCallback(x(s),[s]),m=S.useCallback(x(i),[i]),y=S.useCallback(x(a),[a]),E=S.useCallback(x(l),[l]);return Object.assign({},c,{nodeRef:g},t&&{onEnter:N},n&&{onEntering:C},o&&{onEntered:h},s&&{onExit:v},i&&{onExiting:m},a&&{onExited:y},l&&{addEndListener:E},{children:typeof u=="function"?(O,T)=>u(O,Object.assign({},T,{ref:b})):S.cloneElement(u,{ref:b})})}const Cw=["component"];function bw(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}const ww=S.forwardRef((e,t)=>{let{component:n}=e,o=bw(e,Cw);const s=Nw(o);return r.jsx(n,Object.assign({ref:t},s))});function Sw({in:e,onTransition:t}){const n=S.useRef(null),o=S.useRef(!0),s=Kt(t);return Cp(()=>{if(!n.current)return;let i=!1;return s({in:e,element:n.current,initial:o.current,isStale:()=>i}),()=>{i=!0}},[e,s]),Cp(()=>(o.current=!1,()=>{o.current=!0}),[]),n}function Ew({children:e,in:t,onExited:n,onEntered:o,transition:s}){const[i,a]=S.useState(!t);t&&i&&a(!1);const l=Sw({in:!!t,onTransition:c=>{const d=()=>{c.isStale()||(c.in?o==null||o(c.element,c.initial):(a(!0),n==null||n(c.element)))};Promise.resolve(s(c)).then(d,f=>{throw c.in||a(!0),f})}}),u=As(l,e.ref);return i&&!t?null:S.cloneElement(e,{ref:u})}function Ep(e,t,n){return e?r.jsx(ww,Object.assign({},n,{component:e})):t?r.jsx(Ew,Object.assign({},n,{transition:t})):r.jsx(xw,Object.assign({},n))}const kw=["show","role","className","style","children","backdrop","keyboard","onBackdropClick","onEscapeKeyDown","transition","runTransition","backdropTransition","runBackdropTransition","autoFocus","enforceFocus","restoreFocus","restoreFocusOptions","renderDialog","renderBackdrop","manager","container","onShow","onHide","onExit","onExited","onExiting","onEnter","onEntering","onEntered"];function Pw(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}let Jl;function _w(e){return Jl||(Jl=new kd({ownerDocument:e==null?void 0:e.document})),Jl}function Ow(e){const t=bd(),n=e||_w(t),o=S.useRef({dialog:null,backdrop:null});return Object.assign(o.current,{add:()=>n.add(o.current),remove:()=>n.remove(o.current),isTopModal:()=>n.isTopModal(o.current),setDialogRef:S.useCallback(s=>{o.current.dialog=s},[]),setBackdropRef:S.useCallback(s=>{o.current.backdrop=s},[])})}const gg=S.forwardRef((e,t)=>{let{show:n=!1,role:o="dialog",className:s,style:i,children:a,backdrop:l=!0,keyboard:u=!0,onBackdropClick:c,onEscapeKeyDown:d,transition:f,runTransition:g,backdropTransition:b,runBackdropTransition:x,autoFocus:N=!0,enforceFocus:C=!0,restoreFocus:h=!0,restoreFocusOptions:v,renderDialog:m,renderBackdrop:y=pe=>r.jsx("div",Object.assign({},pe)),manager:E,container:O,onShow:T,onHide:P=()=>{},onExit:L,onExited:z,onExiting:H,onEnter:te,onEntering:Q,onEntered:Z}=e,D=Pw(e,kw);const U=bd(),G=gw(O),R=Ow(E),A=Gb(),B=Qb(n),[F,W]=S.useState(!n),K=S.useRef(null);S.useImperativeHandle(t,()=>R,[R]),xo&&!B&&n&&(K.current=Ql(U==null?void 0:U.document)),n&&F&&W(!1);const Y=Kt(()=>{if(R.add(),ce.current=ma(document,"keydown",oe),ae.current=ma(document,"focus",()=>setTimeout(re),!0),T&&T(),N){var pe,Bt;const Ke=Ql((pe=(Bt=R.dialog)==null?void 0:Bt.ownerDocument)!=null?pe:U==null?void 0:U.document);R.dialog&&Ke&&!bp(R.dialog,Ke)&&(K.current=Ke,R.dialog.focus())}}),ee=Kt(()=>{if(R.remove(),ce.current==null||ce.current(),ae.current==null||ae.current(),h){var pe;(pe=K.current)==null||pe.focus==null||pe.focus(v),K.current=null}});S.useEffect(()=>{!n||!G||Y()},[n,G,Y]),S.useEffect(()=>{F&&ee()},[F,ee]),sg(()=>{ee()});const re=Kt(()=>{if(!C||!A()||!R.isTopModal())return;const pe=Ql(U==null?void 0:U.document);R.dialog&&pe&&!bp(R.dialog,pe)&&R.dialog.focus()}),ne=Kt(pe=>{pe.target===pe.currentTarget&&(c==null||c(pe),l===!0&&P())}),oe=Kt(pe=>{u&&rw(pe)&&R.isTopModal()&&(d==null||d(pe),pe.defaultPrevented||P())}),ae=S.useRef(),ce=S.useRef(),he=(...pe)=>{W(!0),z==null||z(...pe)};if(!G)return null;const Me=Object.assign({role:o,ref:R.setDialogRef,"aria-modal":o==="dialog"?!0:void 0},D,{style:i,className:s,tabIndex:-1});let yt=m?m(Me):r.jsx("div",Object.assign({},Me,{children:S.cloneElement(a,{role:"document"})}));yt=Ep(f,g,{unmountOnExit:!0,mountOnEnter:!0,appear:!0,in:!!n,onExit:L,onExiting:H,onExited:he,onEnter:te,onEntering:Q,onEntered:Z,children:yt});let Lt=null;return l&&(Lt=y({ref:R.setBackdropRef,onClick:ne}),Lt=Ep(b,x,{in:!!n,appear:!0,mountOnEnter:!0,unmountOnExit:!0,children:Lt})),r.jsx(r.Fragment,{children:Ur.createPortal(r.jsxs(r.Fragment,{children:[Lt,yt]}),G)})});gg.displayName="Modal";const Tw=Object.assign(gg,{Manager:kd});function Rw(e,t){return e.classList?e.classList.contains(t):(" "+(e.className.baseVal||e.className)+" ").indexOf(" "+t+" ")!==-1}function Aw(e,t){e.classList?e.classList.add(t):Rw(e,t)||(typeof e.className=="string"?e.className=e.className+" "+t:e.setAttribute("class",(e.className&&e.className.baseVal||"")+" "+t))}function kp(e,t){return e.replace(new RegExp("(^|\\s)"+t+"(?:\\s|$)","g"),"$1").replace(/\s+/g," ").replace(/^\s*|\s*$/g,"")}function Iw(e,t){e.classList?e.classList.remove(t):typeof e.className=="string"?e.className=kp(e.className,t):e.setAttribute("class",kp(e.className&&e.className.baseVal||"",t))}const Or={FIXED_CONTENT:".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",STICKY_CONTENT:".sticky-top",NAVBAR_TOGGLER:".navbar-toggler"};class Dw extends kd{adjustAndStore(t,n,o){const s=n.style[t];n.dataset[t]=s,mr(n,{[t]:`${parseFloat(mr(n,t))+o}px`})}restore(t,n){const o=n.dataset[t];o!==void 0&&(delete n.dataset[t],mr(n,{[t]:o}))}setContainerStyle(t){super.setContainerStyle(t);const n=this.getElement();if(Aw(n,"modal-open"),!t.scrollBarWidth)return;const o=this.isRTL?"paddingLeft":"paddingRight",s=this.isRTL?"marginLeft":"marginRight";_r(n,Or.FIXED_CONTENT).forEach(i=>this.adjustAndStore(o,i,t.scrollBarWidth)),_r(n,Or.STICKY_CONTENT).forEach(i=>this.adjustAndStore(s,i,-t.scrollBarWidth)),_r(n,Or.NAVBAR_TOGGLER).forEach(i=>this.adjustAndStore(s,i,t.scrollBarWidth))}removeContainerStyle(t){super.removeContainerStyle(t);const n=this.getElement();Iw(n,"modal-open");const o=this.isRTL?"paddingLeft":"paddingRight",s=this.isRTL?"marginLeft":"marginRight";_r(n,Or.FIXED_CONTENT).forEach(i=>this.restore(o,i)),_r(n,Or.STICKY_CONTENT).forEach(i=>this.restore(s,i)),_r(n,Or.NAVBAR_TOGGLER).forEach(i=>this.restore(s,i))}}let Zl;function Fw(e){return Zl||(Zl=new Dw(e)),Zl}const xg=S.forwardRef(({className:e,bsPrefix:t,as:n="div",...o},s)=>(t=Ae(t,"modal-body"),r.jsx(n,{ref:s,className:xe(e,t),...o})));xg.displayName="ModalBody";const yg=S.createContext({onHide(){}}),Pd=S.forwardRef(({bsPrefix:e,className:t,contentClassName:n,centered:o,size:s,fullscreen:i,children:a,scrollable:l,...u},c)=>{e=Ae(e,"modal");const d=`${e}-dialog`,f=typeof i=="string"?`${e}-fullscreen-${i}`:`${e}-fullscreen`;return r.jsx("div",{...u,ref:c,className:xe(d,t,s&&`${e}-${s}`,o&&`${d}-centered`,l&&`${d}-scrollable`,i&&f),children:r.jsx("div",{className:xe(`${e}-content`,n),children:a})})});Pd.displayName="ModalDialog";const jg=S.forwardRef(({className:e,bsPrefix:t,as:n="div",...o},s)=>(t=Ae(t,"modal-footer"),r.jsx(n,{ref:s,className:xe(e,t),...o})));jg.displayName="ModalFooter";const Mw=S.forwardRef(({closeLabel:e="Close",closeVariant:t,closeButton:n=!1,onHide:o,children:s,...i},a)=>{const l=S.useContext(yg),u=Kt(()=>{l==null||l.onHide(),o==null||o()});return r.jsxs("div",{ref:a,...i,children:[s,n&&r.jsx(Cd,{"aria-label":e,variant:t,onClick:u})]})}),Ng=S.forwardRef(({bsPrefix:e,className:t,closeLabel:n="Close",closeButton:o=!1,...s},i)=>(e=Ae(e,"modal-header"),r.jsx(Mw,{ref:i,...s,className:xe(t,e),closeLabel:n,closeButton:o})));Ng.displayName="ModalHeader";const Lw=Kb("h4"),Cg=S.forwardRef(({className:e,bsPrefix:t,as:n=Lw,...o},s)=>(t=Ae(t,"modal-title"),r.jsx(n,{ref:s,className:xe(e,t),...o})));Cg.displayName="ModalTitle";function Bw(e){return r.jsx(Nd,{...e,timeout:null})}function zw(e){return r.jsx(Nd,{...e,timeout:null})}const bg=S.forwardRef(({bsPrefix:e,className:t,style:n,dialogClassName:o,contentClassName:s,children:i,dialogAs:a=Pd,"data-bs-theme":l,"aria-labelledby":u,"aria-describedby":c,"aria-label":d,show:f=!1,animation:g=!0,backdrop:b=!0,keyboard:x=!0,onEscapeKeyDown:N,onShow:C,onHide:h,container:v,autoFocus:m=!0,enforceFocus:y=!0,restoreFocus:E=!0,restoreFocusOptions:O,onEntered:T,onExit:P,onExiting:L,onEnter:z,onEntering:H,onExited:te,backdropClassName:Q,manager:Z,...D},U)=>{const[G,R]=S.useState({}),[A,B]=S.useState(!1),F=S.useRef(!1),W=S.useRef(!1),K=S.useRef(null),[Y,ee]=Yb(),re=As(U,ee),ne=Kt(h),oe=_b();e=Ae(e,"modal");const ae=S.useMemo(()=>({onHide:ne}),[ne]);function ce(){return Z||Fw({isRTL:oe})}function he(de){if(!xo)return;const Wt=ce().getScrollbarWidth()>0,gn=de.scrollHeight>Ga(de).documentElement.clientHeight;R({paddingRight:Wt&&!gn?wp():void 0,paddingLeft:!Wt&&gn?wp():void 0})}const Me=Kt(()=>{Y&&he(Y.dialog)});sg(()=>{vu(window,"resize",Me),K.current==null||K.current()});const yt=()=>{F.current=!0},Lt=de=>{F.current&&Y&&de.target===Y.dialog&&(W.current=!0),F.current=!1},pe=()=>{B(!0),K.current=tg(Y.dialog,()=>{B(!1)})},Bt=de=>{de.target===de.currentTarget&&pe()},Ke=de=>{if(b==="static"){Bt(de);return}if(W.current||de.target!==de.currentTarget){W.current=!1;return}h==null||h()},Gn=de=>{x?N==null||N(de):(de.preventDefault(),b==="static"&&pe())},Zt=(de,Wt)=>{de&&he(de),z==null||z(de,Wt)},yo=de=>{K.current==null||K.current(),P==null||P(de)},jo=(de,Wt)=>{H==null||H(de,Wt),eg(window,"resize",Me)},Qn=de=>{de&&(de.style.display=""),te==null||te(de),vu(window,"resize",Me)},zt=S.useCallback(de=>r.jsx("div",{...de,className:xe(`${e}-backdrop`,Q,!g&&"show")}),[g,Q,e]),vn={...n,...G};vn.display="block";const $t=de=>r.jsx("div",{role:"dialog",...de,style:vn,className:xe(t,e,A&&`${e}-static`,!g&&"show"),onClick:b?Ke:void 0,onMouseUp:Lt,"data-bs-theme":l,"aria-label":d,"aria-labelledby":u,"aria-describedby":c,children:r.jsx(a,{...D,onMouseDown:yt,className:o,contentClassName:s,children:i})});return r.jsx(yg.Provider,{value:ae,children:r.jsx(Tw,{show:f,ref:re,backdrop:b,container:v,keyboard:!0,autoFocus:m,enforceFocus:y,restoreFocus:E,restoreFocusOptions:O,onEscapeKeyDown:Gn,onShow:C,onHide:h,onEnter:Zt,onEntering:jo,onEntered:T,onExit:yo,onExiting:L,onExited:Qn,manager:ce(),transition:g?Bw:void 0,backdropTransition:g?zw:void 0,renderBackdrop:zt,renderDialog:$t})})});bg.displayName="Modal";const si=Object.assign(bg,{Body:xg,Header:Ng,Title:Cg,Footer:jg,Dialog:Pd,TRANSITION_DURATION:300,BACKDROP_TRANSITION_DURATION:150}),$w=()=>{var T;const{id:e}=go(),t=Ft(),n=Sr(),{selectedProperty:o,status:s,error:i}=Ve(P=>P.property),{user:a}=Ve(P=>({...P.auth})),{fundDetails:l}=Ve(P=>P.fundDetails);console.log("funddetails",l);const[u,c]=S.useState("propertydetails"),[d,f]=S.useState(!0),[g,b]=S.useState(!1),[x,N]=S.useState(""),[C,h]=S.useState("");if(S.useEffect(()=>{e&&(t(Go(e)),t(_i(e)))},[e,t]),S.useEffect(()=>{s==="succeeded"&&f(!1)},[s]),S.useEffect(()=>{l&&(N(l.investmentAmount),h(l.ownershipPercentage))},[l]),s==="failed")return r.jsxs("p",{children:["Error loading property: ",i]});const v=((T=a==null?void 0:a.result)==null?void 0:T.userId)===(o==null?void 0:o.userId),m=!!a,y=()=>{b(!0)},E=()=>{b(!1)},O=P=>{var z;if(P.preventDefault(),x<=0||C<=0||C>100){alert("Please enter valid values.");return}const L={propertyOwnerId:o==null?void 0:o.userId,investorId:(z=a==null?void 0:a.result)==null?void 0:z.userId,investmentAmount:x,ownershipPercentage:C,propertyId:(o==null?void 0:o.propertyId)||"defaultId"};t(lu({fundDetails:L,id:e,navigate:n})),E()};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{className:"container tabs-wrap col-12",children:[r.jsx(Re,{}),r.jsxs("ul",{className:"nav nav-tabs",role:"tablist",children:[r.jsx("li",{role:"presentation",className:u==="propertydetails"?"active tab":"tab",children:r.jsx("a",{onClick:()=>c("propertydetails"),role:"tab",children:"Property Details"})}),r.jsx("li",{role:"presentation",className:u==="Funding Details"?"active tab":"tab",children:r.jsx("a",{onClick:()=>c("Funding Details"),role:"tab",children:"Funding Details"})}),r.jsx("li",{role:"presentation",className:u==="Accounting"?"active tab":"tab",children:r.jsx("a",{onClick:()=>c("Accounting"),role:"tab",children:"Accounting"})})]}),r.jsxs("div",{className:"tab-content",children:[u==="propertydetails"&&r.jsx("div",{role:"tabpanel",className:"card container tab-pane active col-12",children:r.jsx("div",{className:"container col-12",children:d?r.jsx("div",{className:"loader",children:"Loading..."}):o?r.jsx("div",{className:"py-3 py-md-5 bg-light",children:r.jsxs("div",{className:"card-header bg-white",children:[r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-5 mt-3",children:[r.jsx("div",{children:o.images&&o.images[0]?r.jsx("img",{src:o.images[0].file||Yt,alt:"Property Thumbnail",style:{marginTop:"0px",maxWidth:"400px",maxHeight:"400px"}}):r.jsx("img",{src:Yt,alt:"Default Property Thumbnail",style:{marginTop:"0px",maxWidth:"400px",maxHeight:"400px"}})}),r.jsx("br",{}),r.jsxs("div",{className:"label-stock border",children:[r.jsxs("p",{style:{color:"#fda417",fontSize:"30px",padding:"10px",fontWeight:"normal"},children:["Funding Required:"," ",r.jsxs("span",{style:{color:"#000000",fontSize:"25px"},children:[r.jsx("span",{className:"fa fa-dollar",style:{color:"#F74B02"}})," ",o.totalCoststoBuyAtoB]})]}),r.jsxs("p",{style:{color:"#fda417",fontSize:"30px",padding:"10px",fontWeight:"normal"},children:["Net profit:"," ",r.jsxs("span",{style:{color:"#000000",fontSize:"25px"},children:[r.jsx("span",{className:"fa fa-dollar",style:{color:"#F74B02"}})," ",o.NetProfit]})]})]}),r.jsx("br",{}),r.jsxs("button",{className:"btn btn-primary back",style:{backgroundColor:"#fda417",border:"#fda417"},disabled:v||!m,onClick:v||!m?null:y,children:[r.jsx("span",{style:{fontSize:"25px",fontWeight:"normal"},children:"Willing to Invest/Fund"})," "]}),v&&r.jsx("span",{style:{color:"red",marginTop:"10px"},children:"You cannot invest in your own property."}),!m&&r.jsx("span",{style:{color:"red",marginTop:"10px"},children:"Please login to invest."})]}),r.jsx("div",{className:"col-md-7 mt-3",children:r.jsxs("div",{className:"product-view",children:[r.jsxs("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:[o.address,r.jsx("label",{className:"label-stock bg-success",children:"Verified Property"})]}),r.jsx("hr",{}),r.jsxs("p",{className:"product-path",children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["City:"," "]})," ",o.city," "," /"," "," "," ",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["County:"," "]})," ",o.county," "," ","/"," "," ",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["State:"," "]})," ",o.state," "," ","/ "," "," ",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["Zipcode:"," "]})," ",o.zip," "]}),r.jsxs("div",{children:[r.jsxs("span",{className:"selling-price",style:{color:"#fda417",fontSize:"15px"},children:["Total Living Square Foot:"," "]}),o.totallivingsqft,r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Cost per Square Foot:"," "]}),"$",o.costpersqft,"/sqft",r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Year Built:"," "]}),o.yearBuild]}),r.jsxs("div",{className:"mt-3 card bg-white label-stock border",children:[r.jsx("h5",{className:"mb-0",style:{color:"#fda417",fontSize:"15px"},children:"Legal Description"}),r.jsx("span",{children:o.legal?o.legal:"No data available"})]})]})})]}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12 mt-3",children:r.jsxs("div",{className:"card",children:[r.jsx("div",{className:"card-header bg-white",children:r.jsx("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:"Description"})}),r.jsx("div",{className:"card-body",children:r.jsx("p",{children:"Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum."})})]})})})]})}):r.jsx("p",{children:"No property found."})})}),u==="Funding Details"&&r.jsx("div",{children:u==="Funding Details"&&r.jsx("div",{className:"tab-pane active",children:l?r.jsxs("div",{children:[r.jsxs("p",{children:["Investment Amount: $",l.investmentAmount]}),r.jsxs("p",{children:["Ownership Percentage: ",l.ownershipPercentage,"%"]})]}):r.jsx("p",{children:"No funding details available."})})}),u==="Accounting"&&r.jsx("div",{})]})]}),r.jsx(Ze,{}),r.jsxs(si,{show:g,onHide:E,children:[r.jsx(si.Header,{closeButton:!0,children:r.jsx(si.Title,{children:"Investment/Funding Details"})}),r.jsx(si.Body,{children:r.jsxs(Zn,{onSubmit:O,children:[r.jsxs(Zn.Group,{children:[r.jsx(Zn.Label,{children:"Fund Value"}),r.jsx(Zn.Control,{type:"number",value:x,onChange:P=>N(P.target.value)})]}),r.jsxs(Zn.Group,{children:[r.jsx(Zn.Label,{children:"Fund Percentage"}),r.jsx(Zn.Control,{type:"number",value:C,onChange:P=>h(P.target.value)})]}),r.jsx(og,{variant:"primary",type:"submit",children:"Submit"})]})})]})]})},Ww=()=>{const[e,t]=S.useState([]),[n,o]=S.useState(0),[s,i]=S.useState(0),[a]=S.useState(10),[l,u]=S.useState(""),[c,d]=S.useState(!1),[f,g]=S.useState(!1),b=async()=>{d(!0),g(!1);try{const h=await ve.get("http://67.225.129.127:3002/mysql/searchmysql",{params:{limit:a,offset:s*a,search:l},headers:{"Cache-Control":"no-cache"}});t(h.data.data),o(h.data.totalRecords),l.trim()&&g(!0)}catch(h){console.log("Error fetching data:",h)}finally{d(!1)}},x=h=>{u(h.target.value),h.target.value.trim()===""&&(i(0),t([]),o(0),g(!1),b())},N=h=>{h.key==="Enter"&&(h.preventDefault(),b())};S.useEffect(()=>{b()},[l,s]);const C=Math.ceil(n/a);return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{className:"container col-12",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-lg-12 card-margin col-12",children:r.jsx("div",{className:"card search-form col-12",children:r.jsx("div",{className:"card-body p-0",children:r.jsx("form",{id:"search-form",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"row no-gutters",children:r.jsx("div",{className:"col-lg-8 col-md-6 col-sm-12 p-0",children:r.jsx("input",{type:"text",placeholder:"Enter the keyword and hit ENTER button...",className:"form-control",id:"search",name:"search",value:l,onChange:x,onKeyDown:N})})})})})})})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"card card-margin",children:r.jsxs("div",{className:"card-body",children:[f&&e.length>0&&r.jsxs("div",{children:["Showing search results for the keyword"," ",r.jsx("span",{style:{color:"#fda417",fontSize:"25px"},children:l})]}),r.jsx("div",{className:"table-responsive",children:r.jsxs("table",{className:"table widget-26",children:[r.jsx("thead",{style:{color:"#fda417",fontSize:"15px"},children:r.jsxs("tr",{children:[r.jsx("th",{children:"Details"}),r.jsx("th",{children:"Total Living Square Foot"}),r.jsx("th",{children:"Year Built"}),r.jsx("th",{children:"Cost per Square Foot"})]})}),r.jsx("tbody",{children:e.length>0?e.map((h,v)=>r.jsxs("tr",{children:[r.jsx("td",{children:r.jsxs("div",{className:"widget-26-job-title",children:[r.jsx(Ne,{to:`/properties/${h.house_id}`,className:"link-primary text-decoration-none",target:"_blank",children:h.address}),r.jsxs("p",{className:"m-0",children:[r.jsxs("span",{className:"employer-name",children:[r.jsx("i",{className:"fa fa-map-marker",style:{color:"#F74B02"}}),h.city,", ",h.county,",",h.state]}),r.jsxs("p",{className:"text-muted m-0",children:["House Id: ",h.house_id]})]})]})}),r.jsx("td",{children:r.jsx("div",{className:"widget-26-job-info",children:r.jsx("p",{className:"m-0",children:h.total_living_sqft})})}),r.jsx("td",{children:r.jsx("div",{className:"widget-26-job-info",children:r.jsx("p",{className:"m-0",children:h.year_built})})}),r.jsx("td",{children:r.jsxs("div",{className:"widget-26-job-salary",children:["$ ",h.cost_per_sqft,"/sqft"]})})]},v)):r.jsx("tr",{children:r.jsx("td",{colSpan:"4",children:"No results found"})})})]})}),r.jsxs("div",{children:[r.jsx("button",{onClick:()=>i(s-1),disabled:s===0||c,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Previous"}),r.jsxs("span",{children:[" ","Page ",s+1," of ",C," "]}),r.jsx("button",{onClick:()=>i(s+1),disabled:s+1>=C||c,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Next"})]})]})})})})]}),r.jsx(Ze,{})]})},Uw=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),"This page will show the list of services offered by the company",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx(Ze,{})]}),qw=()=>{const{house_id:e}=go();console.log("house_id",e);const[t,n]=S.useState(null),[o,s]=S.useState(!0);return S.useEffect(()=>{(async()=>{try{const a=await ve.get(`http://67.225.129.127:3002/mysql/properties/${e}`);n(a.data)}catch(a){console.log("Error fetching property details:",a)}finally{s(!1)}})()},[e]),r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("div",{className:"container col-12",children:o?r.jsx("div",{className:"loader",children:"Loading..."}):t?r.jsx("div",{className:"py-3 py-md-5 bg-light",children:r.jsxs("div",{className:"card-header bg-white",children:[r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-md-5 mt-3",children:r.jsx("div",{className:"bg-white border",children:r.jsx("img",{src:Yt,className:"w-70",alt:"Img",style:{marginTop:"0px",maxWidth:"450px",maxHeight:"450px"}})})}),r.jsx("div",{className:"col-md-7 mt-3",children:r.jsxs("div",{className:"product-view",children:[r.jsxs("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:[t.address,r.jsx("label",{className:"label-stock bg-success",children:"Verified Property"})]}),r.jsx("hr",{}),r.jsxs("p",{className:"product-path",children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["city:"," "]})," ",t.city," /",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["County:"," "]})," ",t.county," /",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["State:"," "]})," ",t.state," /",r.jsx("span",{style:{color:"#fda417",fontSize:"15px"},children:"Zipcode:"})," ",t.zip]}),r.jsxs("div",{children:[r.jsxs("span",{className:"selling-price",style:{color:"#fda417",fontSize:"15px"},children:["Total Living Square Foot:"," "]}),t.total_living_sqft,r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Cost per Square Foot:"," "]}),"$",t.cost_per_sqft,"/sqft",r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Year Built:"," "]}),t.year_built]}),r.jsxs("div",{className:"mt-3 card bg-white",children:[r.jsx("h5",{className:"mb-0",style:{color:"#fda417",fontSize:"15px"},children:"Legal Summary report"}),r.jsx("span",{children:t.legal_summary_report?t.legal_summary_report:"No data available"})]})]})})]}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12 mt-3",children:r.jsxs("div",{className:"card",children:[r.jsx("div",{className:"card-header bg-white",children:r.jsx("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:"Description"})}),r.jsx("div",{className:"card-body",children:r.jsx("p",{children:"Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum."})})]})})})]})}):r.jsx("p",{children:"No property details found."})}),r.jsx(Ze,{})]})},Vw=()=>{const{id:e}=go(),t=Ft(),[n,o]=S.useState("propertydetails"),s=()=>{n==="propertydetails"&&o("Images"),n==="Images"&&o("Accounting")},i=()=>{n==="Images"&&o("propertydetails"),n==="Accounting"&&o("Images")},{selectedProperty:a}=Ve(k=>k.property),[l,u]=S.useState({address:"",city:"",state:"",zip:"",propertyTaxInfo:[{propertytaxowned:"0",ownedyear:"0",taxassessed:"0",taxyear:"0"}],images:[{title:"",file:""}],googleMapLink:"",purchaseCost:"0",costPaidAtoB:[{title:"Closing Fees - Settlement Fee",price:"0"},{title:"Closing Fees - Owner's Title Insurance",price:"0"},{title:"Courier Fees",price:"0"},{title:"Wire Fee",price:"0"},{title:"E recording Fee",price:"0"},{title:"Recording Fee",price:"0"},{title:"Property Tax",price:"0"}],renovationRisk:null,turnTime:"",credits:[{title:"Credits",price:"0"}],cashAdjustments:[{title:"Cash Adjustments",price:"0"}],incidentalCost:[{title:"Accounting Fees",price:"0"},{title:"Bank Charges",price:"0"},{title:"Legal Fees",price:"0"},{title:"Property Taxes",price:"0"},{title:"Travel Expenses",price:"0"}],carryCosts:[{title:"Electricity",price:"0"},{title:"Water and Sewer",price:"0"},{title:"Natural Gas",price:"0"},{title:"Trash and Recycling",price:"0"},{title:"Internet and Cable",price:"0"},{title:"Heating Oil/Propane",price:"0"},{title:"HOA fees",price:"0"},{title:"Dump fees",price:"0"},{title:"Insurance",price:"0"},{title:"Interest on Loans",price:"0"},{title:"Loan Payment",price:"0"},{title:"Property Taxes",price:"0"},{title:"Security",price:"0"},{title:"Real Estates fees",price:"0"}],renovationCost:[{title:"Demolition: Removing existing structures or finishes",price:"0"},{title:"Framing: Making structural changes or additions",price:"0"},{title:"Plumbing: Installing or modifying plumbing systems",price:"0"},{title:"Electrical: Updating wiring and fixtures",price:"0"},{title:"HVAC: Installing or upgrading heating and cooling systems",price:"0"},{title:"Insulation: Adding or replacing insulation",price:"0"},{title:"Drywall: Hanging and finishing drywall",price:"0"},{title:"Interior Finishes: Painting, flooring, cabinetry, and fixtures",price:"0"},{title:"Exterior Work: Addressing siding, roofing, or landscaping, if applicable",price:"0"},{title:"Final Inspections: Ensuring everything meets codes",price:"0"},{title:"Punch List: Completing any remaining task",price:"0"}],sellingPriceBtoC:"0",costPaidOutofClosing:[{title:"Buyers Agent Commission",price:"0"},{title:"Sellers Agent Commission",price:"0"},{title:"Home Warranty",price:"0"},{title:"Document Preparation",price:"0"},{title:"Excise Tax",price:"0"},{title:"Legal Fees",price:"0"},{title:"Wire Fees/courier Fees",price:"0"},{title:"County Taxes",price:"0"},{title:"HOA Fee",price:"0"},{title:"Payoff of 1st Mortgage",price:"0"},{title:"Payoff of 2nd Mortgage",price:"0"},{title:"Payoff 3rd Mortgage",price:"0"}],adjustments:[{title:"adjustments",price:"0"}],incomestatement:[{title:"income statement",price:"0"},{title:"income statement",price:"0"}],fundspriortoclosing:"0",shorttermrental:"0",OtherIncome:"0",InsuranceClaim:"0",LongTermRental:"0",FinancingCostClosingCost:"0"}),c=[1,2,3,4,5,6,7,8,9,10];S.useEffect(()=>{t(Go(e))},[t,e]),S.useEffect(()=>{a&&u({address:a.address||"",city:a.city||"",state:a.state||"",zip:a.zip||"",parcel:a.parcel||"",subdivision:a.subdivision||"",legal:a.legal||"",costpersqft:a.costpersqft||"",propertyType:a.propertyType||"",lotacres:a.lotacres||"",yearBuild:a.yearBuild||"",totallivingsqft:a.totallivingsqft||"",beds:a.beds||"",baths:a.baths||"",stories:a.stories||"",garage:a.garage||"",garagesqft:a.garagesqft||"",poolspa:a.poolspa||"",fireplaces:a.fireplaces||"",ac:a.ac||"",heating:a.heating||"",buildingstyle:a.buildingstyle||"",sitevacant:a.sitevacant||"",extwall:a.extwall||"",roofing:a.roofing||"",totalSqft:a.totalSqft||"",renovationRisk:a.renovationRisk,closeDateAtoB:a.closeDateAtoB,closeDateBtoC:a.closeDateBtoC,purchaseCost:a.purchaseCost,costPaidAtoB:a.costPaidAtoB,totalPurchaseCosts:a.totalPurchaseCosts,credits:a.credits,totalPurchaseCostsaftercredits:a.totalPurchaseCostsaftercredits,cashAdjustments:a.cashAdjustments,totalcashrequiredonsettlement:a.totalcashrequiredonsettlement,incidentalCost:a.incidentalCost,carryCosts:a.carryCosts,renovationCost:a.renovationCost,sellingPriceBtoC:a.sellingPriceBtoC,costPaidOutofClosing:a.costPaidOutofClosing,totalCosttoSellBtoC:a.totalCosttoSellBtoC,grossproceedsperHUD:a.grossproceedsperHUD,adjustments:a.adjustments,fundsavailablefordistribution:a.fundsavailablefordistribution,incomestatement:a.incomestatement,fundspriortoclosing:a.fundspriortoclosing,shorttermrental:a.shorttermrental,OtherIncome:a.OtherIncome,InsuranceClaim:a.InsuranceClaim,LongTermRental:a.LongTermRental,netprofitbeforefinancingcosts:a.netprofitbeforefinancingcosts,FinancingCostClosingCost:a.FinancingCostClosingCost,propertyTaxInfo:a.propertyTaxInfo||[{propertytaxowned:"0",ownedyear:"0",taxassessed:"0",taxyear:"0"}],images:a.images||[{title:"",file:""}],googleMapLink:a.googleMapLink,rateofreturn:a.rateofreturn})},[a]);const d=k=>{u({...l,[k.target.name]:k.target.value})},f=(k,_)=>{const{name:p,value:j}=k.target,w=[...l.propertyTaxInfo],M={...w[_]};M[p]=j,w[_]=M,u({...l,propertyTaxInfo:w})},g=k=>{k.preventDefault();const _=z(),p=D(),j=U(),w=F(),M=W(),q=ne(),X=Me(),le=Ke(),Fs=Gn(),el=Zt(),tl=vn(),nl=$t(),rl=$t(),ol=No(),sl=Ds(),il=Jn(),al=en(),ll=Er(),cl=bo(),ul={...l,totalPurchaseCosts:_.toFixed(2),totalcredits:p.toFixed(2),totalPurchaseCostsaftercredits:j.toFixed(2),totalcashAdjustments:w.toFixed(2),totalcashrequiredonsettlement:M.toFixed(2),totalincidentalCost:q.toFixed(2),totalcarryCosts:X.toFixed(2),totalrenovationCost:le.toFixed(2),totalRenovationsandHoldingCost:Fs.toFixed(2),totalCoststoBuyAtoB:el.toFixed(2),totalcostPaidOutofClosing:tl.toFixed(2),totalCosttoSellBtoC:nl.toFixed(2),grossproceedsperHUD:rl.toFixed(2),totaladjustments:ol.toFixed(2),fundsavailablefordistribution:sl.toFixed(2),totalincomestatement:il.toFixed(2),netBtoCsalevalue:al.toFixed(2),netprofitbeforefinancingcosts:ll.toFixed(2),netprofit:cl.toFixed(2)};t(ki({id:e,propertyData:ul}))},b=()=>{u({...l,propertyTaxInfo:[...l.propertyTaxInfo,{propertytaxowned:"",ownedyear:"",taxassessed:"",taxyear:""}]})},x=k=>{const _=l.propertyTaxInfo.filter((p,j)=>j!==k);u({...l,propertyTaxInfo:_})},N=(k,_)=>{const p=[...l.images];p[_]={...p[_],file:k.base64},u({...l,images:p})},C=()=>{u({...l,images:[...l.images,{title:"",file:""}]})},h=k=>{const _=l.images.filter((p,j)=>j!==k);u({...l,images:_})},v=(k,_)=>{const p=[...l.images];p[k]={...p[k],title:_.target.value},u({...l,images:p})};S.useEffect(()=>{E(l.closeDateAtoB,l.closeDateBtoC)},[l.closeDateAtoB,l.closeDateBtoC]);const[m,y]=S.useState("0 days"),E=(k,_)=>{if(k&&_){const p=new Date(k),j=new Date(_),w=Math.abs(j-p),M=Math.ceil(w/(1e3*60*60*24));y(`${M} days`)}else y("0 days")},O=()=>{u(k=>({...k,costPaidAtoB:[...k.costPaidAtoB,{title:"",price:""}]}))},T=k=>{const _=l.costPaidAtoB.filter((p,j)=>j!==k);u(p=>({...p,costPaidAtoB:_}))},P=(k,_,p)=>{const j=[...l.costPaidAtoB];j[k][_]=p,u(w=>({...w,costPaidAtoB:j}))},L=(k,_)=>{let p=k.target.value;if(p=p.replace(/^\$/,"").trim(),/^\d*\.?\d*$/.test(p)||p===""){const w=l.costPaidAtoB.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,costPaidAtoB:w})}else{const w=l.costPaidAtoB.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,costPaidAtoB:w})}},z=()=>{const k=l.costPaidAtoB.reduce((p,j)=>{const w=parseFloat(j.price)||0;return p+w},0),_=parseFloat(l.purchaseCost)||0;return k+_},H=()=>{u(k=>({...k,credits:[...k.credits,{title:"",price:""}]}))},te=k=>{const _=l.credits.filter((p,j)=>j!==k);u(p=>({...p,credits:_}))},Q=(k,_,p)=>{const j=[...l.credits];j[k][_]=p,u(w=>({...w,credits:j}))},Z=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.credits.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,credits:w})}else{const w=l.credits.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,credits:w})}},D=()=>l.credits.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),U=()=>{const k=l.costPaidAtoB.reduce((j,w)=>{const M=parseFloat(w.price)||0;return j+M},0),_=l.credits.reduce((j,w)=>{const M=parseFloat(w.price)||0;return j+M},0),p=parseFloat(l.purchaseCost)||0;return k+_+p},G=()=>{u(k=>({...k,cashAdjustments:[...k.cashAdjustments,{title:"",price:""}]}))},R=k=>{const _=l.cashAdjustments.filter((p,j)=>j!==k);u(p=>({...p,cashAdjustments:_}))},A=(k,_,p)=>{const j=[...l.cashAdjustments];j[k][_]=p,u(w=>({...w,cashAdjustments:j}))},B=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.cashAdjustments.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,cashAdjustments:w})}else{const w=l.cashAdjustments.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,cashAdjustments:w})}},F=()=>l.cashAdjustments.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),W=()=>{const k=F(),_=D(),p=z();return k+_+p},K=()=>{u(k=>({...k,incidentalCost:[...k.incidentalCost,{title:"",price:""}]}))},Y=k=>{const _=l.incidentalCost.filter((p,j)=>j!==k);u(p=>({...p,incidentalCost:_}))},ee=(k,_,p)=>{const j=[...l.incidentalCost];j[k][_]=p,u(w=>({...w,incidentalCost:j}))},re=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.incidentalCost.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,incidentalCost:w})}else{const w=l.incidentalCost.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,incidentalCost:w})}},ne=()=>l.incidentalCost.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),oe=()=>{u(k=>({...k,carryCosts:[...k.carryCosts,{title:"",price:""}]}))},ae=k=>{const _=l.carryCosts.filter((p,j)=>j!==k);u(p=>({...p,carryCosts:_}))},ce=(k,_,p)=>{const j=[...l.carryCosts];j[k][_]=p,u(w=>({...w,carryCosts:j}))},he=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.carryCosts.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,carryCosts:w})}else{const w=l.carryCosts.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,carryCosts:w})}},Me=()=>l.carryCosts.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),yt=()=>{u(k=>({...k,renovationCost:[...k.renovationCost,{title:"",price:""}]}))},Lt=k=>{const _=l.renovationCost.filter((p,j)=>j!==k);u(p=>({...p,renovationCost:_}))},pe=(k,_,p)=>{const j=[...l.renovationCost];j[k][_]=p,u(w=>({...w,renovationCost:j}))},Bt=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.renovationCost.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,renovationCost:w})}else{const w=l.renovationCost.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,renovationCost:w})}},Ke=()=>l.renovationCost.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),Gn=()=>{const k=ne(),_=Me(),p=Ke();return k+_+p},Zt=()=>{const k=Gn(),_=W();return k+_},yo=()=>{u(k=>({...k,costPaidOutofClosing:[...k.costPaidOutofClosing,{title:"",price:""}]}))},jo=k=>{const _=l.costPaidOutofClosing.filter((p,j)=>j!==k);u(p=>({...p,costPaidOutofClosing:_}))},Qn=(k,_,p)=>{const j=[...l.costPaidOutofClosing];j[k][_]=p,u(w=>({...w,costPaidOutofClosing:j}))},zt=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.costPaidOutofClosing.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,costPaidOutofClosing:w})}else{const w=l.costPaidOutofClosing.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,costPaidOutofClosing:w})}},vn=()=>l.costPaidOutofClosing.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),$t=()=>{const k=l.sellingPriceBtoC,_=vn();return k-_},de=()=>{u(k=>({...k,adjustments:[...k.adjustments,{title:"",price:""}]}))},Wt=k=>{const _=l.adjustments.filter((p,j)=>j!==k);u(p=>({...p,adjustments:_}))},gn=(k,_,p)=>{const j=[...l.adjustments];j[k][_]=p,u(w=>({...w,adjustments:j}))},Is=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.adjustments.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,adjustments:w})}else{const w=l.adjustments.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,adjustments:w})}},No=()=>l.adjustments.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),Ds=()=>{const k=$t(),_=No();return k+_},Xa=()=>{u(k=>({...k,incomestatement:[...k.incomestatement,{title:"",price:""}]}))},Ja=k=>{const _=l.incomestatement.filter((p,j)=>j!==k);u(p=>({...p,incomestatement:_}))},Co=(k,_,p)=>{const j=[...l.incomestatement];j[k][_]=p,u(w=>({...w,incomestatement:j}))},Xn=(k,_)=>{const p=k.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.incomestatement.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,incomestatement:w})}else{const w=l.incomestatement.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,incomestatement:w})}},Jn=()=>l.incomestatement.reduce((k,_)=>{const p=parseFloat(_.price);return k+(isNaN(p)?0:p)},0),en=()=>{const k=Jn(),_=$t();return k+_},Er=()=>{const k=isNaN(parseFloat(en()))?0:parseFloat(en()),_=isNaN(parseFloat(l.shorttermrental))?0:parseFloat(l.shorttermrental),p=isNaN(parseFloat(l.OtherIncome))?0:parseFloat(l.OtherIncome),j=isNaN(parseFloat(l.InsuranceClaim))?0:parseFloat(l.InsuranceClaim),w=isNaN(parseFloat(l.LongTermRental))?0:parseFloat(l.LongTermRental),M=isNaN(parseFloat(Zt()))?0:parseFloat(Zt());return k+_+p+j+w-M},bo=()=>{const k=Er(),_=l.FinancingCostClosingCost;return k-_},Za=()=>bo();return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("div",{className:"card d-flex justify-content-center align-items-center",children:r.jsxs("div",{className:"justify-content-center",children:[r.jsxs("ul",{className:"nav nav-tabs",role:"tablist",children:[r.jsx("li",{role:"presentation",className:n==="propertydetails"?"active tab":"tab",children:r.jsx("a",{onClick:()=>o("propertydetails"),role:"tab",children:"Property Details"})}),r.jsx("li",{role:"presentation",className:n==="Images"?"active tab":"tab",children:r.jsx("a",{onClick:()=>o("Images"),role:"tab",children:"Images, Maps"})}),r.jsx("li",{role:"presentation",className:n==="Accounting"?"active tab":"tab",children:r.jsx("a",{onClick:()=>o("Accounting"),role:"tab",children:"Accounting"})})]}),r.jsxs("div",{className:"tab-content",children:[n==="propertydetails"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("form",{children:[r.jsx("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Property Location"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Address",r.jsx("input",{type:"text",className:"form-control",name:"address",value:l.address,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["City",r.jsx("input",{type:"text",className:"form-control",name:"city",value:l.city,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["State",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"state",value:l.state,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Alaska",children:"Alaska"}),r.jsx("option",{value:"Alabama",children:"Alabama"}),r.jsx("option",{value:"Arkansas",children:"Arkansas"}),r.jsx("option",{value:"Arizona",children:"Arizona"}),r.jsx("option",{value:"California",children:"California"}),r.jsx("option",{value:"Colorado",children:"Colorado"}),r.jsx("option",{value:"Connecticut",children:"Connecticut"}),r.jsx("option",{value:"District Of Columbia",children:"District Of Columbia"}),r.jsx("option",{value:"Delaware",children:"Delaware"}),r.jsx("option",{value:"Florida",children:"Florida"}),r.jsx("option",{value:"Georgia",children:"Georgia"}),r.jsx("option",{value:"Hawaii",children:"Hawaii"}),r.jsx("option",{value:"Iowa",children:"Iowa"}),r.jsx("option",{value:"Idaho",children:"Idaho"}),r.jsx("option",{value:"Illinois",children:"Illinois"}),r.jsx("option",{value:"Indiana",children:"Indiana"}),r.jsx("option",{value:"Kansas",children:"Kansas"}),r.jsx("option",{value:"Kentucky",children:"Kentucky"}),r.jsx("option",{value:"Louisiana",children:"Louisiana"}),r.jsx("option",{value:"Massachusetts",children:"Massachusetts"}),r.jsx("option",{value:"Maryland",children:"Maryland"}),r.jsx("option",{value:"Michigan",children:"Michigan"}),r.jsx("option",{value:"Minnesota",children:"Minnesota"}),r.jsx("option",{value:"Missouri",children:"Missouri"}),r.jsx("option",{value:"Mississippi",children:"Mississippi"}),r.jsx("option",{value:"Montana",children:"Montana"}),r.jsx("option",{value:"North Carolina",children:"North Carolina"}),r.jsx("option",{value:"North Dakota",children:"North Dakota"}),r.jsx("option",{value:"Nebraska",children:"Nebraska"}),r.jsx("option",{value:"New Hampshire",children:"New Hampshire"}),r.jsx("option",{value:"New Jersey",children:"New Jersey"}),r.jsx("option",{value:"New Mexico",children:"New Mexico"}),r.jsx("option",{value:"Nevada",children:"Nevada"}),r.jsx("option",{value:"New York",children:"New York"}),r.jsx("option",{value:"Ohio",children:"Ohio"}),r.jsx("option",{value:"Oklahoma",children:"Oklahoma"}),r.jsx("option",{value:"Oregon",children:"Oregon"}),r.jsx("option",{value:"Pennsylvania",children:"Pennsylvania"}),r.jsx("option",{value:"Rhode Island",children:"Rhode Island"}),r.jsx("option",{value:"South Carolina",children:"South Carolina"}),r.jsx("option",{value:"South Dakota",children:"South Dakota"}),r.jsx("option",{value:"Tennessee",children:"Tennessee"}),r.jsx("option",{value:"Texas",children:"Texas"}),r.jsx("option",{value:"Texas",children:"Travis"}),r.jsx("option",{value:"Utah",children:"Utah"}),r.jsx("option",{value:"Virginia",children:"Virginia"}),r.jsx("option",{value:"Vermont",children:"Vermont"}),r.jsx("option",{value:"Washington",children:"Washington"}),r.jsx("option",{value:"Wisconsin",children:"Wisconsin"}),r.jsx("option",{value:"West Virginia",children:"West Virginia"}),r.jsx("option",{value:"Wyoming",children:"Wyoming"})]})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["County",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"county",value:l.county,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Abbeville",children:"Abbeville"}),r.jsx("option",{value:"Aiken",children:"Aiken"}),r.jsx("option",{value:"Allendale",children:"Allendale"}),r.jsx("option",{value:"Anderson",children:"Anderson"}),r.jsx("option",{value:"Bamberg",children:"Bamberg"}),r.jsx("option",{value:"Barnwell",children:"Barnwell"}),r.jsx("option",{value:"Beaufort",children:"Beaufort"}),r.jsx("option",{value:"Berkeley",children:"Berkeley"}),r.jsx("option",{value:"Calhoun",children:"Calhoun"}),r.jsx("option",{value:"Charleston",children:"Charleston"}),r.jsx("option",{value:"Cherokee",children:"Cherokee"}),r.jsx("option",{value:"Chester",children:"Chester"}),r.jsx("option",{value:"Chesterfield",children:"Chesterfield"}),r.jsx("option",{value:"Clarendon",children:"Clarendon"}),r.jsx("option",{value:"Colleton",children:"Colleton"}),r.jsx("option",{value:"Darlington",children:"Darlington"}),r.jsx("option",{value:"Dillon",children:"Dillon"}),r.jsx("option",{value:"Dorchester",children:"Dorchester"}),r.jsx("option",{value:"Edgefield",children:"Edgefield"}),r.jsx("option",{value:"Fairfield",children:"Fairfield"}),r.jsx("option",{value:"Florence",children:"Florence"}),r.jsx("option",{value:"Georgetown",children:"Georgetown"}),r.jsx("option",{value:"Greenville",children:"Greenville"}),r.jsx("option",{value:"Greenwood",children:"Greenwood"}),r.jsx("option",{value:"Hampton",children:"Hampton"}),r.jsx("option",{value:"Horry",children:"Horry"}),r.jsx("option",{value:"Jasper",children:"Jasper"}),r.jsx("option",{value:"Kershaw",children:"Kershaw"}),r.jsx("option",{value:"Lancaster",children:"Lancaster"}),r.jsx("option",{value:"Laurens",children:"Laurens"}),r.jsx("option",{value:"Lee",children:"Lee"}),r.jsx("option",{value:"Lexington",children:"Lexington"}),r.jsx("option",{value:"Marion",children:"Marion"}),r.jsx("option",{value:"Marlboro",children:"Marlboro"}),r.jsx("option",{value:"McCormick",children:"McCormick"}),r.jsx("option",{value:"Newberry",children:"Newberry"}),r.jsx("option",{value:"Oconee",children:"Oconee"}),r.jsx("option",{value:"Orangeburg",children:"Orangeburg"}),r.jsx("option",{value:"Pickens",children:"Pickens"}),r.jsx("option",{value:"Richland",children:"Richland"}),r.jsx("option",{value:"Saluda",children:"Saluda"}),r.jsx("option",{value:"Spartanburg",children:"Spartanburg"}),r.jsx("option",{value:"Sumter",children:"Sumter"}),r.jsx("option",{value:"Union",children:"Union"}),r.jsx("option",{value:"Williamsburg",children:"Williamsburg"}),r.jsx("option",{value:"York",children:"York"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Zip",r.jsx("input",{type:"text",className:"form-control",name:"zip",value:l.zip,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Parcel",r.jsx("input",{type:"text",className:"form-control",name:"parcel",value:l.parcel,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Sub division",r.jsx("input",{type:"text",className:"form-control",name:"subdivision",value:l.subdivision,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Legal Description",r.jsx("textarea",{type:"text",className:"form-control",name:"legal",value:l.legal,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Cost per SQFT",r.jsx("input",{type:"text",className:"form-control",name:"costpersqft",value:l.costpersqft,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Property Type",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"propertyType",value:l.propertyType,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Residential",children:"Residential"}),r.jsx("option",{value:"Land",children:"Land"}),r.jsx("option",{value:"Commercial",children:"Commercial"}),r.jsx("option",{value:"Industrial",children:"Industrial"}),r.jsx("option",{value:"Water",children:"Water"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Lot Acres/Sqft",r.jsx("input",{type:"text",className:"form-control",name:"lotacres",value:l.lotacres,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Year Build",r.jsx("input",{type:"text",className:"form-control",name:"yearBuild",value:l.yearBuild,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total Living SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totallivingsqft",value:l.totallivingsqft,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Beds",r.jsx("input",{type:"text",className:"form-control",name:"beds",value:l.beds,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Baths",r.jsx("input",{type:"text",className:"form-control",name:"baths",value:l.baths,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Stories",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"stories",value:l.stories,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"}),r.jsx("option",{value:"6",children:"6"}),r.jsx("option",{value:"7",children:"7"}),r.jsx("option",{value:"8",children:"8"}),r.jsx("option",{value:"9",children:"9"}),r.jsx("option",{value:"10",children:"10"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Garage",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"garage",value:l.garage,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Garage SQFT",r.jsx("input",{type:"text",className:"form-control",name:"garagesqft",value:l.garagesqft,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Pool/SPA",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"poolspa",value:l.poolspa,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Yes- Pool Only",children:"Yes- Pool Only"}),r.jsx("option",{value:"Yes- SPA only",children:"Yes- SPA only"}),r.jsx("option",{value:"Yes - Both Pool and SPA",children:"Yes - Both Pool and SPA"}),r.jsx("option",{value:"4",children:"None"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Fire places",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"fireplaces",value:l.fireplaces,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"yes",children:"Yes"}),r.jsx("option",{value:"no",children:"No"})]})]}),r.jsxs("div",{className:"col-md-4",children:["A/C",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"ac",value:l.ac,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Heating",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"heating",value:l.heating,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Building Style",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"buildingstyle",value:l.buildingstyle,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"One Story",children:"One Story"}),r.jsx("option",{value:"Craftsman",children:"Craftsman"}),r.jsx("option",{value:"Log/Cabin",children:"Log/Cabin"}),r.jsx("option",{value:"Split-Level",children:"Split-Level"}),r.jsx("option",{value:"Split-Foyer",children:"Split-Foyer"}),r.jsx("option",{value:"Stick Built",children:"Stick Built"}),r.jsx("option",{value:"Single wide",children:"Single wide"}),r.jsx("option",{value:"Double wide",children:"Double wide"}),r.jsx("option",{value:"Duplex",children:"Duplex"}),r.jsx("option",{value:"Triplex",children:"Triplex"}),r.jsx("option",{value:"Quadruplex",children:"Quadruplex"}),r.jsx("option",{value:"Two Story",children:"Two Story"}),r.jsx("option",{value:"Victorian",children:"Victorian"}),r.jsx("option",{value:"Tudor",children:"Tudor"}),r.jsx("option",{value:"Modern",children:"Modern"}),r.jsx("option",{value:"Art Deco",children:"Art Deco"}),r.jsx("option",{value:"Bungalow",children:"Bungalow"}),r.jsx("option",{value:"Mansion",children:"Mansion"}),r.jsx("option",{value:"Farmhouse",children:"Farmhouse"}),r.jsx("option",{value:"Conventional",children:"Conventional"}),r.jsx("option",{value:"Ranch",children:"Ranch"}),r.jsx("option",{value:"Ranch with Basement",children:"Ranch with Basement"}),r.jsx("option",{value:"Cape Cod",children:"Cape Cod"}),r.jsx("option",{value:"Contemporary",children:"Contemporary"}),r.jsx("option",{value:"Colonial",children:"Colonial"}),r.jsx("option",{value:"Mediterranean",children:"Mediterranean"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Site Vacant",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"sitevacant",value:l.sitevacant,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please select"}),r.jsx("option",{value:"Yes",children:"Yes"}),r.jsx("option",{value:"No",children:"No"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Ext Wall",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"extwall",value:l.extwall,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Brick",children:"Brick"}),r.jsx("option",{value:"Brick/Vinyl Siding",children:"Brick/Vinyl Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Wood/Vinyl Siding"}),r.jsx("option",{value:"Brick/Wood Siding",children:"Brick/Wood Siding"}),r.jsx("option",{value:"Stone",children:"Stone"}),r.jsx("option",{value:"Masonry",children:"Masonry"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Fiberboard",children:"Fiberboard"}),r.jsx("option",{value:"Asphalt Siding",children:"Asphalt Siding"}),r.jsx("option",{value:"Concrete Block",children:"Concrete Block"}),r.jsx("option",{value:"Gable",children:"Gable"}),r.jsx("option",{value:"Brick Veneer",children:"Brick Veneer"}),r.jsx("option",{value:"Frame",children:"Frame"}),r.jsx("option",{value:"Siding",children:"Siding"}),r.jsx("option",{value:"Cement/Wood Fiber Siding",children:"Cement/Wood Fiber Siding"}),r.jsx("option",{value:"Fiber/Cement Siding",children:"Fiber/Cement Siding"}),r.jsx("option",{value:"Wood Siding",children:"Wood Siding"}),r.jsx("option",{value:"Vinyl Siding",children:"Vinyl Siding"}),r.jsx("option",{value:"Aluminium Siding",children:"Aluminium Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Alum/Vinyl Siding"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Roofing",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"roofing",value:l.roofing,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Asphalt Shingle",children:"Asphalt Shingle"}),r.jsx("option",{value:"Green Roofs",children:"Green Roofs"}),r.jsx("option",{value:"Built-up Roofing",children:"Built-up Roofing"}),r.jsx("option",{value:"Composition Shingle",children:"Composition Shingle"}),r.jsx("option",{value:"Composition Shingle Heavy",children:"Composition Shingle Heavy"}),r.jsx("option",{value:"Solar tiles",children:"Solar tiles"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Stone-coated steel",children:"Stone-coated steel"}),r.jsx("option",{value:"Slate",children:"Slate"}),r.jsx("option",{value:"Rubber Slate",children:"Rubber Slate"}),r.jsx("option",{value:"Clay and Concrete tiles",children:"Clay and Concrete tiles"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totalSqft",value:l.totalSqft,onChange:d,required:!0})]})})]}),r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:[r.jsx("br",{}),"Property Tax Information"]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),l.propertyTaxInfo&&l.propertyTaxInfo.map((k,_)=>r.jsxs("div",{className:"row gy-4",children:[r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Tax Owned",r.jsx("input",{type:"text",className:"form-control",name:"propertytaxowned",value:k.propertytaxowned,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Owned Year",r.jsx("input",{type:"text",className:"form-control",name:"ownedyear",value:k.ownedyear,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Assessed",r.jsx("input",{type:"text",className:"form-control",name:"taxassessed",value:k.taxassessed,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Year",r.jsx("input",{type:"text",className:"form-control",name:"taxyear",value:k.taxyear,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-2",children:[r.jsx("br",{}),r.jsx("button",{className:"btn btn-danger",onClick:()=>x(_),style:{height:"25px",width:"35px"},children:"X"})]})})]},_)),r.jsx("button",{className:"btn btn-secondary",onClick:b,children:"+ Add Another Property Tax Info"})]}),r.jsx("button",{className:"btn btn-primary continue",onClick:s,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),n==="Images"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Upload Images"," "]}),r.jsxs("form",{children:[r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),l.images.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,placeholder:"Image Title",onChange:p=>v(_,p)})}),r.jsxs("div",{className:"col-md-4 d-flex align-items-center",children:[r.jsx(jd,{multiple:!1,onDone:p=>N(p,_)}),r.jsx("button",{type:"button",className:"btn btn-danger",onClick:()=>h(_),style:{marginLeft:"5px"},children:"Delete"})]}),k.file&&r.jsx("div",{className:"col-md-12",children:r.jsx("img",{src:k.file,alt:"uploaded",style:{width:"150px",height:"150px"}})})]},_)),r.jsx("button",{type:"button",className:"btn btn-primary",onClick:C,style:{backgroundColor:"#fda417",border:"#fda417"},children:"+ Add Image"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"mb-3",children:[r.jsx("label",{htmlFor:"googleMapLink",className:"form-label",children:r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Google Maps Link"," "]})}),r.jsx("input",{type:"text",className:"form-control",name:"googleMapLink",value:l.googleMapLink,onChange:d,placeholder:"Enter Google Maps link"})]}),l.googleMapLink&&r.jsx("iframe",{title:"Google Map",width:"100%",height:"300",src:`https://www.google.com/maps/embed/v1/view?key=YOUR_API_KEY¢er=${l.googleMapLink}&zoom=10`,frameBorder:"0",allowFullScreen:!0})]}),r.jsx("button",{className:"btn btn-primary back",onClick:i,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{className:"btn btn-primary continue",onClick:s,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),n==="Accounting"&&r.jsxs("div",{className:"card",style:{color:"#fda417",border:"1px solid #fda417",padding:"10px",borderRadius:"8px"},children:[r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 col-16",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateAtoB",value:l.closeDateAtoB,onChange:k=>{const _=k.target.value;u({...l,closeDateAtoB:_}),E(_,l.closeDateBtoC)},placeholder:"Close Date A to B",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y]"," "]}),":"," ",r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(l.closeDateAtoB).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date B to C",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateBtoC",value:l.closeDateBtoC,onChange:k=>{const _=k.target.value;u({...l,closeDateBtoC:_}),E(l.closeDateAtoB,_)},placeholder:"Close Date B to C",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y] :"," "]}),r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(l.closeDateBtoC).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Renovation Risk"}),r.jsx("div",{className:"col-md-7",children:c.map(k=>r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"renovationRisk",id:`renovationRisk${k}`,value:k,checked:l.renovationRisk===k,onChange:_=>{const p=parseInt(_.target.value,10);u({...l,renovationRisk:p})}}),r.jsx("label",{className:"form-check-label",htmlFor:`renovationRisk${k}`,children:k})]},k))})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Rate of Return"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"rateofreturn",value:`$ ${Za().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Turn Time"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:m,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Purchase Price"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:`$ ${l.purchaseCost}`,name:"purchaseCost",onChange:k=>{let _=k.target.value.replace(/[^\d.]/g,"");const p=/^\d*\.?\d*$/.test(_);u({...l,purchaseCost:_,isPurchaseCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Costs paid out of Closing Hud A to B:"}),l.costPaidAtoB.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>P(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:`$ ${k.price}`,onChange:p=>L(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>T(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{onClick:O,className:"btn btn-primary back",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Extra Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCosts",value:`$ ${z().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Credits received on settlement:"}),l.credits.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>Q(_,"title",p.target.value),placeholder:"credits",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>Z(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>te(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:H,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add credits"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total credits received on settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcredits",value:D(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost after Credits Received"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCostsaftercredits",value:U(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Cash Adjustments:"}),l.cashAdjustments.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>A(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>B(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>R(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:G,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cash Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Adjustments on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashAdjustments",value:F(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Required on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashrequiredonsettlement",value:W(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Incidental Cost:"}),l.incidentalCost.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>ee(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>re(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Y(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:K,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Incidental Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Incidental Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincidentalCost",value:ne(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Carry Costs:"}),l.carryCosts.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>ce(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>he(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>ae(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:oe,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Carry Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Carry Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcarryCosts",value:Me(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Reno/Construction"}),l.renovationCost.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>pe(_,"title",p.target.value),placeholder:"Title",required:!0,style:{fontSize:"10px"}})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>Bt(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Lt(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:yt,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Reno/Construction"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovation Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalrenovationCost",value:Ke(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovations & Holding Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalRenovationsandHoldingCost",value:Gn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Costs to Buy A to B"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoB",value:Zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0}),l.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Selling Price B to C"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,name:"sellingPriceBtoC",value:l.sellingPriceBtoC,onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,sellingPriceBtoC:_,isPurchaseCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Less:Costs paid out of closing Hud B to C:"}),l.costPaidOutofClosing.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>Qn(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>zt(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>jo(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:yo,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cost Paid Out of Closing"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total cost paid out of closing"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcostPaidOutofClosing",value:vn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cost to Sell B to C"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCosttoSellBtoC",value:$t(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Gross Proceeds per HUD"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"grossproceedsperHUD",value:$t(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Adjustments:"}),l.adjustments.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>gn(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>Is(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Wt(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:de,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Adjustments"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totaladjustments",value:No(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Funds Available for distribution"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"fundsavailablefordistribution",value:Ds(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Income Statement Adjustments:"}),l.incomestatement.map((k,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:k.title,onChange:p=>Co(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${k.isInvalid?"is-invalid":""}`,value:k.price,onChange:p=>Xn(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),k.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Ja(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:Xa,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Income Statement"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Income Statement Adjustment"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincomestatement",value:Jn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net B to C Sale Value"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:en(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Computation"}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Total Costs to Buy A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoBagain",value:Zt(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Funds Prior to Closing",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isfundspriortoclosingInvalid?"is-invalid":""}`,value:l.fundspriortoclosing,name:"fundspriortoclosing",onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,fundspriortoclosing:_,isfundspriortoclosingInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isfundspriortoclosingInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isfundspriortoclosingInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Net B to C Sale Value",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:en(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Short Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.shorttermrental,name:"shorttermrental",onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,shorttermrental:_,isPurchaseCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Other Income",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.OtherIncome,name:"OtherIncome",onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,OtherIncome:_,isPurchaseCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Insurance Claim",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.InsuranceClaim,name:"InsuranceClaim",onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,InsuranceClaim:_,isPurchaseCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Long Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.LongTermRental,name:"LongTermRental",onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,LongTermRental:_,isPurchaseCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Before Financing Costs"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofitbeforefinancingcosts",value:Er(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Financing Cost/Other Closing Costs"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isFinancingCostClosingCostInvalid?"is-invalid":""}`,value:l.FinancingCostClosingCost,name:"FinancingCostClosingCost",onChange:k=>{const _=k.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,FinancingCostClosingCost:_,isFinancingCostClosingCostInvalid:!p})},onKeyPress:k=>{const _=k.charCode;(_<48||_>57)&&_!==46&&(k.preventDefault(),u({...l,isFinancingCostClosingCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isFinancingCostClosingCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofit",value:bo(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("button",{className:"btn btn-primary back",onClick:i,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{type:"button",className:"btn btn-primary continue",style:{backgroundColor:"#fda417",border:"#fda417"},onClick:g,children:"Submit"})," "]}),r.jsx("br",{})]})]})]})})]})},Hw=()=>{const e=Ft(),{properties:t,loading:n,totalPages:o,currentPage:s}=Ve(N=>N.property),[i,a]=S.useState(""),[l,u]=S.useState([]),[c,d]=S.useState(1),f=10;S.useEffect(()=>{e(Qo({page:c,limit:f,keyword:i}))},[e,c,i]),S.useEffect(()=>{i.trim()?u(t.filter(N=>N.address.toLowerCase().includes(i.toLowerCase()))):u(t)},[i,t]);const g=N=>{a(N.target.value)},b=N=>{N.preventDefault()},x=N=>{d(N),e(Qo({page:N,limit:f,keyword:i}))};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("div",{className:"container col-12",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-lg-12 card-margin col-12",children:r.jsx("div",{className:"card search-form col-12",children:r.jsx("div",{className:"card-body p-0",children:r.jsx("form",{id:"search-form",onSubmit:b,children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"row no-gutters",children:r.jsx("div",{className:"col-lg-8 col-md-6 col-sm-12 p-0",children:r.jsx("input",{type:"text",value:i,onChange:g,placeholder:"Enter the keyword and hit ENTER button...",className:"form-control"})})})})})})})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"card card-margin",children:r.jsx("div",{className:"card-body",children:n?r.jsx("div",{children:"Loading..."}):r.jsx("div",{className:"table-responsive",children:r.jsxs("table",{className:"table widget-26",children:[r.jsx("thead",{style:{color:"#fda417",fontSize:"15px"},children:r.jsxs("tr",{children:[r.jsx("th",{children:"Image"}),r.jsx("th",{children:"Details"}),r.jsx("th",{children:"Total Living Square Foot"}),r.jsx("th",{children:"Year Built"}),r.jsx("th",{children:"Cost per Square Foot"})]})}),r.jsx("tbody",{children:l.length>0?l.map(N=>r.jsxs("tr",{children:[r.jsx("td",{children:N.images&&N.images[0]?r.jsx("img",{src:N.images[0].file||Yt,alt:"Property Thumbnail",style:{width:"100px",height:"auto"}}):r.jsx("img",{src:Yt,alt:"Default Property Thumbnail",style:{width:"100px",height:"auto"}})}),r.jsx("td",{children:r.jsxs("div",{className:"widget-26-job-title",children:[r.jsx(Ne,{to:`/property/${N.propertyId}`,className:"link-primary text-decoration-none",children:N.address}),r.jsxs("p",{className:"m-0",children:[r.jsxs("span",{className:"employer-name",children:[r.jsx("i",{className:"fa fa-map-marker",style:{color:"#F74B02"}}),N.city,", ",N.county,","," ",N.state]}),r.jsxs("p",{className:"text-muted m-0",children:["House Id: ",N.propertyId]})]})]})}),r.jsx("td",{children:N.totallivingsqft}),r.jsx("td",{children:N.yearBuild}),r.jsx("td",{children:N.costpersqft})]},N.id)):r.jsx("tr",{children:r.jsx("td",{colSpan:"5",children:"No properties found."})})})]})})})})})}),r.jsx("nav",{"aria-label":"Page navigation",children:r.jsxs("ul",{className:"pagination justify-content-center",children:[r.jsx("li",{className:`page-item ${s===1?"disabled":""}`,children:r.jsx("button",{className:"page-link",onClick:()=>x(s-1),children:"Previous"})}),Array.from({length:o},(N,C)=>r.jsx("li",{className:`page-item ${s===C+1?"active":""}`,children:r.jsx("button",{className:"page-link",onClick:()=>x(C+1),children:C+1})},C+1)),r.jsx("li",{className:`page-item ${s===o?"disabled":""}`,children:r.jsx("button",{className:"page-link",onClick:()=>x(s+1),children:"Next"})})]})})]}),r.jsx(Ze,{})]})},Kw=()=>{const{userId:e}=go(),t=Ft(),{user:n,loading:o}=Ve(s=>s.user);return console.log("user",n),S.useEffect(()=>{e&&t(bi(e))},[e,t]),o?r.jsx("div",{children:"Loading..."}):r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("div",{className:"main-body",children:r.jsxs("div",{className:"row gutters-sm",children:[r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("div",{className:"d-flex flex-column align-items-center text-center",children:[r.jsx("img",{src:n.profileImage,alt:"Admin",className:"rounded-circle",width:150}),r.jsxs("h4",{children:[n.title,". ",n.firstName," ",n.middleName," ",n.lastName]}),r.jsxs("span",{className:"text-muted font-size-sm",children:[r.jsx("i",{className:"fa fa-map-marker",style:{color:"#F74B02",fontSize:"20px"}})," ",n.city,", ",n.state,", ",n.county,", ",n.zip]})]}),r.jsx("br",{})]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",style:{color:"#fda417",fontSize:"26px"},children:"Recent"}),"Project investments"]}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("div",{className:"progress",style:{width:"100%",marginTop:"10px"},children:r.jsx("div",{className:"progress-bar",role:"progressbar",style:{width:"25%"},"aria-valuenow":25,"aria-valuemin":0,"aria-valuemax":100,children:"25% completed"})}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("div",{className:"progress",style:{width:"100%",marginTop:"10px"},children:r.jsx("div",{className:"progress-bar",role:"progressbar",style:{width:"75%"},"aria-valuenow":75,"aria-valuemin":0,"aria-valuemax":100,children:"75% completed"})})]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",children:"Projects"}),"Seeking investments"]}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("br",{})," ",r.jsx("br",{})]})})}),r.jsx("div",{className:"col-md-4",children:r.jsx("div",{className:"card mb-3",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",style:{color:"#fda417",fontSize:"26px"},children:"About"}),"me :"]})," ",r.jsx("hr",{}),n.aboutme]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",style:{color:"#fda417",fontSize:"26px"},children:"Willing to"}),"invest:"]}),r.jsx("hr",{}),r.jsx("h2",{className:"d-flex flex-column align-items-center text-center",style:{color:"#fda417",border:"#fda417",fontSize:"60px",fontWeight:"normal"},children:"$ 500,000"}),r.jsx("span",{className:"d-flex flex-column align-items-center text-center",children:r.jsx("button",{className:"btn btn-primary btn-lg ",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},children:"Request"})}),r.jsx("hr",{}),r.jsxs("div",{className:"card-body",children:[r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-sm-3",children:r.jsx("span",{className:"mb-0",children:"Email"})}),n.email,r.jsx("div",{className:"col-sm-9 text-secondary"})]}),r.jsx("hr",{}),r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-sm-3",children:r.jsx("span",{className:"mb-0",children:"Phone"})}),"67656584687",r.jsx("div",{className:"col-sm-9 text-secondary"})]})]})]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",children:"Suggested"}),"Borrowers"]}),r.jsxs("ul",{className:"list-group list-group-flush",children:[r.jsx("li",{className:"list-group-item d-flex justify-content-between align-items-center flex-wrap",children:r.jsxs("h6",{className:"mb-0",children:[r.jsx("img",{src:Oi,style:{marginTop:"0px",maxWidth:"50px",maxHeight:"50px"}}),"Ravichandu"]})}),r.jsx("li",{className:"list-group-item d-flex justify-content-between align-items-center flex-wrap",children:r.jsxs("h6",{className:"mb-0",children:[r.jsx("img",{src:Oi,style:{marginTop:"0px",maxWidth:"50px",maxHeight:"50px"}}),"Ravichandu"]})}),r.jsx("li",{className:"list-group-item d-flex justify-content-between align-items-center flex-wrap",children:r.jsxs("h6",{className:"mb-0",children:[r.jsx("img",{src:Oi,style:{marginTop:"0px",maxWidth:"50px",maxHeight:"50px"}}),"Ravichandu"]})})]})]})})})]})})]})},Yw=()=>r.jsxs(CC,{children:[r.jsx(wN,{}),r.jsxs(mC,{children:[r.jsx(Ie,{path:"/",element:r.jsx(OC,{})}),r.jsx(Ie,{path:"/about",element:r.jsx(TC,{})}),r.jsx(Ie,{path:"/services",element:r.jsx(Uw,{})}),r.jsx(Ie,{path:"/contact",element:r.jsx(RC,{})}),r.jsx(Ie,{path:"/register",element:r.jsx(ob,{})}),r.jsx(Ie,{path:"/registrationsuccess",element:r.jsx(Ti,{children:r.jsx(Nb,{})})}),r.jsx(Ie,{path:"/login",element:r.jsx(ib,{})}),r.jsx(Ie,{path:"/dashboard",element:r.jsx(Ti,{children:r.jsx(db,{})})}),r.jsx(Ie,{path:"/users/:id/verify/:token",element:r.jsx(xb,{})}),r.jsx(Ie,{path:"/forgotpassword",element:r.jsx(yb,{})}),r.jsx(Ie,{path:"/users/resetpassword/:userId/:token",element:r.jsx(jb,{})}),r.jsx(Ie,{path:"/property/:id",element:r.jsx($w,{})}),r.jsx(Ie,{path:"/properties/:house_id",element:r.jsx(qw,{})}),r.jsx(Ie,{path:"/searchmyproperties",element:r.jsx(Ww,{})}),r.jsx(Ie,{path:"/searchproperties",element:r.jsx(Hw,{})}),r.jsx(Ie,{path:"/editproperty/:id",element:r.jsx(Ti,{children:r.jsx(Vw,{})})}),r.jsx(Ie,{path:"/profile/:userId",element:r.jsx(Kw,{})})]})]});$h(document.getElementById("root")).render(r.jsx(S.StrictMode,{children:r.jsx(Ej,{store:kN,children:r.jsx(Yw,{})})})); +*/(function(e){(function(){var t={}.hasOwnProperty;function n(){for(var i="",a=0;a{i.target===e&&(s(),t(i))},n+o)}function $b(e){e.offsetHeight}const Np=e=>!e||typeof e=="function"?e:t=>{e.current=t};function Wb(e,t){const n=Np(e),o=Np(t);return s=>{n&&n(s),o&&o(s)}}function Is(e,t){return S.useMemo(()=>Wb(e,t),[e,t])}function Ub(e){return e&&"setState"in e?Wr.findDOMNode(e):e??null}const qb=I.forwardRef(({onEnter:e,onEntering:t,onEntered:n,onExit:o,onExiting:s,onExited:i,addEndListener:a,children:l,childRef:u,...c},d)=>{const f=S.useRef(null),g=Is(f,u),C=k=>{g(Ub(k))},x=k=>T=>{k&&f.current&&k(f.current,T)},N=S.useCallback(x(e),[e]),b=S.useCallback(x(t),[t]),h=S.useCallback(x(n),[n]),v=S.useCallback(x(o),[o]),m=S.useCallback(x(s),[s]),y=S.useCallback(x(i),[i]),E=S.useCallback(x(a),[a]);return r.jsx(hn,{ref:d,...c,onEnter:N,onEntered:h,onEntering:b,onExit:v,onExited:y,onExiting:m,addEndListener:E,nodeRef:f,children:typeof l=="function"?(k,T)=>l(k,{...T,ref:C}):I.cloneElement(l,{ref:C})})});function Vb(e){const t=S.useRef(e);return S.useEffect(()=>{t.current=e},[e]),t}function Kt(e){const t=Vb(e);return S.useCallback(function(...n){return t.current&&t.current(...n)},[t])}const Hb=e=>S.forwardRef((t,n)=>r.jsx("div",{...t,ref:n,className:xe(t.className,e)}));function Kb(){return S.useState(null)}function Yb(){const e=S.useRef(!0),t=S.useRef(()=>e.current);return S.useEffect(()=>(e.current=!0,()=>{e.current=!1}),[]),t.current}function Gb(e){const t=S.useRef(null);return S.useEffect(()=>{t.current=e}),t.current}const Qb=typeof global<"u"&&global.navigator&&global.navigator.product==="ReactNative",Xb=typeof document<"u",Cp=Xb||Qb?S.useLayoutEffect:S.useEffect,Jb=["as","disabled"];function Zb(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}function ew(e){return!e||e.trim()==="#"}function ng({tagName:e,disabled:t,href:n,target:o,rel:s,role:i,onClick:a,tabIndex:l=0,type:u}){e||(n!=null||o!=null||s!=null?e="a":e="button");const c={tagName:e};if(e==="button")return[{type:u||"button",disabled:t},c];const d=g=>{if((t||e==="a"&&ew(n))&&g.preventDefault(),t){g.stopPropagation();return}a==null||a(g)},f=g=>{g.key===" "&&(g.preventDefault(),d(g))};return e==="a"&&(n||(n="#"),t&&(n=void 0)),[{role:i??"button",disabled:void 0,tabIndex:t?void 0:l,href:n,target:e==="a"?o:void 0,"aria-disabled":t||void 0,rel:e==="a"?s:void 0,onClick:d,onKeyDown:f},c]}const tw=S.forwardRef((e,t)=>{let{as:n,disabled:o}=e,s=Zb(e,Jb);const[i,{tagName:a}]=ng(Object.assign({tagName:n,disabled:o},s));return r.jsx(a,Object.assign({},s,i,{ref:t}))});tw.displayName="Button";function nw(e){return e.code==="Escape"||e.keyCode===27}function rg(){const e=S.version.split(".");return{major:+e[0],minor:+e[1],patch:+e[2]}}const rw={[Sn]:"show",[sr]:"show"},Nd=S.forwardRef(({className:e,children:t,transitionClasses:n={},onEnter:o,...s},i)=>{const a={in:!1,timeout:300,mountOnEnter:!1,unmountOnExit:!1,appear:!1,...s},l=S.useCallback((d,f)=>{$b(d),o==null||o(d,f)},[o]),{major:u}=rg(),c=u>=19?t.props.ref:t.ref;return r.jsx(qb,{ref:i,addEndListener:zb,...a,onEnter:l,childRef:c,children:(d,f)=>S.cloneElement(t,{...f,className:xe("fade",e,t.props.className,rw[d],n[d])})})});Nd.displayName="Fade";const ow={"aria-label":Xt.string,onClick:Xt.func,variant:Xt.oneOf(["white"])},Cd=S.forwardRef(({className:e,variant:t,"aria-label":n="Close",...o},s)=>r.jsx("button",{ref:s,type:"button",className:xe("btn-close",t&&`btn-close-${t}`,e),"aria-label":n,...o}));Cd.displayName="CloseButton";Cd.propTypes=ow;const og=S.forwardRef(({as:e,bsPrefix:t,variant:n="primary",size:o,active:s=!1,disabled:i=!1,className:a,...l},u)=>{const c=Ae(t,"btn"),[d,{tagName:f}]=ng({tagName:e,disabled:i,...l}),g=f;return r.jsx(g,{...d,...l,ref:u,disabled:i,className:xe(a,c,s&&"active",n&&`${c}-${n}`,o&&`${c}-${o}`,l.href&&i&&"disabled")})});og.displayName="Button";function sw(e){const t=S.useRef(e);return t.current=e,t}function sg(e){const t=sw(e);S.useEffect(()=>()=>t.current(),[])}function iw(e,t){return S.Children.toArray(e).some(n=>S.isValidElement(n)&&n.type===t)}function aw({as:e,bsPrefix:t,className:n,...o}){t=Ae(t,"col");const s=Eb(),i=kb(),a=[],l=[];return s.forEach(u=>{const c=o[u];delete o[u];let d,f,g;typeof c=="object"&&c!=null?{span:d,offset:f,order:g}=c:d=c;const C=u!==i?`-${u}`:"";d&&a.push(d===!0?`${t}${C}`:`${t}${C}-${d}`),g!=null&&l.push(`order${C}-${g}`),f!=null&&l.push(`offset${C}-${f}`)}),[{...o,className:xe(n,...a,...l)},{as:e,bsPrefix:t,spans:a}]}const ig=S.forwardRef((e,t)=>{const[{className:n,...o},{as:s="div",bsPrefix:i,spans:a}]=aw(e);return r.jsx(s,{...o,ref:t,className:xe(n,!a.length&&i)})});ig.displayName="Col";var lw=Function.prototype.bind.call(Function.prototype.call,[].slice);function Pr(e,t){return lw(e.querySelectorAll(t))}function bp(e,t){if(e.contains)return e.contains(t);if(e.compareDocumentPosition)return e===t||!!(e.compareDocumentPosition(t)&16)}const cw="data-rr-ui-";function uw(e){return`${cw}${e}`}const ag=S.createContext(xo?window:void 0);ag.Provider;function bd(){return S.useContext(ag)}const dw={type:Xt.string,tooltip:Xt.bool,as:Xt.elementType},Xa=S.forwardRef(({as:e="div",className:t,type:n="valid",tooltip:o=!1,...s},i)=>r.jsx(e,{...s,ref:i,className:xe(t,`${n}-${o?"tooltip":"feedback"}`)}));Xa.displayName="Feedback";Xa.propTypes=dw;const fn=S.createContext({}),wd=S.forwardRef(({id:e,bsPrefix:t,className:n,type:o="checkbox",isValid:s=!1,isInvalid:i=!1,as:a="input",...l},u)=>{const{controlId:c}=S.useContext(fn);return t=Ae(t,"form-check-input"),r.jsx(a,{...l,ref:u,type:o,id:e||c,className:xe(n,t,s&&"is-valid",i&&"is-invalid")})});wd.displayName="FormCheckInput";const va=S.forwardRef(({bsPrefix:e,className:t,htmlFor:n,...o},s)=>{const{controlId:i}=S.useContext(fn);return e=Ae(e,"form-check-label"),r.jsx("label",{...o,ref:s,htmlFor:n||i,className:xe(t,e)})});va.displayName="FormCheckLabel";const lg=S.forwardRef(({id:e,bsPrefix:t,bsSwitchPrefix:n,inline:o=!1,reverse:s=!1,disabled:i=!1,isValid:a=!1,isInvalid:l=!1,feedbackTooltip:u=!1,feedback:c,feedbackType:d,className:f,style:g,title:C="",type:x="checkbox",label:N,children:b,as:h="input",...v},m)=>{t=Ae(t,"form-check"),n=Ae(n,"form-switch");const{controlId:y}=S.useContext(fn),E=S.useMemo(()=>({controlId:e||y}),[y,e]),k=!b&&N!=null&&N!==!1||iw(b,va),T=r.jsx(wd,{...v,type:x==="switch"?"checkbox":x,ref:m,isValid:a,isInvalid:l,disabled:i,as:h});return r.jsx(fn.Provider,{value:E,children:r.jsx("div",{style:g,className:xe(f,k&&t,o&&`${t}-inline`,s&&`${t}-reverse`,x==="switch"&&n),children:b||r.jsxs(r.Fragment,{children:[T,k&&r.jsx(va,{title:C,children:N}),c&&r.jsx(Xa,{type:d,tooltip:u,children:c})]})})})});lg.displayName="FormCheck";const ga=Object.assign(lg,{Input:wd,Label:va}),cg=S.forwardRef(({bsPrefix:e,type:t,size:n,htmlSize:o,id:s,className:i,isValid:a=!1,isInvalid:l=!1,plaintext:u,readOnly:c,as:d="input",...f},g)=>{const{controlId:C}=S.useContext(fn);return e=Ae(e,"form-control"),r.jsx(d,{...f,type:t,size:o,ref:g,readOnly:c,id:s||C,className:xe(i,u?`${e}-plaintext`:e,n&&`${e}-${n}`,t==="color"&&`${e}-color`,a&&"is-valid",l&&"is-invalid")})});cg.displayName="FormControl";const fw=Object.assign(cg,{Feedback:Xa}),ug=S.forwardRef(({className:e,bsPrefix:t,as:n="div",...o},s)=>(t=Ae(t,"form-floating"),r.jsx(n,{ref:s,className:xe(e,t),...o})));ug.displayName="FormFloating";const Sd=S.forwardRef(({controlId:e,as:t="div",...n},o)=>{const s=S.useMemo(()=>({controlId:e}),[e]);return r.jsx(fn.Provider,{value:s,children:r.jsx(t,{...n,ref:o})})});Sd.displayName="FormGroup";const dg=S.forwardRef(({as:e="label",bsPrefix:t,column:n=!1,visuallyHidden:o=!1,className:s,htmlFor:i,...a},l)=>{const{controlId:u}=S.useContext(fn);t=Ae(t,"form-label");let c="col-form-label";typeof n=="string"&&(c=`${c} ${c}-${n}`);const d=xe(s,t,o&&"visually-hidden",n&&c);return i=i||u,n?r.jsx(ig,{ref:l,as:"label",className:d,htmlFor:i,...a}):r.jsx(e,{ref:l,className:d,htmlFor:i,...a})});dg.displayName="FormLabel";const fg=S.forwardRef(({bsPrefix:e,className:t,id:n,...o},s)=>{const{controlId:i}=S.useContext(fn);return e=Ae(e,"form-range"),r.jsx("input",{...o,type:"range",ref:s,className:xe(t,e),id:n||i})});fg.displayName="FormRange";const pg=S.forwardRef(({bsPrefix:e,size:t,htmlSize:n,className:o,isValid:s=!1,isInvalid:i=!1,id:a,...l},u)=>{const{controlId:c}=S.useContext(fn);return e=Ae(e,"form-select"),r.jsx("select",{...l,size:n,ref:u,className:xe(o,e,t&&`${e}-${t}`,s&&"is-valid",i&&"is-invalid"),id:a||c})});pg.displayName="FormSelect";const mg=S.forwardRef(({bsPrefix:e,className:t,as:n="small",muted:o,...s},i)=>(e=Ae(e,"form-text"),r.jsx(n,{...s,ref:i,className:xe(t,e,o&&"text-muted")})));mg.displayName="FormText";const hg=S.forwardRef((e,t)=>r.jsx(ga,{...e,ref:t,type:"switch"}));hg.displayName="Switch";const pw=Object.assign(hg,{Input:ga.Input,Label:ga.Label}),vg=S.forwardRef(({bsPrefix:e,className:t,children:n,controlId:o,label:s,...i},a)=>(e=Ae(e,"form-floating"),r.jsxs(Sd,{ref:a,className:xe(t,e),controlId:o,...i,children:[n,r.jsx("label",{htmlFor:o,children:s})]})));vg.displayName="FloatingLabel";const mw={_ref:Xt.any,validated:Xt.bool,as:Xt.elementType},Ed=S.forwardRef(({className:e,validated:t,as:n="form",...o},s)=>r.jsx(n,{...o,ref:s,className:xe(e,t&&"was-validated")}));Ed.displayName="Form";Ed.propTypes=mw;const Zn=Object.assign(Ed,{Group:Sd,Control:fw,Floating:ug,Check:ga,Switch:pw,Label:dg,Text:mg,Range:fg,Select:pg,FloatingLabel:vg});var si;function wp(e){if((!si&&si!==0||e)&&xo){var t=document.createElement("div");t.style.position="absolute",t.style.top="-9999px",t.style.width="50px",t.style.height="50px",t.style.overflow="scroll",document.body.appendChild(t),si=t.offsetWidth-t.clientWidth,document.body.removeChild(t)}return si}function Xl(e){e===void 0&&(e=Qa());try{var t=e.activeElement;return!t||!t.nodeName?null:t}catch{return e.body}}function hw(e=document){const t=e.defaultView;return Math.abs(t.innerWidth-e.documentElement.clientWidth)}const Sp=uw("modal-open");class kd{constructor({ownerDocument:t,handleContainerOverflow:n=!0,isRTL:o=!1}={}){this.handleContainerOverflow=n,this.isRTL=o,this.modals=[],this.ownerDocument=t}getScrollbarWidth(){return hw(this.ownerDocument)}getElement(){return(this.ownerDocument||document).body}setModalAttributes(t){}removeModalAttributes(t){}setContainerStyle(t){const n={overflow:"hidden"},o=this.isRTL?"paddingLeft":"paddingRight",s=this.getElement();t.style={overflow:s.style.overflow,[o]:s.style[o]},t.scrollBarWidth&&(n[o]=`${parseInt(mr(s,o)||"0",10)+t.scrollBarWidth}px`),s.setAttribute(Sp,""),mr(s,n)}reset(){[...this.modals].forEach(t=>this.remove(t))}removeContainerStyle(t){const n=this.getElement();n.removeAttribute(Sp),Object.assign(n.style,t.style)}add(t){let n=this.modals.indexOf(t);return n!==-1||(n=this.modals.length,this.modals.push(t),this.setModalAttributes(t),n!==0)||(this.state={scrollBarWidth:this.getScrollbarWidth(),style:{}},this.handleContainerOverflow&&this.setContainerStyle(this.state)),n}remove(t){const n=this.modals.indexOf(t);n!==-1&&(this.modals.splice(n,1),!this.modals.length&&this.handleContainerOverflow&&this.removeContainerStyle(this.state),this.removeModalAttributes(t))}isTopModal(t){return!!this.modals.length&&this.modals[this.modals.length-1]===t}}const Jl=(e,t)=>xo?e==null?(t||Qa()).body:(typeof e=="function"&&(e=e()),e&&"current"in e&&(e=e.current),e&&("nodeType"in e||e.getBoundingClientRect)?e:null):null;function vw(e,t){const n=bd(),[o,s]=S.useState(()=>Jl(e,n==null?void 0:n.document));if(!o){const i=Jl(e);i&&s(i)}return S.useEffect(()=>{},[t,o]),S.useEffect(()=>{const i=Jl(e);i!==o&&s(i)},[e,o]),o}function gw({children:e,in:t,onExited:n,mountOnEnter:o,unmountOnExit:s}){const i=S.useRef(null),a=S.useRef(t),l=Kt(n);S.useEffect(()=>{t?a.current=!0:l(i.current)},[t,l]);const u=Is(i,e.ref),c=S.cloneElement(e,{ref:u});return t?c:s||!a.current&&o?null:c}const xw=["onEnter","onEntering","onEntered","onExit","onExiting","onExited","addEndListener","children"];function yw(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}function jw(e){let{onEnter:t,onEntering:n,onEntered:o,onExit:s,onExiting:i,onExited:a,addEndListener:l,children:u}=e,c=yw(e,xw);const{major:d}=rg(),f=d>=19?u.props.ref:u.ref,g=S.useRef(null),C=Is(g,typeof u=="function"?null:f),x=k=>T=>{k&&g.current&&k(g.current,T)},N=S.useCallback(x(t),[t]),b=S.useCallback(x(n),[n]),h=S.useCallback(x(o),[o]),v=S.useCallback(x(s),[s]),m=S.useCallback(x(i),[i]),y=S.useCallback(x(a),[a]),E=S.useCallback(x(l),[l]);return Object.assign({},c,{nodeRef:g},t&&{onEnter:N},n&&{onEntering:b},o&&{onEntered:h},s&&{onExit:v},i&&{onExiting:m},a&&{onExited:y},l&&{addEndListener:E},{children:typeof u=="function"?(k,T)=>u(k,Object.assign({},T,{ref:C})):S.cloneElement(u,{ref:C})})}const Nw=["component"];function Cw(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}const bw=S.forwardRef((e,t)=>{let{component:n}=e,o=Cw(e,Nw);const s=jw(o);return r.jsx(n,Object.assign({ref:t},s))});function ww({in:e,onTransition:t}){const n=S.useRef(null),o=S.useRef(!0),s=Kt(t);return Cp(()=>{if(!n.current)return;let i=!1;return s({in:e,element:n.current,initial:o.current,isStale:()=>i}),()=>{i=!0}},[e,s]),Cp(()=>(o.current=!1,()=>{o.current=!0}),[]),n}function Sw({children:e,in:t,onExited:n,onEntered:o,transition:s}){const[i,a]=S.useState(!t);t&&i&&a(!1);const l=ww({in:!!t,onTransition:c=>{const d=()=>{c.isStale()||(c.in?o==null||o(c.element,c.initial):(a(!0),n==null||n(c.element)))};Promise.resolve(s(c)).then(d,f=>{throw c.in||a(!0),f})}}),u=Is(l,e.ref);return i&&!t?null:S.cloneElement(e,{ref:u})}function Ep(e,t,n){return e?r.jsx(bw,Object.assign({},n,{component:e})):t?r.jsx(Sw,Object.assign({},n,{transition:t})):r.jsx(gw,Object.assign({},n))}const Ew=["show","role","className","style","children","backdrop","keyboard","onBackdropClick","onEscapeKeyDown","transition","runTransition","backdropTransition","runBackdropTransition","autoFocus","enforceFocus","restoreFocus","restoreFocusOptions","renderDialog","renderBackdrop","manager","container","onShow","onHide","onExit","onExited","onExiting","onEnter","onEntering","onEntered"];function kw(e,t){if(e==null)return{};var n={};for(var o in e)if({}.hasOwnProperty.call(e,o)){if(t.indexOf(o)>=0)continue;n[o]=e[o]}return n}let Zl;function Pw(e){return Zl||(Zl=new kd({ownerDocument:e==null?void 0:e.document})),Zl}function _w(e){const t=bd(),n=e||Pw(t),o=S.useRef({dialog:null,backdrop:null});return Object.assign(o.current,{add:()=>n.add(o.current),remove:()=>n.remove(o.current),isTopModal:()=>n.isTopModal(o.current),setDialogRef:S.useCallback(s=>{o.current.dialog=s},[]),setBackdropRef:S.useCallback(s=>{o.current.backdrop=s},[])})}const gg=S.forwardRef((e,t)=>{let{show:n=!1,role:o="dialog",className:s,style:i,children:a,backdrop:l=!0,keyboard:u=!0,onBackdropClick:c,onEscapeKeyDown:d,transition:f,runTransition:g,backdropTransition:C,runBackdropTransition:x,autoFocus:N=!0,enforceFocus:b=!0,restoreFocus:h=!0,restoreFocusOptions:v,renderDialog:m,renderBackdrop:y=pe=>r.jsx("div",Object.assign({},pe)),manager:E,container:k,onShow:T,onHide:O=()=>{},onExit:B,onExited:$,onExiting:H,onEnter:te,onEntering:Q,onEntered:Z}=e,D=kw(e,Ew);const U=bd(),G=vw(k),R=_w(E),A=Yb(),L=Gb(n),[F,W]=S.useState(!n),K=S.useRef(null);S.useImperativeHandle(t,()=>R,[R]),xo&&!L&&n&&(K.current=Xl(U==null?void 0:U.document)),n&&F&&W(!1);const Y=Kt(()=>{if(R.add(),ce.current=ha(document,"keydown",oe),ie.current=ha(document,"focus",()=>setTimeout(re),!0),T&&T(),N){var pe,Bt;const Ke=Xl((pe=(Bt=R.dialog)==null?void 0:Bt.ownerDocument)!=null?pe:U==null?void 0:U.document);R.dialog&&Ke&&!bp(R.dialog,Ke)&&(K.current=Ke,R.dialog.focus())}}),ee=Kt(()=>{if(R.remove(),ce.current==null||ce.current(),ie.current==null||ie.current(),h){var pe;(pe=K.current)==null||pe.focus==null||pe.focus(v),K.current=null}});S.useEffect(()=>{!n||!G||Y()},[n,G,Y]),S.useEffect(()=>{F&&ee()},[F,ee]),sg(()=>{ee()});const re=Kt(()=>{if(!b||!A()||!R.isTopModal())return;const pe=Xl(U==null?void 0:U.document);R.dialog&&pe&&!bp(R.dialog,pe)&&R.dialog.focus()}),ne=Kt(pe=>{pe.target===pe.currentTarget&&(c==null||c(pe),l===!0&&O())}),oe=Kt(pe=>{u&&nw(pe)&&R.isTopModal()&&(d==null||d(pe),pe.defaultPrevented||O())}),ie=S.useRef(),ce=S.useRef(),he=(...pe)=>{W(!0),$==null||$(...pe)};if(!G)return null;const Me=Object.assign({role:o,ref:R.setDialogRef,"aria-modal":o==="dialog"?!0:void 0},D,{style:i,className:s,tabIndex:-1});let yt=m?m(Me):r.jsx("div",Object.assign({},Me,{children:S.cloneElement(a,{role:"document"})}));yt=Ep(f,g,{unmountOnExit:!0,mountOnEnter:!0,appear:!0,in:!!n,onExit:B,onExiting:H,onExited:he,onEnter:te,onEntering:Q,onEntered:Z,children:yt});let Lt=null;return l&&(Lt=y({ref:R.setBackdropRef,onClick:ne}),Lt=Ep(C,x,{in:!!n,appear:!0,mountOnEnter:!0,unmountOnExit:!0,children:Lt})),r.jsx(r.Fragment,{children:Wr.createPortal(r.jsxs(r.Fragment,{children:[Lt,yt]}),G)})});gg.displayName="Modal";const Ow=Object.assign(gg,{Manager:kd});function Tw(e,t){return e.classList?e.classList.contains(t):(" "+(e.className.baseVal||e.className)+" ").indexOf(" "+t+" ")!==-1}function Rw(e,t){e.classList?e.classList.add(t):Tw(e,t)||(typeof e.className=="string"?e.className=e.className+" "+t:e.setAttribute("class",(e.className&&e.className.baseVal||"")+" "+t))}function kp(e,t){return e.replace(new RegExp("(^|\\s)"+t+"(?:\\s|$)","g"),"$1").replace(/\s+/g," ").replace(/^\s*|\s*$/g,"")}function Aw(e,t){e.classList?e.classList.remove(t):typeof e.className=="string"?e.className=kp(e.className,t):e.setAttribute("class",kp(e.className&&e.className.baseVal||"",t))}const _r={FIXED_CONTENT:".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",STICKY_CONTENT:".sticky-top",NAVBAR_TOGGLER:".navbar-toggler"};class Iw extends kd{adjustAndStore(t,n,o){const s=n.style[t];n.dataset[t]=s,mr(n,{[t]:`${parseFloat(mr(n,t))+o}px`})}restore(t,n){const o=n.dataset[t];o!==void 0&&(delete n.dataset[t],mr(n,{[t]:o}))}setContainerStyle(t){super.setContainerStyle(t);const n=this.getElement();if(Rw(n,"modal-open"),!t.scrollBarWidth)return;const o=this.isRTL?"paddingLeft":"paddingRight",s=this.isRTL?"marginLeft":"marginRight";Pr(n,_r.FIXED_CONTENT).forEach(i=>this.adjustAndStore(o,i,t.scrollBarWidth)),Pr(n,_r.STICKY_CONTENT).forEach(i=>this.adjustAndStore(s,i,-t.scrollBarWidth)),Pr(n,_r.NAVBAR_TOGGLER).forEach(i=>this.adjustAndStore(s,i,t.scrollBarWidth))}removeContainerStyle(t){super.removeContainerStyle(t);const n=this.getElement();Aw(n,"modal-open");const o=this.isRTL?"paddingLeft":"paddingRight",s=this.isRTL?"marginLeft":"marginRight";Pr(n,_r.FIXED_CONTENT).forEach(i=>this.restore(o,i)),Pr(n,_r.STICKY_CONTENT).forEach(i=>this.restore(s,i)),Pr(n,_r.NAVBAR_TOGGLER).forEach(i=>this.restore(s,i))}}let ec;function Dw(e){return ec||(ec=new Iw(e)),ec}const xg=S.forwardRef(({className:e,bsPrefix:t,as:n="div",...o},s)=>(t=Ae(t,"modal-body"),r.jsx(n,{ref:s,className:xe(e,t),...o})));xg.displayName="ModalBody";const yg=S.createContext({onHide(){}}),Pd=S.forwardRef(({bsPrefix:e,className:t,contentClassName:n,centered:o,size:s,fullscreen:i,children:a,scrollable:l,...u},c)=>{e=Ae(e,"modal");const d=`${e}-dialog`,f=typeof i=="string"?`${e}-fullscreen-${i}`:`${e}-fullscreen`;return r.jsx("div",{...u,ref:c,className:xe(d,t,s&&`${e}-${s}`,o&&`${d}-centered`,l&&`${d}-scrollable`,i&&f),children:r.jsx("div",{className:xe(`${e}-content`,n),children:a})})});Pd.displayName="ModalDialog";const jg=S.forwardRef(({className:e,bsPrefix:t,as:n="div",...o},s)=>(t=Ae(t,"modal-footer"),r.jsx(n,{ref:s,className:xe(e,t),...o})));jg.displayName="ModalFooter";const Fw=S.forwardRef(({closeLabel:e="Close",closeVariant:t,closeButton:n=!1,onHide:o,children:s,...i},a)=>{const l=S.useContext(yg),u=Kt(()=>{l==null||l.onHide(),o==null||o()});return r.jsxs("div",{ref:a,...i,children:[s,n&&r.jsx(Cd,{"aria-label":e,variant:t,onClick:u})]})}),Ng=S.forwardRef(({bsPrefix:e,className:t,closeLabel:n="Close",closeButton:o=!1,...s},i)=>(e=Ae(e,"modal-header"),r.jsx(Fw,{ref:i,...s,className:xe(t,e),closeLabel:n,closeButton:o})));Ng.displayName="ModalHeader";const Mw=Hb("h4"),Cg=S.forwardRef(({className:e,bsPrefix:t,as:n=Mw,...o},s)=>(t=Ae(t,"modal-title"),r.jsx(n,{ref:s,className:xe(e,t),...o})));Cg.displayName="ModalTitle";function Lw(e){return r.jsx(Nd,{...e,timeout:null})}function Bw(e){return r.jsx(Nd,{...e,timeout:null})}const bg=S.forwardRef(({bsPrefix:e,className:t,style:n,dialogClassName:o,contentClassName:s,children:i,dialogAs:a=Pd,"data-bs-theme":l,"aria-labelledby":u,"aria-describedby":c,"aria-label":d,show:f=!1,animation:g=!0,backdrop:C=!0,keyboard:x=!0,onEscapeKeyDown:N,onShow:b,onHide:h,container:v,autoFocus:m=!0,enforceFocus:y=!0,restoreFocus:E=!0,restoreFocusOptions:k,onEntered:T,onExit:O,onExiting:B,onEnter:$,onEntering:H,onExited:te,backdropClassName:Q,manager:Z,...D},U)=>{const[G,R]=S.useState({}),[A,L]=S.useState(!1),F=S.useRef(!1),W=S.useRef(!1),K=S.useRef(null),[Y,ee]=Kb(),re=Is(U,ee),ne=Kt(h),oe=Pb();e=Ae(e,"modal");const ie=S.useMemo(()=>({onHide:ne}),[ne]);function ce(){return Z||Dw({isRTL:oe})}function he(de){if(!xo)return;const Wt=ce().getScrollbarWidth()>0,gn=de.scrollHeight>Qa(de).documentElement.clientHeight;R({paddingRight:Wt&&!gn?wp():void 0,paddingLeft:!Wt&&gn?wp():void 0})}const Me=Kt(()=>{Y&&he(Y.dialog)});sg(()=>{vu(window,"resize",Me),K.current==null||K.current()});const yt=()=>{F.current=!0},Lt=de=>{F.current&&Y&&de.target===Y.dialog&&(W.current=!0),F.current=!1},pe=()=>{L(!0),K.current=tg(Y.dialog,()=>{L(!1)})},Bt=de=>{de.target===de.currentTarget&&pe()},Ke=de=>{if(C==="static"){Bt(de);return}if(W.current||de.target!==de.currentTarget){W.current=!1;return}h==null||h()},Gn=de=>{x?N==null||N(de):(de.preventDefault(),C==="static"&&pe())},Jt=(de,Wt)=>{de&&he(de),$==null||$(de,Wt)},yo=de=>{K.current==null||K.current(),O==null||O(de)},jo=(de,Wt)=>{H==null||H(de,Wt),eg(window,"resize",Me)},Qn=de=>{de&&(de.style.display=""),te==null||te(de),vu(window,"resize",Me)},zt=S.useCallback(de=>r.jsx("div",{...de,className:xe(`${e}-backdrop`,Q,!g&&"show")}),[g,Q,e]),vn={...n,...G};vn.display="block";const $t=de=>r.jsx("div",{role:"dialog",...de,style:vn,className:xe(t,e,A&&`${e}-static`,!g&&"show"),onClick:C?Ke:void 0,onMouseUp:Lt,"data-bs-theme":l,"aria-label":d,"aria-labelledby":u,"aria-describedby":c,children:r.jsx(a,{...D,onMouseDown:yt,className:o,contentClassName:s,children:i})});return r.jsx(yg.Provider,{value:ie,children:r.jsx(Ow,{show:f,ref:re,backdrop:C,container:v,keyboard:!0,autoFocus:m,enforceFocus:y,restoreFocus:E,restoreFocusOptions:k,onEscapeKeyDown:Gn,onShow:b,onHide:h,onEnter:Jt,onEntering:jo,onEntered:T,onExit:yo,onExiting:B,onExited:Qn,manager:ce(),transition:g?Lw:void 0,backdropTransition:g?Bw:void 0,renderBackdrop:zt,renderDialog:$t})})});bg.displayName="Modal";const ii=Object.assign(bg,{Body:xg,Header:Ng,Title:Cg,Footer:jg,Dialog:Pd,TRANSITION_DURATION:300,BACKDROP_TRANSITION_DURATION:150}),zw=()=>{var E;const{id:e}=go(),t=Ft(),{selectedProperty:n,status:o,error:s}=Ve(k=>k.property),{user:i}=Ve(k=>({...k.auth})),{fundDetails:a}=Ve(k=>k.fundDetails);S.useEffect(()=>{t(Xo(e))},[t,e]);const[l,u]=S.useState("propertydetails"),[c,d]=S.useState(!0),[f,g]=S.useState(!1),[C,x]=S.useState({fundValue:"0",fundPercentage:"0"});if(S.useEffect(()=>{e&&t(Go(e))},[e,t]),S.useEffect(()=>{t(Xo(e))},[t,e]),S.useEffect(()=>{o==="succeeded"&&d(!1)},[o]),o==="failed")return r.jsxs("p",{children:["Error loading property: ",s]});const N=((E=i==null?void 0:i.result)==null?void 0:E.userId)===(n==null?void 0:n.userId),b=!!i,h=()=>{g(!0)},v=()=>{g(!1)},m=k=>{const{name:T,value:O}=k.target;x({...C,[T]:O})},y=k=>{k.preventDefault();const T={fundValue:Number(C.fundValue),fundPercentage:Number(C.fundPercentage)};t(_i({id:e,fundDetails:T,toast:le})),v()};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{className:"container tabs-wrap col-12",children:[r.jsx(Re,{}),r.jsxs("ul",{className:"nav nav-tabs",role:"tablist",children:[r.jsx("li",{role:"presentation",className:l==="propertydetails"?"active tab":"tab",children:r.jsx("a",{onClick:()=>u("propertydetails"),role:"tab",children:"Property Details"})}),r.jsx("li",{role:"presentation",className:l==="Funding Details"?"active tab":"tab",children:r.jsx("a",{onClick:()=>u("Funding Details"),role:"tab",children:"Funding Details"})}),r.jsx("li",{role:"presentation",className:l==="Accounting"?"active tab":"tab",children:r.jsx("a",{onClick:()=>u("Accounting"),role:"tab",children:"Accounting"})})]}),r.jsxs("div",{className:"tab-content",children:[l==="propertydetails"&&r.jsx("div",{role:"tabpanel",className:"card container tab-pane active col-12",children:r.jsx("div",{className:"container col-12",children:c?r.jsx("div",{className:"loader",children:"Loading..."}):n?r.jsx("div",{className:"py-3 py-md-5 bg-light",children:r.jsxs("div",{className:"card-header bg-white",children:[r.jsxs("div",{className:"row",children:[r.jsxs("div",{className:"col-md-5 mt-3",children:[r.jsx("div",{children:n.images&&n.images[0]?r.jsx("img",{src:n.images[0].file||Yt,alt:"Property Thumbnail",style:{marginTop:"0px",maxWidth:"400px",maxHeight:"400px"}}):r.jsx("img",{src:Yt,alt:"Default Property Thumbnail",style:{marginTop:"0px",maxWidth:"400px",maxHeight:"400px"}})}),r.jsx("br",{}),r.jsxs("div",{className:"label-stock border",children:[r.jsxs("p",{style:{color:"#fda417",fontSize:"30px",padding:"10px",fontWeight:"normal"},children:["Funding Required:"," ",r.jsxs("span",{style:{color:"#000000",fontSize:"25px"},children:[r.jsx("span",{className:"fa fa-dollar",style:{color:"#F74B02"}})," ",n.totalCoststoBuyAtoB]})]}),r.jsxs("p",{style:{color:"#fda417",fontSize:"30px",padding:"10px",fontWeight:"normal"},children:["Net profit:"," ",r.jsxs("span",{style:{color:"#000000",fontSize:"25px"},children:[r.jsx("span",{className:"fa fa-dollar",style:{color:"#F74B02"}})," ",n.NetProfit]})]})]}),r.jsx("br",{}),r.jsxs("button",{className:"btn btn-primary back",style:{backgroundColor:"#fda417",border:"#fda417"},disabled:N||!b,onClick:N||!b?null:h,children:[r.jsx("span",{style:{fontSize:"25px",fontWeight:"normal"},children:"Willing to Invest/Fund"})," "]}),N&&r.jsx("span",{style:{color:"red",marginTop:"10px"},children:"You cannot invest in your own property."}),!b&&r.jsx("span",{style:{color:"red",marginTop:"10px"},children:"Please login to invest."})]}),r.jsx("div",{className:"col-md-7 mt-3",children:r.jsxs("div",{className:"product-view",children:[r.jsxs("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:[n.address,r.jsx("label",{className:"label-stock bg-success",children:"Verified Property"})]}),r.jsx("hr",{}),r.jsxs("p",{className:"product-path",children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["City:"," "]})," ",n.city," "," /"," "," "," ",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["County:"," "]})," ",n.county," "," ","/"," "," ",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["State:"," "]})," ",n.state," "," ","/ "," "," ",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["Zipcode:"," "]})," ",n.zip," "]}),r.jsxs("div",{children:[r.jsxs("span",{className:"selling-price",style:{color:"#fda417",fontSize:"15px"},children:["Total Living Square Foot:"," "]}),n.totallivingsqft,r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Cost per Square Foot:"," "]}),"$",n.costpersqft,"/sqft",r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Year Built:"," "]}),n.yearBuild]}),r.jsxs("div",{className:"mt-3 card bg-white label-stock border",children:[r.jsx("h5",{className:"mb-0",style:{color:"#fda417",fontSize:"15px"},children:"Legal Description"}),r.jsx("span",{children:n.legal?n.legal:"No data available"})]})]})})]}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12 mt-3",children:r.jsxs("div",{className:"card",children:[r.jsx("div",{className:"card-header bg-white",children:r.jsx("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:"Description"})}),r.jsx("div",{className:"card-body",children:r.jsx("p",{children:"Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum."})})]})})})]})}):r.jsx("p",{children:"No property found."})})}),l==="Funding Details"&&r.jsx("div",{children:l==="Funding Details"&&r.jsx("div",{className:"tab-pane active",children:r.jsxs("div",{children:[n.fundDetails.length===0?r.jsx("p",{children:"No fund details available."}):r.jsx("ul",{children:n.fundDetails.map((k,T)=>r.jsxs("li",{children:["Fund Value: ",k.fundValue,", Fund Percentage: ",k.fundPercentage,"%"]},T))}),a.length===0?r.jsx("p",{children:"No fund details available."}):r.jsx("ul",{children:a.map((k,T)=>r.jsxs("li",{children:["Fund Value: ",k.fundValue,", Fund Percentage: ",k.fundPercentage,"%"]},T))})]})})}),l==="Accounting"&&r.jsx("div",{})]})]}),r.jsx(Ze,{}),r.jsxs(ii,{show:f,onHide:v,children:[r.jsx(ii.Header,{closeButton:!0,children:r.jsx(ii.Title,{children:"Investment/Funding Details"})}),r.jsx(ii.Body,{children:r.jsxs(Zn,{onSubmit:y,children:[r.jsxs(Zn.Group,{children:[r.jsx(Zn.Label,{children:"Fund Value"}),r.jsx(Zn.Control,{type:"number",id:"fundValue",name:"fundValue",value:C.fundValue,onChange:m})]}),r.jsxs(Zn.Group,{children:[r.jsx(Zn.Label,{children:"Fund Percentage"}),r.jsx(Zn.Control,{type:"number",id:"fundPercentage",name:"fundPercentage",value:C.fundPercentage,onChange:m})]}),r.jsx(og,{variant:"primary",type:"submit",children:"Submit"})]})})]})]})},$w=()=>{const[e,t]=S.useState([]),[n,o]=S.useState(0),[s,i]=S.useState(0),[a]=S.useState(10),[l,u]=S.useState(""),[c,d]=S.useState(!1),[f,g]=S.useState(!1),C=async()=>{d(!0),g(!1);try{const h=await ve.get("http://67.225.129.127:3002/mysql/searchmysql",{params:{limit:a,offset:s*a,search:l},headers:{"Cache-Control":"no-cache"}});t(h.data.data),o(h.data.totalRecords),l.trim()&&g(!0)}catch(h){console.log("Error fetching data:",h)}finally{d(!1)}},x=h=>{u(h.target.value),h.target.value.trim()===""&&(i(0),t([]),o(0),g(!1),C())},N=h=>{h.key==="Enter"&&(h.preventDefault(),C())};S.useEffect(()=>{C()},[l,s]);const b=Math.ceil(n/a);return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsxs("div",{className:"container col-12",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-lg-12 card-margin col-12",children:r.jsx("div",{className:"card search-form col-12",children:r.jsx("div",{className:"card-body p-0",children:r.jsx("form",{id:"search-form",children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"row no-gutters",children:r.jsx("div",{className:"col-lg-8 col-md-6 col-sm-12 p-0",children:r.jsx("input",{type:"text",placeholder:"Enter the keyword and hit ENTER button...",className:"form-control",id:"search",name:"search",value:l,onChange:x,onKeyDown:N})})})})})})})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"card card-margin",children:r.jsxs("div",{className:"card-body",children:[f&&e.length>0&&r.jsxs("div",{children:["Showing search results for the keyword"," ",r.jsx("span",{style:{color:"#fda417",fontSize:"25px"},children:l})]}),r.jsx("div",{className:"table-responsive",children:r.jsxs("table",{className:"table widget-26",children:[r.jsx("thead",{style:{color:"#fda417",fontSize:"15px"},children:r.jsxs("tr",{children:[r.jsx("th",{children:"Details"}),r.jsx("th",{children:"Total Living Square Foot"}),r.jsx("th",{children:"Year Built"}),r.jsx("th",{children:"Cost per Square Foot"})]})}),r.jsx("tbody",{children:e.length>0?e.map((h,v)=>r.jsxs("tr",{children:[r.jsx("td",{children:r.jsxs("div",{className:"widget-26-job-title",children:[r.jsx(Ne,{to:`/properties/${h.house_id}`,className:"link-primary text-decoration-none",target:"_blank",children:h.address}),r.jsxs("p",{className:"m-0",children:[r.jsxs("span",{className:"employer-name",children:[r.jsx("i",{className:"fa fa-map-marker",style:{color:"#F74B02"}}),h.city,", ",h.county,",",h.state]}),r.jsxs("p",{className:"text-muted m-0",children:["House Id: ",h.house_id]})]})]})}),r.jsx("td",{children:r.jsx("div",{className:"widget-26-job-info",children:r.jsx("p",{className:"m-0",children:h.total_living_sqft})})}),r.jsx("td",{children:r.jsx("div",{className:"widget-26-job-info",children:r.jsx("p",{className:"m-0",children:h.year_built})})}),r.jsx("td",{children:r.jsxs("div",{className:"widget-26-job-salary",children:["$ ",h.cost_per_sqft,"/sqft"]})})]},v)):r.jsx("tr",{children:r.jsx("td",{colSpan:"4",children:"No results found"})})})]})}),r.jsxs("div",{children:[r.jsx("button",{onClick:()=>i(s-1),disabled:s===0||c,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Previous"}),r.jsxs("span",{children:[" ","Page ",s+1," of ",b," "]}),r.jsx("button",{onClick:()=>i(s+1),disabled:s+1>=b||c,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Next"})]})]})})})})]}),r.jsx(Ze,{})]})},Ww=()=>r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),"This page will show the list of services offered by the company",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx(Ze,{})]}),Uw=()=>{const{house_id:e}=go();console.log("house_id",e);const[t,n]=S.useState(null),[o,s]=S.useState(!0);return S.useEffect(()=>{(async()=>{try{const a=await ve.get(`http://67.225.129.127:3002/mysql/properties/${e}`);n(a.data)}catch(a){console.log("Error fetching property details:",a)}finally{s(!1)}})()},[e]),r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("div",{className:"container col-12",children:o?r.jsx("div",{className:"loader",children:"Loading..."}):t?r.jsx("div",{className:"py-3 py-md-5 bg-light",children:r.jsxs("div",{className:"card-header bg-white",children:[r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-md-5 mt-3",children:r.jsx("div",{className:"bg-white border",children:r.jsx("img",{src:Yt,className:"w-70",alt:"Img",style:{marginTop:"0px",maxWidth:"450px",maxHeight:"450px"}})})}),r.jsx("div",{className:"col-md-7 mt-3",children:r.jsxs("div",{className:"product-view",children:[r.jsxs("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:[t.address,r.jsx("label",{className:"label-stock bg-success",children:"Verified Property"})]}),r.jsx("hr",{}),r.jsxs("p",{className:"product-path",children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["city:"," "]})," ",t.city," /",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["County:"," "]})," ",t.county," /",r.jsxs("span",{style:{color:"#fda417",fontSize:"15px"},children:["State:"," "]})," ",t.state," /",r.jsx("span",{style:{color:"#fda417",fontSize:"15px"},children:"Zipcode:"})," ",t.zip]}),r.jsxs("div",{children:[r.jsxs("span",{className:"selling-price",style:{color:"#fda417",fontSize:"15px"},children:["Total Living Square Foot:"," "]}),t.total_living_sqft,r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Cost per Square Foot:"," "]}),"$",t.cost_per_sqft,"/sqft",r.jsx("p",{}),r.jsxs("span",{className:"",style:{color:"#fda417",fontSize:"15px"},children:["Year Built:"," "]}),t.year_built]}),r.jsxs("div",{className:"mt-3 card bg-white",children:[r.jsx("h5",{className:"mb-0",style:{color:"#fda417",fontSize:"15px"},children:"Legal Summary report"}),r.jsx("span",{children:t.legal_summary_report?t.legal_summary_report:"No data available"})]})]})})]}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-md-12 mt-3",children:r.jsxs("div",{className:"card",children:[r.jsx("div",{className:"card-header bg-white",children:r.jsx("h4",{className:"product-name",style:{color:"#fda417",fontSize:"25px"},children:"Description"})}),r.jsx("div",{className:"card-body",children:r.jsx("p",{children:"Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum."})})]})})})]})}):r.jsx("p",{children:"No property details found."})}),r.jsx(Ze,{})]})},qw=()=>{const{id:e}=go(),t=Ft(),[n,o]=S.useState("propertydetails"),s=()=>{n==="propertydetails"&&o("Images"),n==="Images"&&o("Accounting")},i=()=>{n==="Images"&&o("propertydetails"),n==="Accounting"&&o("Images")},{selectedProperty:a}=Ve(P=>P.property),[l,u]=S.useState({address:"",city:"",state:"",zip:"",propertyTaxInfo:[{propertytaxowned:"0",ownedyear:"0",taxassessed:"0",taxyear:"0"}],images:[{title:"",file:""}],googleMapLink:"",purchaseCost:"0",costPaidAtoB:[{title:"Closing Fees - Settlement Fee",price:"0"},{title:"Closing Fees - Owner's Title Insurance",price:"0"},{title:"Courier Fees",price:"0"},{title:"Wire Fee",price:"0"},{title:"E recording Fee",price:"0"},{title:"Recording Fee",price:"0"},{title:"Property Tax",price:"0"}],renovationRisk:null,turnTime:"",credits:[{title:"Credits",price:"0"}],cashAdjustments:[{title:"Cash Adjustments",price:"0"}],incidentalCost:[{title:"Accounting Fees",price:"0"},{title:"Bank Charges",price:"0"},{title:"Legal Fees",price:"0"},{title:"Property Taxes",price:"0"},{title:"Travel Expenses",price:"0"}],carryCosts:[{title:"Electricity",price:"0"},{title:"Water and Sewer",price:"0"},{title:"Natural Gas",price:"0"},{title:"Trash and Recycling",price:"0"},{title:"Internet and Cable",price:"0"},{title:"Heating Oil/Propane",price:"0"},{title:"HOA fees",price:"0"},{title:"Dump fees",price:"0"},{title:"Insurance",price:"0"},{title:"Interest on Loans",price:"0"},{title:"Loan Payment",price:"0"},{title:"Property Taxes",price:"0"},{title:"Security",price:"0"},{title:"Real Estates fees",price:"0"}],renovationCost:[{title:"Demolition: Removing existing structures or finishes",price:"0"},{title:"Framing: Making structural changes or additions",price:"0"},{title:"Plumbing: Installing or modifying plumbing systems",price:"0"},{title:"Electrical: Updating wiring and fixtures",price:"0"},{title:"HVAC: Installing or upgrading heating and cooling systems",price:"0"},{title:"Insulation: Adding or replacing insulation",price:"0"},{title:"Drywall: Hanging and finishing drywall",price:"0"},{title:"Interior Finishes: Painting, flooring, cabinetry, and fixtures",price:"0"},{title:"Exterior Work: Addressing siding, roofing, or landscaping, if applicable",price:"0"},{title:"Final Inspections: Ensuring everything meets codes",price:"0"},{title:"Punch List: Completing any remaining task",price:"0"}],sellingPriceBtoC:"0",costPaidOutofClosing:[{title:"Buyers Agent Commission",price:"0"},{title:"Sellers Agent Commission",price:"0"},{title:"Home Warranty",price:"0"},{title:"Document Preparation",price:"0"},{title:"Excise Tax",price:"0"},{title:"Legal Fees",price:"0"},{title:"Wire Fees/courier Fees",price:"0"},{title:"County Taxes",price:"0"},{title:"HOA Fee",price:"0"},{title:"Payoff of 1st Mortgage",price:"0"},{title:"Payoff of 2nd Mortgage",price:"0"},{title:"Payoff 3rd Mortgage",price:"0"}],adjustments:[{title:"adjustments",price:"0"}],incomestatement:[{title:"income statement",price:"0"},{title:"income statement",price:"0"}],fundspriortoclosing:"0",shorttermrental:"0",OtherIncome:"0",InsuranceClaim:"0",LongTermRental:"0",FinancingCostClosingCost:"0"}),c=[1,2,3,4,5,6,7,8,9,10];S.useEffect(()=>{t(Go(e))},[t,e]),S.useEffect(()=>{a&&u({address:a.address||"",city:a.city||"",state:a.state||"",zip:a.zip||"",parcel:a.parcel||"",subdivision:a.subdivision||"",legal:a.legal||"",costpersqft:a.costpersqft||"",propertyType:a.propertyType||"",lotacres:a.lotacres||"",yearBuild:a.yearBuild||"",totallivingsqft:a.totallivingsqft||"",beds:a.beds||"",baths:a.baths||"",stories:a.stories||"",garage:a.garage||"",garagesqft:a.garagesqft||"",poolspa:a.poolspa||"",fireplaces:a.fireplaces||"",ac:a.ac||"",heating:a.heating||"",buildingstyle:a.buildingstyle||"",sitevacant:a.sitevacant||"",extwall:a.extwall||"",roofing:a.roofing||"",totalSqft:a.totalSqft||"",renovationRisk:a.renovationRisk,closeDateAtoB:a.closeDateAtoB,closeDateBtoC:a.closeDateBtoC,purchaseCost:a.purchaseCost,costPaidAtoB:a.costPaidAtoB,totalPurchaseCosts:a.totalPurchaseCosts,credits:a.credits,totalPurchaseCostsaftercredits:a.totalPurchaseCostsaftercredits,cashAdjustments:a.cashAdjustments,totalcashrequiredonsettlement:a.totalcashrequiredonsettlement,incidentalCost:a.incidentalCost,carryCosts:a.carryCosts,renovationCost:a.renovationCost,sellingPriceBtoC:a.sellingPriceBtoC,costPaidOutofClosing:a.costPaidOutofClosing,totalCosttoSellBtoC:a.totalCosttoSellBtoC,grossproceedsperHUD:a.grossproceedsperHUD,adjustments:a.adjustments,fundsavailablefordistribution:a.fundsavailablefordistribution,incomestatement:a.incomestatement,fundspriortoclosing:a.fundspriortoclosing,shorttermrental:a.shorttermrental,OtherIncome:a.OtherIncome,InsuranceClaim:a.InsuranceClaim,LongTermRental:a.LongTermRental,netprofitbeforefinancingcosts:a.netprofitbeforefinancingcosts,FinancingCostClosingCost:a.FinancingCostClosingCost,propertyTaxInfo:a.propertyTaxInfo||[{propertytaxowned:"0",ownedyear:"0",taxassessed:"0",taxyear:"0"}],images:a.images||[{title:"",file:""}],googleMapLink:a.googleMapLink,rateofreturn:a.rateofreturn})},[a]);const d=P=>{u({...l,[P.target.name]:P.target.value})},f=(P,_)=>{const{name:p,value:j}=P.target,w=[...l.propertyTaxInfo],M={...w[_]};M[p]=j,w[_]=M,u({...l,propertyTaxInfo:w})},g=P=>{P.preventDefault();const _=$(),p=D(),j=U(),w=F(),M=W(),q=ne(),X=Me(),ae=Ke(),Ms=Gn(),tl=Jt(),nl=vn(),rl=$t(),ol=$t(),sl=No(),il=Fs(),al=Jn(),ll=Zt(),cl=Sr(),ul=bo(),dl={...l,totalPurchaseCosts:_.toFixed(2),totalcredits:p.toFixed(2),totalPurchaseCostsaftercredits:j.toFixed(2),totalcashAdjustments:w.toFixed(2),totalcashrequiredonsettlement:M.toFixed(2),totalincidentalCost:q.toFixed(2),totalcarryCosts:X.toFixed(2),totalrenovationCost:ae.toFixed(2),totalRenovationsandHoldingCost:Ms.toFixed(2),totalCoststoBuyAtoB:tl.toFixed(2),totalcostPaidOutofClosing:nl.toFixed(2),totalCosttoSellBtoC:rl.toFixed(2),grossproceedsperHUD:ol.toFixed(2),totaladjustments:sl.toFixed(2),fundsavailablefordistribution:il.toFixed(2),totalincomestatement:al.toFixed(2),netBtoCsalevalue:ll.toFixed(2),netprofitbeforefinancingcosts:cl.toFixed(2),netprofit:ul.toFixed(2)};t(Pi({id:e,propertyData:dl}))},C=()=>{u({...l,propertyTaxInfo:[...l.propertyTaxInfo,{propertytaxowned:"",ownedyear:"",taxassessed:"",taxyear:""}]})},x=P=>{const _=l.propertyTaxInfo.filter((p,j)=>j!==P);u({...l,propertyTaxInfo:_})},N=(P,_)=>{const p=[...l.images];p[_]={...p[_],file:P.base64},u({...l,images:p})},b=()=>{u({...l,images:[...l.images,{title:"",file:""}]})},h=P=>{const _=l.images.filter((p,j)=>j!==P);u({...l,images:_})},v=(P,_)=>{const p=[...l.images];p[P]={...p[P],title:_.target.value},u({...l,images:p})};S.useEffect(()=>{E(l.closeDateAtoB,l.closeDateBtoC)},[l.closeDateAtoB,l.closeDateBtoC]);const[m,y]=S.useState("0 days"),E=(P,_)=>{if(P&&_){const p=new Date(P),j=new Date(_),w=Math.abs(j-p),M=Math.ceil(w/(1e3*60*60*24));y(`${M} days`)}else y("0 days")},k=()=>{u(P=>({...P,costPaidAtoB:[...P.costPaidAtoB,{title:"",price:""}]}))},T=P=>{const _=l.costPaidAtoB.filter((p,j)=>j!==P);u(p=>({...p,costPaidAtoB:_}))},O=(P,_,p)=>{const j=[...l.costPaidAtoB];j[P][_]=p,u(w=>({...w,costPaidAtoB:j}))},B=(P,_)=>{let p=P.target.value;if(p=p.replace(/^\$/,"").trim(),/^\d*\.?\d*$/.test(p)||p===""){const w=l.costPaidAtoB.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,costPaidAtoB:w})}else{const w=l.costPaidAtoB.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,costPaidAtoB:w})}},$=()=>{const P=l.costPaidAtoB.reduce((p,j)=>{const w=parseFloat(j.price)||0;return p+w},0),_=parseFloat(l.purchaseCost)||0;return P+_},H=()=>{u(P=>({...P,credits:[...P.credits,{title:"",price:""}]}))},te=P=>{const _=l.credits.filter((p,j)=>j!==P);u(p=>({...p,credits:_}))},Q=(P,_,p)=>{const j=[...l.credits];j[P][_]=p,u(w=>({...w,credits:j}))},Z=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.credits.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,credits:w})}else{const w=l.credits.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,credits:w})}},D=()=>l.credits.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),U=()=>{const P=l.costPaidAtoB.reduce((j,w)=>{const M=parseFloat(w.price)||0;return j+M},0),_=l.credits.reduce((j,w)=>{const M=parseFloat(w.price)||0;return j+M},0),p=parseFloat(l.purchaseCost)||0;return P+_+p},G=()=>{u(P=>({...P,cashAdjustments:[...P.cashAdjustments,{title:"",price:""}]}))},R=P=>{const _=l.cashAdjustments.filter((p,j)=>j!==P);u(p=>({...p,cashAdjustments:_}))},A=(P,_,p)=>{const j=[...l.cashAdjustments];j[P][_]=p,u(w=>({...w,cashAdjustments:j}))},L=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.cashAdjustments.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,cashAdjustments:w})}else{const w=l.cashAdjustments.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,cashAdjustments:w})}},F=()=>l.cashAdjustments.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),W=()=>{const P=F(),_=D(),p=$();return P+_+p},K=()=>{u(P=>({...P,incidentalCost:[...P.incidentalCost,{title:"",price:""}]}))},Y=P=>{const _=l.incidentalCost.filter((p,j)=>j!==P);u(p=>({...p,incidentalCost:_}))},ee=(P,_,p)=>{const j=[...l.incidentalCost];j[P][_]=p,u(w=>({...w,incidentalCost:j}))},re=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.incidentalCost.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,incidentalCost:w})}else{const w=l.incidentalCost.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,incidentalCost:w})}},ne=()=>l.incidentalCost.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),oe=()=>{u(P=>({...P,carryCosts:[...P.carryCosts,{title:"",price:""}]}))},ie=P=>{const _=l.carryCosts.filter((p,j)=>j!==P);u(p=>({...p,carryCosts:_}))},ce=(P,_,p)=>{const j=[...l.carryCosts];j[P][_]=p,u(w=>({...w,carryCosts:j}))},he=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.carryCosts.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,carryCosts:w})}else{const w=l.carryCosts.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,carryCosts:w})}},Me=()=>l.carryCosts.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),yt=()=>{u(P=>({...P,renovationCost:[...P.renovationCost,{title:"",price:""}]}))},Lt=P=>{const _=l.renovationCost.filter((p,j)=>j!==P);u(p=>({...p,renovationCost:_}))},pe=(P,_,p)=>{const j=[...l.renovationCost];j[P][_]=p,u(w=>({...w,renovationCost:j}))},Bt=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.renovationCost.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,renovationCost:w})}else{const w=l.renovationCost.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,renovationCost:w})}},Ke=()=>l.renovationCost.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),Gn=()=>{const P=ne(),_=Me(),p=Ke();return P+_+p},Jt=()=>{const P=Gn(),_=W();return P+_},yo=()=>{u(P=>({...P,costPaidOutofClosing:[...P.costPaidOutofClosing,{title:"",price:""}]}))},jo=P=>{const _=l.costPaidOutofClosing.filter((p,j)=>j!==P);u(p=>({...p,costPaidOutofClosing:_}))},Qn=(P,_,p)=>{const j=[...l.costPaidOutofClosing];j[P][_]=p,u(w=>({...w,costPaidOutofClosing:j}))},zt=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.costPaidOutofClosing.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,costPaidOutofClosing:w})}else{const w=l.costPaidOutofClosing.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,costPaidOutofClosing:w})}},vn=()=>l.costPaidOutofClosing.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),$t=()=>{const P=l.sellingPriceBtoC,_=vn();return P-_},de=()=>{u(P=>({...P,adjustments:[...P.adjustments,{title:"",price:""}]}))},Wt=P=>{const _=l.adjustments.filter((p,j)=>j!==P);u(p=>({...p,adjustments:_}))},gn=(P,_,p)=>{const j=[...l.adjustments];j[P][_]=p,u(w=>({...w,adjustments:j}))},Ds=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.adjustments.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,adjustments:w})}else{const w=l.adjustments.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,adjustments:w})}},No=()=>l.adjustments.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),Fs=()=>{const P=$t(),_=No();return P+_},Ja=()=>{u(P=>({...P,incomestatement:[...P.incomestatement,{title:"",price:""}]}))},Za=P=>{const _=l.incomestatement.filter((p,j)=>j!==P);u(p=>({...p,incomestatement:_}))},Co=(P,_,p)=>{const j=[...l.incomestatement];j[P][_]=p,u(w=>({...w,incomestatement:j}))},Xn=(P,_)=>{const p=P.target.value;if(/^\d*\.?\d*$/.test(p)||p===""){const w=l.incomestatement.map((M,q)=>q===_?{...M,price:p,isInvalid:!1}:M);u({...l,incomestatement:w})}else{const w=l.incomestatement.map((M,q)=>q===_?{...M,isInvalid:!0}:M);u({...l,incomestatement:w})}},Jn=()=>l.incomestatement.reduce((P,_)=>{const p=parseFloat(_.price);return P+(isNaN(p)?0:p)},0),Zt=()=>{const P=Jn(),_=$t();return P+_},Sr=()=>{const P=isNaN(parseFloat(Zt()))?0:parseFloat(Zt()),_=isNaN(parseFloat(l.shorttermrental))?0:parseFloat(l.shorttermrental),p=isNaN(parseFloat(l.OtherIncome))?0:parseFloat(l.OtherIncome),j=isNaN(parseFloat(l.InsuranceClaim))?0:parseFloat(l.InsuranceClaim),w=isNaN(parseFloat(l.LongTermRental))?0:parseFloat(l.LongTermRental),M=isNaN(parseFloat(Jt()))?0:parseFloat(Jt());return P+_+p+j+w-M},bo=()=>{const P=Sr(),_=l.FinancingCostClosingCost;return P-_},el=()=>bo();return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("div",{className:"card d-flex justify-content-center align-items-center",children:r.jsxs("div",{className:"justify-content-center",children:[r.jsxs("ul",{className:"nav nav-tabs",role:"tablist",children:[r.jsx("li",{role:"presentation",className:n==="propertydetails"?"active tab":"tab",children:r.jsx("a",{onClick:()=>o("propertydetails"),role:"tab",children:"Property Details"})}),r.jsx("li",{role:"presentation",className:n==="Images"?"active tab":"tab",children:r.jsx("a",{onClick:()=>o("Images"),role:"tab",children:"Images, Maps"})}),r.jsx("li",{role:"presentation",className:n==="Accounting"?"active tab":"tab",children:r.jsx("a",{onClick:()=>o("Accounting"),role:"tab",children:"Accounting"})})]}),r.jsxs("div",{className:"tab-content",children:[n==="propertydetails"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("form",{children:[r.jsx("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:"Property Location"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Address",r.jsx("input",{type:"text",className:"form-control",name:"address",value:l.address,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["City",r.jsx("input",{type:"text",className:"form-control",name:"city",value:l.city,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["State",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"state",value:l.state,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Alaska",children:"Alaska"}),r.jsx("option",{value:"Alabama",children:"Alabama"}),r.jsx("option",{value:"Arkansas",children:"Arkansas"}),r.jsx("option",{value:"Arizona",children:"Arizona"}),r.jsx("option",{value:"California",children:"California"}),r.jsx("option",{value:"Colorado",children:"Colorado"}),r.jsx("option",{value:"Connecticut",children:"Connecticut"}),r.jsx("option",{value:"District Of Columbia",children:"District Of Columbia"}),r.jsx("option",{value:"Delaware",children:"Delaware"}),r.jsx("option",{value:"Florida",children:"Florida"}),r.jsx("option",{value:"Georgia",children:"Georgia"}),r.jsx("option",{value:"Hawaii",children:"Hawaii"}),r.jsx("option",{value:"Iowa",children:"Iowa"}),r.jsx("option",{value:"Idaho",children:"Idaho"}),r.jsx("option",{value:"Illinois",children:"Illinois"}),r.jsx("option",{value:"Indiana",children:"Indiana"}),r.jsx("option",{value:"Kansas",children:"Kansas"}),r.jsx("option",{value:"Kentucky",children:"Kentucky"}),r.jsx("option",{value:"Louisiana",children:"Louisiana"}),r.jsx("option",{value:"Massachusetts",children:"Massachusetts"}),r.jsx("option",{value:"Maryland",children:"Maryland"}),r.jsx("option",{value:"Michigan",children:"Michigan"}),r.jsx("option",{value:"Minnesota",children:"Minnesota"}),r.jsx("option",{value:"Missouri",children:"Missouri"}),r.jsx("option",{value:"Mississippi",children:"Mississippi"}),r.jsx("option",{value:"Montana",children:"Montana"}),r.jsx("option",{value:"North Carolina",children:"North Carolina"}),r.jsx("option",{value:"North Dakota",children:"North Dakota"}),r.jsx("option",{value:"Nebraska",children:"Nebraska"}),r.jsx("option",{value:"New Hampshire",children:"New Hampshire"}),r.jsx("option",{value:"New Jersey",children:"New Jersey"}),r.jsx("option",{value:"New Mexico",children:"New Mexico"}),r.jsx("option",{value:"Nevada",children:"Nevada"}),r.jsx("option",{value:"New York",children:"New York"}),r.jsx("option",{value:"Ohio",children:"Ohio"}),r.jsx("option",{value:"Oklahoma",children:"Oklahoma"}),r.jsx("option",{value:"Oregon",children:"Oregon"}),r.jsx("option",{value:"Pennsylvania",children:"Pennsylvania"}),r.jsx("option",{value:"Rhode Island",children:"Rhode Island"}),r.jsx("option",{value:"South Carolina",children:"South Carolina"}),r.jsx("option",{value:"South Dakota",children:"South Dakota"}),r.jsx("option",{value:"Tennessee",children:"Tennessee"}),r.jsx("option",{value:"Texas",children:"Texas"}),r.jsx("option",{value:"Texas",children:"Travis"}),r.jsx("option",{value:"Utah",children:"Utah"}),r.jsx("option",{value:"Virginia",children:"Virginia"}),r.jsx("option",{value:"Vermont",children:"Vermont"}),r.jsx("option",{value:"Washington",children:"Washington"}),r.jsx("option",{value:"Wisconsin",children:"Wisconsin"}),r.jsx("option",{value:"West Virginia",children:"West Virginia"}),r.jsx("option",{value:"Wyoming",children:"Wyoming"})]})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["County",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"county",value:l.county,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Abbeville",children:"Abbeville"}),r.jsx("option",{value:"Aiken",children:"Aiken"}),r.jsx("option",{value:"Allendale",children:"Allendale"}),r.jsx("option",{value:"Anderson",children:"Anderson"}),r.jsx("option",{value:"Bamberg",children:"Bamberg"}),r.jsx("option",{value:"Barnwell",children:"Barnwell"}),r.jsx("option",{value:"Beaufort",children:"Beaufort"}),r.jsx("option",{value:"Berkeley",children:"Berkeley"}),r.jsx("option",{value:"Calhoun",children:"Calhoun"}),r.jsx("option",{value:"Charleston",children:"Charleston"}),r.jsx("option",{value:"Cherokee",children:"Cherokee"}),r.jsx("option",{value:"Chester",children:"Chester"}),r.jsx("option",{value:"Chesterfield",children:"Chesterfield"}),r.jsx("option",{value:"Clarendon",children:"Clarendon"}),r.jsx("option",{value:"Colleton",children:"Colleton"}),r.jsx("option",{value:"Darlington",children:"Darlington"}),r.jsx("option",{value:"Dillon",children:"Dillon"}),r.jsx("option",{value:"Dorchester",children:"Dorchester"}),r.jsx("option",{value:"Edgefield",children:"Edgefield"}),r.jsx("option",{value:"Fairfield",children:"Fairfield"}),r.jsx("option",{value:"Florence",children:"Florence"}),r.jsx("option",{value:"Georgetown",children:"Georgetown"}),r.jsx("option",{value:"Greenville",children:"Greenville"}),r.jsx("option",{value:"Greenwood",children:"Greenwood"}),r.jsx("option",{value:"Hampton",children:"Hampton"}),r.jsx("option",{value:"Horry",children:"Horry"}),r.jsx("option",{value:"Jasper",children:"Jasper"}),r.jsx("option",{value:"Kershaw",children:"Kershaw"}),r.jsx("option",{value:"Lancaster",children:"Lancaster"}),r.jsx("option",{value:"Laurens",children:"Laurens"}),r.jsx("option",{value:"Lee",children:"Lee"}),r.jsx("option",{value:"Lexington",children:"Lexington"}),r.jsx("option",{value:"Marion",children:"Marion"}),r.jsx("option",{value:"Marlboro",children:"Marlboro"}),r.jsx("option",{value:"McCormick",children:"McCormick"}),r.jsx("option",{value:"Newberry",children:"Newberry"}),r.jsx("option",{value:"Oconee",children:"Oconee"}),r.jsx("option",{value:"Orangeburg",children:"Orangeburg"}),r.jsx("option",{value:"Pickens",children:"Pickens"}),r.jsx("option",{value:"Richland",children:"Richland"}),r.jsx("option",{value:"Saluda",children:"Saluda"}),r.jsx("option",{value:"Spartanburg",children:"Spartanburg"}),r.jsx("option",{value:"Sumter",children:"Sumter"}),r.jsx("option",{value:"Union",children:"Union"}),r.jsx("option",{value:"Williamsburg",children:"Williamsburg"}),r.jsx("option",{value:"York",children:"York"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Zip",r.jsx("input",{type:"text",className:"form-control",name:"zip",value:l.zip,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Parcel",r.jsx("input",{type:"text",className:"form-control",name:"parcel",value:l.parcel,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Sub division",r.jsx("input",{type:"text",className:"form-control",name:"subdivision",value:l.subdivision,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Legal Description",r.jsx("textarea",{type:"text",className:"form-control",name:"legal",value:l.legal,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Cost per SQFT",r.jsx("input",{type:"text",className:"form-control",name:"costpersqft",value:l.costpersqft,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Property Type",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"propertyType",value:l.propertyType,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"Residential",children:"Residential"}),r.jsx("option",{value:"Land",children:"Land"}),r.jsx("option",{value:"Commercial",children:"Commercial"}),r.jsx("option",{value:"Industrial",children:"Industrial"}),r.jsx("option",{value:"Water",children:"Water"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Lot Acres/Sqft",r.jsx("input",{type:"text",className:"form-control",name:"lotacres",value:l.lotacres,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Year Build",r.jsx("input",{type:"text",className:"form-control",name:"yearBuild",value:l.yearBuild,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total Living SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totallivingsqft",value:l.totallivingsqft,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Beds",r.jsx("input",{type:"text",className:"form-control",name:"beds",value:l.beds,onChange:d,required:!0})]})}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Baths",r.jsx("input",{type:"text",className:"form-control",name:"baths",value:l.baths,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Stories",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"stories",value:l.stories,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"}),r.jsx("option",{value:"6",children:"6"}),r.jsx("option",{value:"7",children:"7"}),r.jsx("option",{value:"8",children:"8"}),r.jsx("option",{value:"9",children:"9"}),r.jsx("option",{value:"10",children:"10"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Garage",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"garage",value:l.garage,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"0",children:"0"}),r.jsx("option",{value:"1",children:"1"}),r.jsx("option",{value:"2",children:"2"}),r.jsx("option",{value:"3",children:"3"}),r.jsx("option",{value:"4",children:"4"}),r.jsx("option",{value:"5",children:"5"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Garage SQFT",r.jsx("input",{type:"text",className:"form-control",name:"garagesqft",value:l.garagesqft,onChange:d,required:!0})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Pool/SPA",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"poolspa",value:l.poolspa,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Yes- Pool Only",children:"Yes- Pool Only"}),r.jsx("option",{value:"Yes- SPA only",children:"Yes- SPA only"}),r.jsx("option",{value:"Yes - Both Pool and SPA",children:"Yes - Both Pool and SPA"}),r.jsx("option",{value:"4",children:"None"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Fire places",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"fireplaces",value:l.fireplaces,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"yes",children:"Yes"}),r.jsx("option",{value:"no",children:"No"})]})]}),r.jsxs("div",{className:"col-md-4",children:["A/C",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"ac",value:l.ac,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Heating",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"heating",value:l.heating,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Central",children:"Central"}),r.jsx("option",{value:"Heat Pump",children:"Heat Pump"}),r.jsx("option",{value:"Warm Air",children:"Warm Air"}),r.jsx("option",{value:"Forced Air",children:"Forced Air"}),r.jsx("option",{value:"Gas",children:"Gas"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Building Style",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"buildingstyle",value:l.buildingstyle,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"One Story",children:"One Story"}),r.jsx("option",{value:"Craftsman",children:"Craftsman"}),r.jsx("option",{value:"Log/Cabin",children:"Log/Cabin"}),r.jsx("option",{value:"Split-Level",children:"Split-Level"}),r.jsx("option",{value:"Split-Foyer",children:"Split-Foyer"}),r.jsx("option",{value:"Stick Built",children:"Stick Built"}),r.jsx("option",{value:"Single wide",children:"Single wide"}),r.jsx("option",{value:"Double wide",children:"Double wide"}),r.jsx("option",{value:"Duplex",children:"Duplex"}),r.jsx("option",{value:"Triplex",children:"Triplex"}),r.jsx("option",{value:"Quadruplex",children:"Quadruplex"}),r.jsx("option",{value:"Two Story",children:"Two Story"}),r.jsx("option",{value:"Victorian",children:"Victorian"}),r.jsx("option",{value:"Tudor",children:"Tudor"}),r.jsx("option",{value:"Modern",children:"Modern"}),r.jsx("option",{value:"Art Deco",children:"Art Deco"}),r.jsx("option",{value:"Bungalow",children:"Bungalow"}),r.jsx("option",{value:"Mansion",children:"Mansion"}),r.jsx("option",{value:"Farmhouse",children:"Farmhouse"}),r.jsx("option",{value:"Conventional",children:"Conventional"}),r.jsx("option",{value:"Ranch",children:"Ranch"}),r.jsx("option",{value:"Ranch with Basement",children:"Ranch with Basement"}),r.jsx("option",{value:"Cape Cod",children:"Cape Cod"}),r.jsx("option",{value:"Contemporary",children:"Contemporary"}),r.jsx("option",{value:"Colonial",children:"Colonial"}),r.jsx("option",{value:"Mediterranean",children:"Mediterranean"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Site Vacant",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"sitevacant",value:l.sitevacant,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please select"}),r.jsx("option",{value:"Yes",children:"Yes"}),r.jsx("option",{value:"No",children:"No"})]})]})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsxs("div",{className:"col-md-4",children:["Ext Wall",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"extwall",value:l.extwall,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Brick",children:"Brick"}),r.jsx("option",{value:"Brick/Vinyl Siding",children:"Brick/Vinyl Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Wood/Vinyl Siding"}),r.jsx("option",{value:"Brick/Wood Siding",children:"Brick/Wood Siding"}),r.jsx("option",{value:"Stone",children:"Stone"}),r.jsx("option",{value:"Masonry",children:"Masonry"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Fiberboard",children:"Fiberboard"}),r.jsx("option",{value:"Asphalt Siding",children:"Asphalt Siding"}),r.jsx("option",{value:"Concrete Block",children:"Concrete Block"}),r.jsx("option",{value:"Gable",children:"Gable"}),r.jsx("option",{value:"Brick Veneer",children:"Brick Veneer"}),r.jsx("option",{value:"Frame",children:"Frame"}),r.jsx("option",{value:"Siding",children:"Siding"}),r.jsx("option",{value:"Cement/Wood Fiber Siding",children:"Cement/Wood Fiber Siding"}),r.jsx("option",{value:"Fiber/Cement Siding",children:"Fiber/Cement Siding"}),r.jsx("option",{value:"Wood Siding",children:"Wood Siding"}),r.jsx("option",{value:"Vinyl Siding",children:"Vinyl Siding"}),r.jsx("option",{value:"Aluminium Siding",children:"Aluminium Siding"}),r.jsx("option",{value:"Wood/Vinyl Siding",children:"Alum/Vinyl Siding"})]})]}),r.jsxs("div",{className:"col-md-4",children:["Roofing",r.jsxs("select",{className:"form-floating mb-3 form-control",name:"roofing",value:l.roofing,onChange:d,required:!0,children:[r.jsx("option",{value:"",children:"Please Select"}),r.jsx("option",{value:"N/A",children:"N/A"}),r.jsx("option",{value:"Asphalt Shingle",children:"Asphalt Shingle"}),r.jsx("option",{value:"Green Roofs",children:"Green Roofs"}),r.jsx("option",{value:"Built-up Roofing",children:"Built-up Roofing"}),r.jsx("option",{value:"Composition Shingle",children:"Composition Shingle"}),r.jsx("option",{value:"Composition Shingle Heavy",children:"Composition Shingle Heavy"}),r.jsx("option",{value:"Solar tiles",children:"Solar tiles"}),r.jsx("option",{value:"Metal",children:"Metal"}),r.jsx("option",{value:"Stone-coated steel",children:"Stone-coated steel"}),r.jsx("option",{value:"Slate",children:"Slate"}),r.jsx("option",{value:"Rubber Slate",children:"Rubber Slate"}),r.jsx("option",{value:"Clay and Concrete tiles",children:"Clay and Concrete tiles"})]})]}),r.jsx("div",{className:"col-md-4",children:r.jsxs("div",{className:"form-floating mb-3",children:["Total SQFT",r.jsx("input",{type:"text",className:"form-control",name:"totalSqft",value:l.totalSqft,onChange:d,required:!0})]})})]}),r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:[r.jsx("br",{}),"Property Tax Information"]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),l.propertyTaxInfo&&l.propertyTaxInfo.map((P,_)=>r.jsxs("div",{className:"row gy-4",children:[r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-3",children:["Property Tax Owned",r.jsx("input",{type:"text",className:"form-control",name:"propertytaxowned",value:P.propertytaxowned,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Owned Year",r.jsx("input",{type:"text",className:"form-control",name:"ownedyear",value:P.ownedyear,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Assessed",r.jsx("input",{type:"text",className:"form-control",name:"taxassessed",value:P.taxassessed,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-2",children:r.jsxs("div",{className:"form-floating mb-2",children:["Tax Year",r.jsx("input",{type:"text",className:"form-control",name:"taxyear",value:P.taxyear,onChange:p=>f(p,_),required:!0})]})}),r.jsx("div",{className:"col-md-3",children:r.jsxs("div",{className:"form-floating mb-2",children:[r.jsx("br",{}),r.jsx("button",{className:"btn btn-danger",onClick:()=>x(_),style:{height:"25px",width:"35px"},children:"X"})]})})]},_)),r.jsx("button",{className:"btn btn-secondary",onClick:C,children:"+ Add Another Property Tax Info"})]}),r.jsx("button",{className:"btn btn-primary continue",onClick:s,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),n==="Images"&&r.jsxs("div",{role:"tabpanel",className:"card tab-pane active",children:[r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Upload Images"," "]}),r.jsxs("form",{children:[r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),l.images.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,placeholder:"Image Title",onChange:p=>v(_,p)})}),r.jsxs("div",{className:"col-md-4 d-flex align-items-center",children:[r.jsx(jd,{multiple:!1,onDone:p=>N(p,_)}),r.jsx("button",{type:"button",className:"btn btn-danger",onClick:()=>h(_),style:{marginLeft:"5px"},children:"Delete"})]}),P.file&&r.jsx("div",{className:"col-md-12",children:r.jsx("img",{src:P.file,alt:"uploaded",style:{width:"150px",height:"150px"}})})]},_)),r.jsx("button",{type:"button",className:"btn btn-primary",onClick:b,style:{backgroundColor:"#fda417",border:"#fda417"},children:"+ Add Image"}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"mb-3",children:[r.jsx("label",{htmlFor:"googleMapLink",className:"form-label",children:r.jsxs("h3",{style:{color:"#fda417",border:"#fda417",fontSize:"20px",fontWeight:"normal"},children:["Google Maps Link"," "]})}),r.jsx("input",{type:"text",className:"form-control",name:"googleMapLink",value:l.googleMapLink,onChange:d,placeholder:"Enter Google Maps link"})]}),l.googleMapLink&&r.jsx("iframe",{title:"Google Map",width:"100%",height:"300",src:`https://www.google.com/maps/embed/v1/view?key=YOUR_API_KEY¢er=${l.googleMapLink}&zoom=10`,frameBorder:"0",allowFullScreen:!0})]}),r.jsx("button",{className:"btn btn-primary back",onClick:i,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{className:"btn btn-primary continue",onClick:s,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Continue"})]}),n==="Accounting"&&r.jsxs("div",{className:"card",style:{color:"#fda417",border:"1px solid #fda417",padding:"10px",borderRadius:"8px"},children:[r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 col-16",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateAtoB",value:l.closeDateAtoB,onChange:P=>{const _=P.target.value;u({...l,closeDateAtoB:_}),E(_,l.closeDateBtoC)},placeholder:"Close Date A to B",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y]"," "]}),":"," ",r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(l.closeDateAtoB).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Close Date B to C",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"date",className:"form-control",name:"closeDateBtoC",value:l.closeDateBtoC,onChange:P=>{const _=P.target.value;u({...l,closeDateBtoC:_}),E(l.closeDateAtoB,_)},placeholder:"Close Date B to C",style:{textAlign:"right"},required:!0})}),r.jsx("div",{children:r.jsxs("p",{children:[r.jsxs("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:["[M-D-Y] :"," "]}),r.jsx("span",{style:{color:"#000000",fontSize:"14px",fontWeight:"normal"},children:new Date(l.closeDateBtoC).toLocaleDateString("en-US",{month:"numeric",day:"numeric",year:"numeric"})})]})})]}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Renovation Risk"}),r.jsx("div",{className:"col-md-7",children:c.map(P=>r.jsxs("div",{className:"form-check form-check-inline",children:[r.jsx("input",{className:"form-check-input",type:"radio",name:"renovationRisk",id:`renovationRisk${P}`,value:P,checked:l.renovationRisk===P,onChange:_=>{const p=parseInt(_.target.value,10);u({...l,renovationRisk:p})}}),r.jsx("label",{className:"form-check-label",htmlFor:`renovationRisk${P}`,children:P})]},P))})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Rate of Return"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"rateofreturn",value:`$ ${el().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Turn Time"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:m,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Purchase Price"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:`$ ${l.purchaseCost}`,name:"purchaseCost",onChange:P=>{let _=P.target.value.replace(/[^\d.]/g,"");const p=/^\d*\.?\d*$/.test(_);u({...l,purchaseCost:_,isPurchaseCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Costs paid out of Closing Hud A to B:"}),l.costPaidAtoB.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>O(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:`$ ${P.price}`,onChange:p=>B(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>T(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{onClick:k,className:"btn btn-primary back",style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Extra Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCosts",value:`$ ${$().toFixed(2)}`,readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Credits received on settlement:"}),l.credits.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>Q(_,"title",p.target.value),placeholder:"credits",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>Z(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>te(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:H,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add credits"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total credits received on settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcredits",value:D(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Purchase Cost after Credits Received"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalPurchaseCostsaftercredits",value:U(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Cash Adjustments:"}),l.cashAdjustments.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>A(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>L(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>R(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:G,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cash Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Adjustments on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashAdjustments",value:F(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cash Required on Settlement"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcashrequiredonsettlement",value:W(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Incidental Cost:"}),l.incidentalCost.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>ee(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>re(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Y(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:K,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Incidental Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Incidental Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincidentalCost",value:ne(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Carry Costs:"}),l.carryCosts.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>ce(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>he(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>ie(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:oe,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Carry Cost"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Carry Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcarryCosts",value:Me(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Reno/Construction"}),l.renovationCost.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>pe(_,"title",p.target.value),placeholder:"Title",required:!0,style:{fontSize:"10px"}})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>Bt(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Lt(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:yt,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Reno/Construction"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovation Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalrenovationCost",value:Ke(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Renovations & Holding Cost"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalRenovationsandHoldingCost",value:Gn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Costs to Buy A to B"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoB",value:Jt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0}),l.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Selling Price B to C"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,name:"sellingPriceBtoC",value:l.sellingPriceBtoC,onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,sellingPriceBtoC:_,isPurchaseCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},placeholder:"Enter Purchase Cost",style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Less:Costs paid out of closing Hud B to C:"}),l.costPaidOutofClosing.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>Qn(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>zt(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>jo(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:yo,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Cost Paid Out of Closing"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total cost paid out of closing"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalcostPaidOutofClosing",value:vn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Cost to Sell B to C"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCosttoSellBtoC",value:$t(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Gross Proceeds per HUD"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"grossproceedsperHUD",value:$t(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Adjustments:"}),l.adjustments.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>gn(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>Ds(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Wt(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:de,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Adjustments"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Adjustments"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totaladjustments",value:No(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Funds Available for distribution"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"fundsavailablefordistribution",value:Fs(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Income Statement Adjustments:"}),l.incomestatement.map((P,_)=>r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",value:P.title,onChange:p=>Co(_,"title",p.target.value),placeholder:"Title",required:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${P.isInvalid?"is-invalid":""}`,value:P.price,onChange:p=>Xn(p,_),placeholder:"Price",style:{textAlign:"right"},required:!0}),P.isInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]}),r.jsx("div",{className:"col-md-2 d-flex justify-content-start",children:r.jsx("button",{className:"btn btn-danger",onClick:()=>Za(_),style:{marginLeft:"5px"},children:"x"})})]},_)),r.jsx("div",{className:"col-md-4",children:r.jsxs("button",{className:"btn btn-primary back",onClick:Ja,style:{backgroundColor:"#fda417",border:"#fda417"},children:[r.jsx("span",{style:{fontSize:"20px",fontWeight:"normal"},children:"+"})," ","Add Income Statement"]})}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Total Income Statement Adjustment"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalincomestatement",value:Jn(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net B to C Sale Value"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:Zt(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("hr",{style:{borderColor:"#fda417",borderWidth:"1px",backgroundColor:"#fda417",height:"1px"}}),r.jsx("span",{style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Computation"}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Total Costs to Buy A to B",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"totalCoststoBuyAtoBagain",value:Jt(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Funds Prior to Closing",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isfundspriortoclosingInvalid?"is-invalid":""}`,value:l.fundspriortoclosing,name:"fundspriortoclosing",onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,fundspriortoclosing:_,isfundspriortoclosingInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isfundspriortoclosingInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isfundspriortoclosingInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Net B to C Sale Value",required:!0,disabled:!0})}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netBtoCsalevalue",value:Zt(),style:{textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Short Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.shorttermrental,name:"shorttermrental",onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,shorttermrental:_,isPurchaseCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Other Income",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.OtherIncome,name:"OtherIncome",onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,OtherIncome:_,isPurchaseCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Insurance Claim",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.InsuranceClaim,name:"InsuranceClaim",onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,InsuranceClaim:_,isPurchaseCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3",children:[r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",placeholder:"Long Term Rental",required:!0,disabled:!0})}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isPurchaseCostInvalid?"is-invalid":""}`,value:l.LongTermRental,name:"LongTermRental",onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,LongTermRental:_,isPurchaseCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isPurchaseCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isPurchaseCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit Before Financing Costs"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofitbeforefinancingcosts",value:Sr(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Financing Cost/Other Closing Costs"}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("input",{type:"text",className:`form-control ${l.isFinancingCostClosingCostInvalid?"is-invalid":""}`,value:l.FinancingCostClosingCost,name:"FinancingCostClosingCost",onChange:P=>{const _=P.target.value,p=/^\d*\.?\d*$/.test(_);u({...l,FinancingCostClosingCost:_,isFinancingCostClosingCostInvalid:!p})},onKeyPress:P=>{const _=P.charCode;(_<48||_>57)&&_!==46&&(P.preventDefault(),u({...l,isFinancingCostClosingCostInvalid:!0}))},style:{textAlign:"right"},required:!0}),l.isFinancingCostClosingCostInvalid&&r.jsx("div",{className:"invalid-feedback",children:"Please enter a valid number."})]})]}),r.jsx("br",{}),r.jsxs("div",{className:"row gy-3 align-items-center",children:[r.jsx("span",{className:"col-md-4",style:{color:"#fda417",fontSize:"14px",fontWeight:"bold"},children:"Net Profit"}),r.jsx("div",{className:"col-md-4",children:r.jsx("input",{type:"text",className:"form-control",name:"netprofit",value:bo(),readOnly:!0,style:{borderColor:"#fda417",color:"#fda417",textAlign:"right"},required:!0})})]}),r.jsx("br",{}),r.jsxs("div",{className:"col-md-4",children:[r.jsx("button",{className:"btn btn-primary back",onClick:i,style:{backgroundColor:"#fda417",border:"#fda417"},children:"Go Back"})," ",r.jsx("button",{type:"button",className:"btn btn-primary continue",style:{backgroundColor:"#fda417",border:"#fda417"},onClick:g,children:"Submit"})," "]}),r.jsx("br",{})]})]})]})})]})},Vw=()=>{const e=Ft(),{properties:t,loading:n,totalPages:o,currentPage:s}=Ve(N=>N.property),[i,a]=S.useState(""),[l,u]=S.useState([]),[c,d]=S.useState(1),f=10;S.useEffect(()=>{e(Qo({page:c,limit:f,keyword:i}))},[e,c,i]),S.useEffect(()=>{i.trim()?u(t.filter(N=>N.address.toLowerCase().includes(i.toLowerCase()))):u(t)},[i,t]);const g=N=>{a(N.target.value)},C=N=>{N.preventDefault()},x=N=>{d(N),e(Qo({page:N,limit:f,keyword:i}))};return r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsxs("div",{className:"container col-12",children:[r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-lg-12 card-margin col-12",children:r.jsx("div",{className:"card search-form col-12",children:r.jsx("div",{className:"card-body p-0",children:r.jsx("form",{id:"search-form",onSubmit:C,children:r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"row no-gutters",children:r.jsx("div",{className:"col-lg-8 col-md-6 col-sm-12 p-0",children:r.jsx("input",{type:"text",value:i,onChange:g,placeholder:"Enter the keyword and hit ENTER button...",className:"form-control"})})})})})})})})})}),r.jsx("div",{className:"row",children:r.jsx("div",{className:"col-12",children:r.jsx("div",{className:"card card-margin",children:r.jsx("div",{className:"card-body",children:n?r.jsx("div",{children:"Loading..."}):r.jsx("div",{className:"table-responsive",children:r.jsxs("table",{className:"table widget-26",children:[r.jsx("thead",{style:{color:"#fda417",fontSize:"15px"},children:r.jsxs("tr",{children:[r.jsx("th",{children:"Image"}),r.jsx("th",{children:"Details"}),r.jsx("th",{children:"Total Living Square Foot"}),r.jsx("th",{children:"Year Built"}),r.jsx("th",{children:"Cost per Square Foot"})]})}),r.jsx("tbody",{children:l.length>0?l.map(N=>r.jsxs("tr",{children:[r.jsx("td",{children:N.images&&N.images[0]?r.jsx("img",{src:N.images[0].file||Yt,alt:"Property Thumbnail",style:{width:"100px",height:"auto"}}):r.jsx("img",{src:Yt,alt:"Default Property Thumbnail",style:{width:"100px",height:"auto"}})}),r.jsx("td",{children:r.jsxs("div",{className:"widget-26-job-title",children:[r.jsx(Ne,{to:`/property/${N.propertyId}`,className:"link-primary text-decoration-none",children:N.address}),r.jsxs("p",{className:"m-0",children:[r.jsxs("span",{className:"employer-name",children:[r.jsx("i",{className:"fa fa-map-marker",style:{color:"#F74B02"}}),N.city,", ",N.county,","," ",N.state]}),r.jsxs("p",{className:"text-muted m-0",children:["House Id: ",N.propertyId]})]})]})}),r.jsx("td",{children:N.totallivingsqft}),r.jsx("td",{children:N.yearBuild}),r.jsx("td",{children:N.costpersqft})]},N.id)):r.jsx("tr",{children:r.jsx("td",{colSpan:"5",children:"No properties found."})})})]})})})})})}),r.jsx("nav",{"aria-label":"Page navigation",children:r.jsxs("ul",{className:"pagination justify-content-center",children:[r.jsx("li",{className:`page-item ${s===1?"disabled":""}`,children:r.jsx("button",{className:"page-link",onClick:()=>x(s-1),children:"Previous"})}),Array.from({length:o},(N,b)=>r.jsx("li",{className:`page-item ${s===b+1?"active":""}`,children:r.jsx("button",{className:"page-link",onClick:()=>x(b+1),children:b+1})},b+1)),r.jsx("li",{className:`page-item ${s===o?"disabled":""}`,children:r.jsx("button",{className:"page-link",onClick:()=>x(s+1),children:"Next"})})]})})]}),r.jsx(Ze,{})]})},Hw=()=>{const{userId:e}=go(),t=Ft(),{user:n,loading:o}=Ve(s=>s.user);return console.log("user",n),S.useEffect(()=>{e&&t(wi(e))},[e,t]),o?r.jsx("div",{children:"Loading..."}):r.jsxs(r.Fragment,{children:[r.jsx(Re,{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("br",{}),r.jsx("div",{className:"main-body",children:r.jsxs("div",{className:"row gutters-sm",children:[r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("div",{className:"d-flex flex-column align-items-center text-center",children:[r.jsx("img",{src:n.profileImage,alt:"Admin",className:"rounded-circle",width:150}),r.jsxs("h4",{children:[n.title,". ",n.firstName," ",n.middleName," ",n.lastName]}),r.jsxs("span",{className:"text-muted font-size-sm",children:[r.jsx("i",{className:"fa fa-map-marker",style:{color:"#F74B02",fontSize:"20px"}})," ",n.city,", ",n.state,", ",n.county,", ",n.zip]})]}),r.jsx("br",{})]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",style:{color:"#fda417",fontSize:"26px"},children:"Recent"}),"Project investments"]}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("div",{className:"progress",style:{width:"100%",marginTop:"10px"},children:r.jsx("div",{className:"progress-bar",role:"progressbar",style:{width:"25%"},"aria-valuenow":25,"aria-valuemin":0,"aria-valuemax":100,children:"25% completed"})}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("div",{className:"progress",style:{width:"100%",marginTop:"10px"},children:r.jsx("div",{className:"progress-bar",role:"progressbar",style:{width:"75%"},"aria-valuenow":75,"aria-valuemin":0,"aria-valuemax":100,children:"75% completed"})})]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",children:"Projects"}),"Seeking investments"]}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("br",{})," ",r.jsx("br",{}),r.jsx("hr",{}),r.jsx("img",{src:Yt,alt:"Admin",className:"rounded-circle",style:{marginRight:"10px",maxWidth:"50px",maxHeight:"50px"}}),r.jsx("small",{children:"Web Design project in California"}),r.jsx("br",{})," ",r.jsx("br",{})]})})}),r.jsx("div",{className:"col-md-4",children:r.jsx("div",{className:"card mb-3",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",style:{color:"#fda417",fontSize:"26px"},children:"About"}),"me :"]})," ",r.jsx("hr",{}),n.aboutme]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",style:{color:"#fda417",fontSize:"26px"},children:"Willing to"}),"invest:"]}),r.jsx("hr",{}),r.jsx("h2",{className:"d-flex flex-column align-items-center text-center",style:{color:"#fda417",border:"#fda417",fontSize:"60px",fontWeight:"normal"},children:"$ 500,000"}),r.jsx("span",{className:"d-flex flex-column align-items-center text-center",children:r.jsx("button",{className:"btn btn-primary btn-lg ",type:"submit",style:{backgroundColor:"#fda417",border:"#fda417"},children:"Request"})}),r.jsx("hr",{}),r.jsxs("div",{className:"card-body",children:[r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-sm-3",children:r.jsx("span",{className:"mb-0",children:"Email"})}),n.email,r.jsx("div",{className:"col-sm-9 text-secondary"})]}),r.jsx("hr",{}),r.jsxs("div",{className:"row",children:[r.jsx("div",{className:"col-sm-3",children:r.jsx("span",{className:"mb-0",children:"Phone"})}),"67656584687",r.jsx("div",{className:"col-sm-9 text-secondary"})]})]})]})})}),r.jsx("div",{className:"col-md-4 mb-3",children:r.jsx("div",{className:"card",children:r.jsxs("div",{className:"card-body",children:[r.jsxs("h1",{className:"d-flex align-items-center mb-3",style:{color:"#fda417",fontSize:"26px"},children:[r.jsx("i",{className:"material-icons text-info mr-2",children:"Suggested"}),"Borrowers"]}),r.jsxs("ul",{className:"list-group list-group-flush",children:[r.jsx("li",{className:"list-group-item d-flex justify-content-between align-items-center flex-wrap",children:r.jsxs("h6",{className:"mb-0",children:[r.jsx("img",{src:Ti,style:{marginTop:"0px",maxWidth:"50px",maxHeight:"50px"}}),"Ravichandu"]})}),r.jsx("li",{className:"list-group-item d-flex justify-content-between align-items-center flex-wrap",children:r.jsxs("h6",{className:"mb-0",children:[r.jsx("img",{src:Ti,style:{marginTop:"0px",maxWidth:"50px",maxHeight:"50px"}}),"Ravichandu"]})}),r.jsx("li",{className:"list-group-item d-flex justify-content-between align-items-center flex-wrap",children:r.jsxs("h6",{className:"mb-0",children:[r.jsx("img",{src:Ti,style:{marginTop:"0px",maxWidth:"50px",maxHeight:"50px"}}),"Ravichandu"]})})]})]})})})]})})]})},Kw=()=>r.jsxs(cC,{children:[r.jsx(kC,{}),r.jsxs(tC,{children:[r.jsx(Ie,{path:"/",element:r.jsx(_C,{})}),r.jsx(Ie,{path:"/about",element:r.jsx(OC,{})}),r.jsx(Ie,{path:"/services",element:r.jsx(Ww,{})}),r.jsx(Ie,{path:"/contact",element:r.jsx(TC,{})}),r.jsx(Ie,{path:"/register",element:r.jsx(rb,{})}),r.jsx(Ie,{path:"/registrationsuccess",element:r.jsx(Ri,{children:r.jsx(jb,{})})}),r.jsx(Ie,{path:"/login",element:r.jsx(sb,{})}),r.jsx(Ie,{path:"/dashboard",element:r.jsx(Ri,{children:r.jsx(ub,{})})}),r.jsx(Ie,{path:"/users/:id/verify/:token",element:r.jsx(gb,{})}),r.jsx(Ie,{path:"/forgotpassword",element:r.jsx(xb,{})}),r.jsx(Ie,{path:"/users/resetpassword/:userId/:token",element:r.jsx(yb,{})}),r.jsx(Ie,{path:"/property/:id",element:r.jsx(zw,{})}),r.jsx(Ie,{path:"/properties/:house_id",element:r.jsx(Uw,{})}),r.jsx(Ie,{path:"/searchmyproperties",element:r.jsx($w,{})}),r.jsx(Ie,{path:"/searchproperties",element:r.jsx(Vw,{})}),r.jsx(Ie,{path:"/editproperty/:id",element:r.jsx(Ri,{children:r.jsx(qw,{})})}),r.jsx(Ie,{path:"/profile/:userId",element:r.jsx(Hw,{})})]})]});$h(document.getElementById("root")).render(r.jsx(S.StrictMode,{children:r.jsx(Ej,{store:mN,children:r.jsx(Kw,{})})})); diff --git a/ef-ui/dist/index.html b/ef-ui/dist/index.html index 26877b1..09b6e2f 100644 --- a/ef-ui/dist/index.html +++ b/ef-ui/dist/index.html @@ -45,7 +45,7 @@ - + diff --git a/ef-ui/src/components/PropertyView.jsx b/ef-ui/src/components/PropertyView.jsx index 341fbc1..e3b7501 100644 --- a/ef-ui/src/components/PropertyView.jsx +++ b/ef-ui/src/components/PropertyView.jsx @@ -6,50 +6,58 @@ import propertydummy from "../img/propertydummy.jpg"; import Navbar from "./Navbar"; import Footer from "./Footer"; import { Modal, Button, Form } from "react-bootstrap"; // Importing Modal components -import { - submitFundDetails, - getFundDetailsById, -} from "../redux/features/fundDetailsSlice"; -import { useNavigate } from "react-router-dom"; +import { addFundDetails } from "../redux/features/propertySlice"; +import { toast } from "react-toastify"; +import { fetchFundDetails} from "../redux/features/fundSlice"; const PropertyView = () => { const { id } = useParams(); // Extract the property ID from the route const dispatch = useDispatch(); - const navigate = useNavigate(); const { selectedProperty, status, error } = useSelector( (state) => state.property ); const { user } = useSelector((state) => ({ ...state.auth })); - const { fundDetails } = useSelector((state) => state.fundDetails); - console.log("funddetails", fundDetails); +// This also works !! + // const fundDetails = useSelector(selectFundDetails); + // console.log("fundDetailsa", fundDetails) + + const {fundDetails} = useSelector((state) => state.fundDetails); + + useEffect(() => { + dispatch(fetchFundDetails(id)); + }, [dispatch, id]); + + + + + const [activeTab, setActiveTab] = useState("propertydetails"); const [loading, setLoading] = useState(true); // Loader state const [showModal, setShowModal] = useState(false); // Modal state - const [fundValue, setFundValue] = useState(""); // Fund value state - const [fundPercentage, setFundPercentage] = useState(""); // Fund percentage state + + const [formData, setFormData] = useState({ + fundValue: "0", + fundPercentage: "0", + }); useEffect(() => { if (id) { dispatch(fetchPropertyById(id)); - dispatch(getFundDetailsById(id)); } }, [id, dispatch]); + useEffect(() => { + dispatch(fetchFundDetails(id)); + }, [dispatch, id]); + useEffect(() => { if (status === "succeeded") { setLoading(false); } }, [status]); - useEffect(() => { - if (fundDetails) { - setFundValue(fundDetails.investmentAmount); - setFundPercentage(fundDetails.ownershipPercentage); - } - }, [fundDetails]); - // if (status === "loading") { // return

Loading property details...

; // } @@ -70,24 +78,24 @@ const PropertyView = () => { setShowModal(false); // Close the modal }; - // Inside your PropertyView component + const handleChange = (e) => { + const { name, value } = e.target; + setFormData({ + ...formData, + [name]: value, + }); + }; + const handleSubmit = (e) => { e.preventDefault(); - if (fundValue <= 0 || fundPercentage <= 0 || fundPercentage > 100) { - alert("Please enter valid values."); - return; - } const fundDetails = { - propertyOwnerId: selectedProperty?.userId, - investorId: user?.result?.userId, - investmentAmount: fundValue, - ownershipPercentage: fundPercentage, - propertyId: selectedProperty?.propertyId || "defaultId", // Add a fallback + fundValue: Number(formData.fundValue), // Ensure number conversion if needed + fundPercentage: Number(formData.fundPercentage), }; - dispatch(submitFundDetails({ fundDetails, id, navigate })); - handleCloseModal(); // Close modal after submission + dispatch(addFundDetails({ id, fundDetails, toast })); + handleCloseModal(); }; return ( @@ -381,18 +389,44 @@ const PropertyView = () => {
{activeTab === "Funding Details" && (
- {fundDetails ? ( -
-

Investment Amount: ${fundDetails.investmentAmount}

-

- Ownership Percentage: {fundDetails.ownershipPercentage}% -

-
- ) : ( -

No funding details available.

- )} + +
+ {selectedProperty.fundDetails.length === 0 ? ( +

No fund details available.

+ ) : ( +
    + {selectedProperty.fundDetails.map((detail, index) => ( +
  • + Fund Value: {detail.fundValue}, Fund Percentage: {detail.fundPercentage}% +
  • + ))} +
+ )} + + + {fundDetails.length === 0 ? ( +

No fund details available.

+ ) : ( +
    + {fundDetails.map((detail, index) => ( +
  • + Fund Value: {detail.fundValue}, Fund Percentage: {detail.fundPercentage}% +
  • + ))} +
+ )} + + +
+ + + + +
)} + +
)} @@ -401,6 +435,7 @@ const PropertyView = () => {