\n \n \n \n \n \n );\n};\n\nexport default LoadingScreen;\n","import React, { useState, useEffect, useCallback } from \"react\";\nimport PropTypes from \"prop-types\";\nimport { useAuth0 } from \"@auth0/auth0-react\";\n\nimport { useFetchContactQuery } from \"../services/api\";\nimport LoadingScreen from \"../components/Auth/Loading\";\n\nconst CurrentContactContext = React.createContext();\n\nconst CurrentContactProvider = ({ children }) => {\n const {\n user,\n isAuthenticated,\n isLoading: isLoadingAuth,\n loginWithRedirect,\n } = useAuth0();\n\n const [currentContact, setCurrentContact] = useState(null);\n const [contactPermissions, setContactPermissions] = useState({});\n const [isOrganizationAdmin, setIsOrganizationAdmin] = useState(false);\n const [isVendorAdmin, setIsVendorAdmin] = useState(false);\n const [isFinanceSpecialist, setIsFinanceSpecialist] = useState(false);\n const [isTeamAdmin, setIsTeamAdmin] = useState(false);\n const [isTeamMember, setIsTeamMember] = useState(false);\n const [isCustomer, setIsCustomer] = useState(false);\n\n const {\n data: contact,\n isLoading,\n isFetching,\n refetch: refetchCurrentContact,\n error,\n } = useFetchContactQuery(user?.email, {\n skip: !user || !isAuthenticated || isLoadingAuth,\n });\n\n useEffect(() => {\n if (error) {\n if (error.status == 401) {\n loginWithRedirect();\n }\n }\n }, [error, loginWithRedirect]);\n\n // Set Current Contact\n useEffect(() => {\n if (contact) {\n setCurrentContact(contact);\n setContactPermissions(contact.attributes.permissions);\n }\n }, [contact, isLoading]);\n\n useEffect(() => {\n if (isLoading) return;\n\n if (hasPermission(\"organization_admin\")) setIsOrganizationAdmin(true);\n if (hasPermission(\"vendor_admin\")) setIsVendorAdmin(true);\n if (hasPermission(\"team_finance_specialist\")) setIsFinanceSpecialist(true);\n if (hasPermission(\"team_admin\")) setIsTeamAdmin(true);\n if (hasPermission(\"team_member\")) setIsTeamMember(true);\n\n if (contactPermissions == {}) return;\n\n const hasNoPermissions = Object.values(contactPermissions).every(\n (permission) => permission == false\n );\n\n if (hasNoPermissions) setIsCustomer(true);\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, [contactPermissions, hasPermission]);\n\n useEffect(() => {\n if (\n isOrganizationAdmin ||\n isVendorAdmin ||\n isFinanceSpecialist ||\n isTeamAdmin ||\n isTeamMember\n )\n setIsCustomer(false);\n }, [\n isOrganizationAdmin,\n isVendorAdmin,\n isFinanceSpecialist,\n isTeamAdmin,\n isTeamMember,\n ]);\n\n const hasPermission = useCallback(\n (permission, resource_id = null) => {\n if (contactPermissions[permission]) {\n if (permission == \"organization_admin\")\n return contactPermissions[permission];\n if (!resource_id) return contactPermissions[permission].length > 0;\n return contactPermissions[permission].includes(resource_id);\n }\n return false;\n },\n [contactPermissions]\n );\n\n if (isLoading || isFetching) return ;\n\n return (\n \n {children}\n \n );\n};\n\nCurrentContactProvider.propTypes = {\n children: PropTypes.any,\n};\n\nexport { CurrentContactProvider, CurrentContactContext };\n","// https://scottspence.com/posts/react-context-api#use-the-react-context-api\n\nimport React from \"react\";\nimport PropTypes from \"prop-types\";\n\nexport const FinancingContext = React.createContext();\n\nconst financingTypes = [\n \"standard\",\n \"subscription\",\n \"fair_market_value\",\n \"net_terms\",\n \"dollar_out_lease\",\n \"saas\",\n \"rental\"\n];\n\nexport class FinancingProvider extends React.Component {\n state = {\n newFinancingOptionType: undefined,\n };\n\n handleNewFinancingOptionTypeChange = (type) => {\n if (financingTypes.includes(type)) {\n this.setState({ newFinancingOptionType: type });\n }\n };\n\n render() {\n return (\n \n {this.props.children}\n \n );\n }\n}\n\nFinancingProvider.propTypes = {\n children: PropTypes.any,\n};\n","export const invertMapKeysAndValues = (stringMap) => {\n const newStringMap = {};\n for (let key in stringMap) {\n const val = stringMap[key];\n newStringMap[val] = key;\n }\n return newStringMap;\n};\n\nexport const returnPublicRoutes = () => {\n const publicRoutes = [\"/share\", \"/section-179-calculator\", \"/calculator\"];\n return publicRoutes.some(route => location.pathname.includes(route));\n};\n","import React, { useEffect, useState } from \"react\";\nimport http from \"../../http-common\";\nimport { useAuth0 } from \"@auth0/auth0-react\";\nimport PropTypes from \"prop-types\";\nimport LoadingScreen from \"../../components/Auth/Loading\";\nimport { returnPublicRoutes } from \"../../services/utility\";\n\nconst AxiosInterceptorContext = React.createContext({ isTokenSet: false });\n\nconst setAxiosTokenInterceptor = async (accessToken) => {\n http.interceptors.request.use(async (config) => {\n if (accessToken) {\n if (config.headers) {\n config.headers[\"Authorization\"] = `Bearer ${accessToken}`;\n } else {\n config.headers = {\n Authorization: `Bearer ${accessToken}`,\n };\n }\n }\n return config;\n });\n};\n\nexport const useAxiosInterceptor = () => {\n const context = React.useContext(AxiosInterceptorContext);\n if (context === undefined) {\n throw new Error(\n \"useAxiosInterceptor must be used within an AxiosInterceptorProvider\"\n );\n }\n return context;\n};\n\nexport const AxiosInterceptorProvider = ({ children }) => {\n const {\n isAuthenticated,\n isLoading: isLoadingAuth,\n getAccessTokenSilently,\n loginWithRedirect,\n } = useAuth0();\n const [isTokenSet, setIsTokenSet] = useState(false);\n const [isLoadingToken, setIsLoadingToken] = useState(true);\n const [isPublicRoute, setIsPublicRoute] = useState(false);\n\n useEffect(() => {\n const setToken = async () => {\n setIsLoadingToken(true);\n try {\n const accessToken = await getAccessTokenSilently();\n setAxiosTokenInterceptor(accessToken);\n setIsTokenSet(true);\n setIsLoadingToken(false);\n } catch (e) {\n console.log(\"Caught auth0 getAccessToken error: \", e);\n if (e.error === \"login_required\") {\n loginWithRedirect();\n }\n if (e.error === \"consent_required\") {\n loginWithRedirect();\n }\n if (e.error === \"invalid_grant\") {\n loginWithRedirect();\n }\n throw e;\n }\n };\n\n if (isAuthenticated) {\n setToken();\n }\n\n // Make public routes public (/share, /section-179-calculator)\n if (returnPublicRoutes()) {\n setIsPublicRoute(true);\n setIsLoadingToken(false);\n }\n }, [isAuthenticated, getAccessTokenSilently, loginWithRedirect]);\n\n useEffect(() => {}, [\n isLoadingAuth,\n isLoadingToken,\n isAuthenticated,\n isPublicRoute,\n ]);\n\n if (isLoadingAuth || isLoadingToken || (!isAuthenticated && !isPublicRoute))\n return ;\n\n return (\n \n {(isTokenSet || isPublicRoute) && children}\n \n );\n};\nAxiosInterceptorProvider.propTypes = {\n children: PropTypes.any,\n};\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport { AppProvider } from \"@shopify/polaris\";\nimport { Link as ReactRouterLink } from \"react-router-dom\";\nimport enTranslations from \"@shopify/polaris/locales/en.json\";\n\nexport const AppProviderWrapper = ({ children }) => {\n const IS_EXTERNAL_LINK_REGEX = /^(?:[a-z][a-z\\d+.-]*:|\\/\\/)/;\n const AppLink = ({ children, url = \"\", external, ref, ...rest }) => {\n // react-router only supports links to pages it can handle itself. It does not\n // support arbirary links, so anything that is not a path-based link should\n // use a reglar old `a` tag\n if (external || IS_EXTERNAL_LINK_REGEX.test(url)) {\n rest.target = \"_blank\";\n rest.rel = \"noopener noreferrer\";\n return (\n \n {children}\n \n );\n }\n\n return (\n \n {children}\n \n );\n };\n\n return (\n \n {children}\n \n );\n};\nAppProviderWrapper.propTypes = {\n children: PropTypes.any,\n};\n\nexport default AppProviderWrapper;\n","import React, { useEffect, useCallback, useState } from \"react\";\nimport PropTypes from \"prop-types\";\nimport {\n Page,\n Layout,\n EmptyState,\n FooterHelp,\n Link,\n Button,\n} from \"@shopify/polaris\";\nimport { WithinContentContext } from \"@shopify/polaris/build/esm/utilities/within-content-context\";\nimport FortifyLogo from \"../../../../app/assets/images/fortify-logo-padding.svg\";\nimport AppProviderWrapper from \"../App/AppProviderWrapper\";\n\nconst ErrorScreen = ({ error = { message: \"\" }, handleLogout }) => {\n const { message: heading } = error;\n\n const [isEmailVerificationError, setIsEmailVerificationError] =\n useState(false);\n useEffect(() => {\n if (heading.includes(\"We've sent a verification email\")) {\n setIsEmailVerificationError(true);\n }\n }, [heading]);\n\n const buildContent = useCallback(() => {\n return isEmailVerificationError\n ? \"Click the link in your email to verify your account. If you can't find the email, check your spam folder.\"\n : \"We were unable to authenticate you.\";\n }, [isEmailVerificationError]);\n\n const primaryAction = useCallback(() => {\n return isEmailVerificationError ? (\n null) :\n {\n content: \"Log out\",\n onAction: handleLogout,\n }}\n , [isEmailVerificationError, handleLogout]);\n\n return (\n \n \n \n
\n \n \n {buildContent()}\n \n \n
\n\n {isEmailVerificationError && (\n \n After verifying your email{\" \"}\n \n \n )}\n \n \n \n );\n};\n\nErrorScreen.propTypes = {\n error: PropTypes.object,\n handleLogout: PropTypes.func,\n};\n\nexport default ErrorScreen;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport {\n Page as PolarisPage,\n Layout,\n EmptyState,\n FooterHelp,\n Button,\n} from \"@shopify/polaris\";\nimport { WithinContentContext } from \"@shopify/polaris/build/esm/utilities/within-content-context\";\nimport FortifyLogo from \"../../../assets/images/fortify-logo-padding.svg\";\nimport AppProviderWrapper from \"../App/AppProviderWrapper\";\n\nconst VerifyEmail = ({ handleLogout }) => {\n const heading = \"We've sent a verification email\";\n\n return (\n \n \n \n
\n \n \n Click the link in your email to verify your account. If you\n can't find the email, check your spam folder.\n \n \n
\n\n \n After verifying your email{\" \"}\n \n \n \n \n \n );\n};\n\nVerifyEmail.propTypes = {\n handleLogout: PropTypes.func,\n};\n\nexport default VerifyEmail;\n","import React, { useEffect } from \"react\";\nimport { useAuth0 } from \"@auth0/auth0-react\";\nimport PropTypes from \"prop-types\";\nimport LoadingScreen from \"../../components/Auth/Loading\";\nimport ErrorScreen from \"../../components/Auth/Error\";\nimport VerifyEmail from \"../../components/Auth/VerifyEmail\";\nimport { useLocation } from \"react-router-dom\";\nimport queryString from \"query-string\";\nimport { returnPublicRoutes } from '../../services/utility'\n\nconst AuthContext = React.createContext({\n isAuthenticated: false,\n isLoading: true,\n});\n\nexport const CommonAuthProvider = ({ children }) => {\n const location = useLocation();\n const { search } = location;\n const query = queryString.parse(search);\n const {\n isAuthenticated,\n isLoading,\n getAccessTokenSilently,\n loginWithRedirect,\n error,\n user,\n logout,\n } = useAuth0();\n\n const value = {\n isLoading,\n isAuthenticated,\n getAccessTokenSilently,\n error,\n user,\n logout,\n };\n\n useEffect(() => {\n // Make public routes public (/share, /section-179-calculator)\n if (returnPublicRoutes()) return;\n if (isLoading || isAuthenticated || error) return;\n\n const { login_hint, screen_hint } = query;\n\n loginWithRedirect({\n appState: { returnTo: window.location.pathname },\n authorizationParams: {\n login_hint,\n // screen_hint forces the login/signup page to display\n screen_hint,\n },\n });\n }, [\n isLoading,\n isAuthenticated,\n loginWithRedirect,\n error,\n query,\n location.pathname,\n ]);\n\n if (isLoading) {\n return ;\n }\n\n if (error) {\n return ;\n }\n\n if (user && !user.email_verified && !location.pathname.includes(\"/share\")) {\n return ;\n }\n\n return {children};\n};\n\nCommonAuthProvider.propTypes = {\n children: PropTypes.any,\n};\n\nexport const useAuth = () => {\n const context = React.useContext(AuthContext);\n if (context === undefined) {\n throw new Error(\"useAuth must be used within a CommonAuthProvider\");\n }\n return context;\n};\n","import { useEffect } from \"react\";\nimport { useLocation } from \"react-router-dom\";\n\nexport default function ScrollToTop() {\n const { pathname } = useLocation();\n\n useEffect(() => {\n window.scrollTo(0, 0);\n }, [pathname]);\n\n return null;\n}","import React from \"react\";\nimport { useHistory } from \"react-router-dom\";\nimport PropTypes from \"prop-types\";\nimport {\n Page,\n Layout,\n Link,\n EmptyState,\n BlockStack,\n} from \"@shopify/polaris\";\nimport { WithinContentContext } from \"@shopify/polaris/build/esm/utilities/within-content-context\";\nimport fatalErrorSVG from \"../assets/fatalError.svg\";\n\nconst FatalError = (props) => {\n const { hideRefreshAction = false } = props;\n const history = useHistory();\n\n const handleReloadPage = () => {\n history.push(\"/\");\n window.location.reload();\n };\n\n return (\n \n \n
\n \n \n \n
\n Your browser did something unexpected. Please try again. If\n the error continues, try disabling all browser extensions.{\" \"}\n \n Contact us\n {\" \"}\n if the problem persists.\n
\n \n \n \n
\n \n \n );\n};\n\nFatalError.propTypes = {\n hideRefreshAction: PropTypes.bool,\n};\n\nexport default FatalError;\n","import React from \"react\";\nimport { Notifier } from \"@airbrake/browser\";\nimport FatalError from \"./FatalError\";\nimport PropTypes from \"prop-types\";\n\nclass ErrorBoundary extends React.Component {\n constructor(props) {\n super(props);\n this.state = { hasError: false };\n\n if (process.env.AIRBRAKE_PROJECT_ID && process.env.AIRBRAKE_PROJECT_KEY) {\n this.airbrake = new Notifier({\n projectId: process.env.AIRBRAKE_PROJECT_ID,\n projectKey: process.env.AIRBRAKE_PROJECT_KEY,\n });\n }\n }\n\n static getDerivedStateFromError(error) {\n // Update state so the next render will show the fallback UI.\n return { hasError: true };\n }\n\n componentDidCatch(error, info) {\n // Send error to Airbrake\n this.airbrake &&\n this.airbrake.notify({\n error: error,\n params: { info: info },\n });\n }\n\n render() {\n if (this.state.hasError) {\n // You can render any custom fallback UI\n return ;\n }\n\n return this.props.children;\n }\n}\n\nErrorBoundary.propTypes = {\n children: PropTypes.any,\n};\n\nexport default ErrorBoundary;\n","import React, { useEffect } from \"react\";\nimport { Route } from \"react-router-dom\";\nimport PropTypes from \"prop-types\";\nimport { withAuthenticationRequired, useAuth0 } from \"@auth0/auth0-react\";\nimport LoadingScreen from \"./Auth/Loading\";\n\nconst ProtectedRoute = ({ component: Component, ...rest }) => {\n const { isLoading, isAuthenticated, loginWithRedirect } = useAuth0();\n\n useEffect(() => {\n if (isLoading || isAuthenticated) {\n return;\n }\n const fn = async () => {\n // await loginWithRedirect();\n };\n fn();\n }, [isLoading, isAuthenticated]);\n\n return (\n <>\n ,\n })}\n />\n >\n );\n};\nProtectedRoute.propTypes = {\n component: PropTypes.any,\n};\n\nexport default ProtectedRoute;\n","import React, { ReactNode, useState, useContext, createContext } from 'react';\nimport { Toast } from '@shopify/polaris';\n\n// Context for the toast\nconst ToastContext = createContext<{ showToastWithMessage: (message: string) => void } | undefined>(undefined);\n\n// Custom hook for toast logic\nexport function useToast() {\n const context = useContext(ToastContext);\n if (!context) {\n throw new Error(`useToast must be used within a ToastProvider`);\n }\n return context;\n}\n\n// Provider component that also includes Toast markup\ninterface ToastProviderProps {\n children: ReactNode;\n}\n\nexport const ToastProvider: React.FC = ({ children }) => {\n const [showToast, setShowToast] = useState(false);\n const [toastMessage, setToastMessage] = useState('');\n\n const showToastWithMessage = (message: string) => {\n setToastMessage(message);\n setShowToast(true);\n };\n\n const handleDismissToast = () => {\n setShowToast(false);\n setToastMessage('');\n };\n\n const toastMarkup = showToast ? (\n \n ) : null;\n\n return (\n \n {children}\n {toastMarkup}\n \n );\n};\n","import React, { useState, useCallback, useContext } from \"react\";\nimport { TopBar, Icon, Text } from \"@shopify/polaris\";\nimport { ArrowLeftIcon, QuestionCircleIcon } from \"@shopify/polaris-icons\";\nimport PropTypes from \"prop-types\";\nimport { CurrentContactContext } from \"../../contexts/Contact\";\nimport { useAuth0 } from \"@auth0/auth0-react\";\n\nconst Navbar = (props) => {\n const { handleAuth0Logout, handleNavigationToggle } = props;\n\n const [isUserMenuOpen, setIsUserMenuOpen] = useState(false);\n const [isSecondaryMenuOpen, setIsSecondaryMenuOpen] = useState(false);\n\n const { currentContact } = useContext(CurrentContactContext);\n\n const { user } = useAuth0();\n\n const toggleIsUserMenuOpen = useCallback(\n () => setIsUserMenuOpen((isUserMenuOpen) => !isUserMenuOpen),\n []\n );\n\n const toggleIsSecondaryMenuOpen = useCallback(\n () => setIsSecondaryMenuOpen((isSecondaryMenuOpen) => !isSecondaryMenuOpen),\n []\n );\n\n const userMenuMarkup = (\n \n );\n\n const handleContactFort = () =>\n window.open(`mailto:${process.env.SUPPORT_EMAIL}?subject=General Support`);\n\n const secondaryMenuMarkup = (\n \n \n \n Support menu\n \n \n }\n open={isSecondaryMenuOpen}\n onOpen={toggleIsSecondaryMenuOpen}\n onClose={toggleIsSecondaryMenuOpen}\n actions={[\n {\n items: [\n { content: \"Contact FORT\", onAction: handleContactFort },\n {\n content: \"Help Center\",\n external: true,\n url: \"https://help.fortifypay.com\",\n },\n ],\n },\n ]}\n />\n );\n\n const navbarMarkup = (\n \n );\n\n return navbarMarkup;\n};\nNavbar.propTypes = {\n handleAuth0Logout: PropTypes.func,\n handleNavigationToggle: PropTypes.func,\n};\n\nexport default Navbar;\n","import React, { useEffect, useContext } from \"react\";\n\nimport { CurrentContactContext } from \"../../contexts/Contact\";\nimport LoadingScreen from \"../../components/Auth/Loading\";\n\nconst Auth0Callback = () => {\n const { currentContact } = useContext(CurrentContactContext);\n\n useEffect(() => {\n if (currentContact && currentContact?.attributes.invite_opportunity_id) {\n let opportunityId = currentContact.attributes.invite_opportunity_id;\n window.location.replace(\n `/opportunities/${opportunityId}/share`,\n \"_blank\"\n );\n }\n }, [currentContact]);\n\n const pageMarkup = (\n \n );\n\n return pageMarkup;\n};\n\nexport default Auth0Callback;\n","import { format } from \"timeago.js\";\n\nconst stateOptions = [\n \"Alaska\",\n \"Alabama\",\n \"Arkansas\",\n \"American Samoa\",\n \"Arizona\",\n \"California\",\n \"Colorado\",\n \"Connecticut\",\n \"District of Columbia\",\n \"Delaware\",\n \"Florida\",\n \"Georgia\",\n \"Guam\",\n \"Hawaii\",\n \"Iowa\",\n \"Idaho\",\n \"Illinois\",\n \"Indiana\",\n \"Kansas\",\n \"Kentucky\",\n \"Louisiana\",\n \"Massachusetts\",\n \"Maryland\",\n \"Maine\",\n \"Michigan\",\n \"Minnesota\",\n \"Missouri\",\n \"Mississippi\",\n \"Montana\",\n \"North Carolina\",\n \"North Dakota\",\n \"Nebraska\",\n \"New Hampshire\",\n \"New Jersey\",\n \"New Mexico\",\n \"Nevada\",\n \"New York\",\n \"Ohio\",\n \"Oklahoma\",\n \"Oregon\",\n \"Pennsylvania\",\n \"Puerto Rico\",\n \"Rhode Island\",\n \"South Carolina\",\n \"South Dakota\",\n \"Tennessee\",\n \"Texas\",\n \"Utah\",\n \"Virginia\",\n \"Virgin Islands\",\n \"Vermont\",\n \"Washington\",\n \"Wisconsin\",\n \"West Virginia\",\n \"Wyoming\",\n];\n\nconst stateOptionsShort = [\n \"AK\",\n \"AL\",\n \"AR\",\n \"AZ\",\n \"CA\",\n \"CO\",\n \"CT\",\n \"DC\",\n \"DE\",\n \"FL\",\n \"GA\",\n \"HI\",\n \"IA\",\n \"ID\",\n \"IL\",\n \"IN\",\n \"KS\",\n \"KY\",\n \"LA\",\n \"MA\",\n \"MD\",\n \"ME\",\n \"MI\",\n \"MN\",\n \"MO\",\n \"MS\",\n \"MT\",\n \"NC\",\n \"ND\",\n \"NE\",\n \"NH\",\n \"NJ\",\n \"NM\",\n \"NV\",\n \"NY\",\n \"OH\",\n \"OK\",\n \"OR\",\n \"PA\",\n \"RI\",\n \"SC\",\n \"SD\",\n \"TN\",\n \"TX\",\n \"UT\",\n \"VA\",\n \"VT\",\n \"WA\",\n \"WI\",\n \"WV\",\n \"WY\",\n \"AB\",\n \"BC\",\n \"MB\",\n \"NB\",\n \"NL\",\n \"NS\",\n \"NT\",\n \"NU\",\n \"ON\",\n \"PE\",\n \"QC\",\n \"SK\",\n \"YT\",\n];\n\nconst countryOptions = [\"USA\", \"Canada\"];\n\nconst equipmentProductTypeOptions = [\n \"Biomass Processing\",\n \"Building Structures\",\n \"Energy\",\n \"Gaming\",\n \"Gym\",\n \"Heavy Machinery\",\n \"Industrial\",\n \"Invasive Medical Equipment\",\n \"IT Equipment\",\n \"Lasers\",\n \"Machinery\",\n \"Material Handling\",\n \"Medical\",\n \"Office\",\n \"Other Essential Use Assets\",\n \"Packaging/Labeling\",\n \"Resources\",\n \"Restaurant\",\n \"Service\",\n \"Scientific\",\n \"Soft cost\",\n \"Software / SaaS\",\n \"Titled Asset\",\n \"Turf\",\n \"UG\",\n \"White Goods\",\n \"Mobile devices\",\n \"Turbines\",\n];\n\n/**\n * Converts a date string from the server into a JavaScript Date object, ensuring that the date remains the same regardless of the client's timezone.\n * This function assumes the server date is in the format \"YYYY-MM-DD\".\n * @param serverDateString - The date string from the server.\n * @returns {Date} A JavaScript Date object representing the same calendar date that was provided in the server date string.\n */\nconst convertServerDate = (serverDateString: string): Date => {\n if (!serverDateString) {\n return null;\n }\n\n const date = new Date(serverDateString);\n const userTimezoneOffset = date.getTimezoneOffset() * 60000; // Convert offset to milliseconds\n const correctedDate = new Date(date.getTime() + userTimezoneOffset);\n\n return correctedDate;\n};\n\n/**\n * Copies the given text to the clipboard.\n * @param text - The text to copy to the clipboard.\n * @returns A Promise that resolves when the text has copied to the clipboard.\n */\nconst copyTextToClipboard = (text: string) => {\n if (!navigator.clipboard) {\n fallbackCopyTextToClipboard(text);\n return;\n }\n return navigator.clipboard.writeText(text);\n};\n\nconst fallbackCopyTextToClipboard = (text: string) => {\n const textArea = document.createElement(\"textarea\");\n textArea.value = text;\n\n // Avoid scrolling to bottom\n textArea.style.top = \"0\";\n textArea.style.left = \"0\";\n textArea.style.position = \"fixed\";\n\n document.body.appendChild(textArea);\n textArea.focus();\n textArea.select();\n\n try {\n document.execCommand(\"copy\");\n } catch (err) {\n console.error(\"Fallback: Oops, unable to copy\", err);\n }\n\n document.body.removeChild(textArea);\n};\n\n/**\n * Formats a human-friendly time difference between the current date and the given date.\n * If the time difference is greater than one month, the date is formatted using the `formatShortDate` function.\n * Otherwise, the date is formatted using the `format` function with the \"en_US\" locale.\n * @param dateTime The date to format the time difference for.\n * @returns A human-friendly string representing the time difference between the current date and the given date.\n */\nconst formatHumanFriendlyTimeDifference = (dateTime: Date) => {\n const oneMonthAgo = 30 * 24 * 60 * 60 * 1000;\n const today = new Date();\n const timeDifference = today.getTime() - dateTime.getTime();\n\n if (timeDifference > oneMonthAgo) {\n return formatShortDate(dateTime);\n } else {\n return format(dateTime, \"en_US\");\n }\n};\n\n/**\n * Formats a Date object into a long date and time string.\n * @param datetime - The Date object to format.\n * @returns A string in the format \"Weekday, Month Day, Year at Hour:Minute\".\n */\nconst formatLongDateTime = (datetime: Date) => {\n const dateString = datetime.toLocaleString(\"en-US\", {\n timeZone: \"America/New_York\",\n weekday: \"long\",\n year: \"numeric\",\n month: \"long\",\n day: \"numeric\",\n });\n\n const timeString = datetime.toLocaleString(\"en-US\", {\n timeZone: \"America/New_York\",\n hour: \"numeric\",\n minute: \"2-digit\",\n });\n\n return `${dateString} at ${timeString}`;\n};\n\n/**\n * Formats a date object into a short date and time string.\n * @param datetime - The date object to format.\n * @returns A string in the format of \"Weekday, Month Day Year at Hour:Minute\".\n */\nconst formatShortDateTime = (datetime: Date) => {\n const dateString = datetime.toLocaleString(\"en-US\", {\n timeZone: \"America/New_York\",\n weekday: \"short\",\n year: \"numeric\",\n month: \"short\",\n day: \"numeric\",\n });\n\n const timeString = datetime.toLocaleString(\"en-US\", {\n timeZone: \"America/New_York\",\n hour: \"numeric\",\n minute: \"2-digit\",\n });\n\n return `${dateString} at ${timeString}`;\n};\n\n/**\n * Formats a given date into a short date string with the format \"weekday, month day, year\".\n * @param date - The date to format.\n * @returns A string representing the formatted date.\n */\nconst formatShortDate = (date: Date) => {\n const formattedDate = date.toLocaleString(\"en-US\", {\n timeZone: \"America/New_York\",\n weekday: \"short\",\n year: \"numeric\",\n month: \"short\",\n day: \"numeric\",\n });\n\n return formattedDate;\n};\n\n/**\n * Formats a Date object into a string with the format \"MM/DD/YY\".\n * @param {Date} date - The Date object to format.\n * @returns {string} The formatted date string.\n */\nconst formatNumericDate = (date: Date) => {\n return date.toLocaleString(\"en-US\", {\n timeZone: \"America/New_York\",\n year: \"2-digit\",\n month: \"2-digit\",\n day: \"2-digit\",\n });\n};\n\n/**\n * Formats a given number of milliseconds into a string representation of minutes and seconds.\n * @param milliseconds - The number of milliseconds to format.\n * @returns A string representation of the given milliseconds in the format \"MM:SS\".\n */\nconst formatMillisecondsToMinutes = (milliseconds: number) => {\n const minutes = Math.floor(milliseconds / 60000);\n const seconds = Math.round((milliseconds % 60000) / 1000);\n return seconds == 60\n ? minutes + 1 + \":00\"\n : minutes + \":\" + (seconds < 10 ? \"0\" : \"\") + seconds;\n};\n\n/**\n * Formats a given amount as a currency string in USD.\n * If the amount is not numeric or not a valid currency, returns \"$ --\".\n * @param amount - The amount to format as currency.\n * @param style - The style to format the currency.\n * @returns The formatted currency string.\n */\nconst formatCurrency = (\n amount: string | number,\n style: \"currency\" | \"decimal\" | \"percent\" = \"currency\"\n) => {\n if (!isNumeric(amount)) {\n if (!validateCurrency(String(amount))) {\n return \"$ --\";\n }\n\n return amount;\n }\n\n const formatter = new Intl.NumberFormat(\"en-US\", {\n style,\n currency: \"USD\",\n minimumFractionDigits: 2,\n maximumFractionDigits: 2,\n });\n\n return formatter.format(Number(amount));\n};\n\nfunction isDateNotPast(value: string) {\n // Extract year, month, and day from the input value\n const [year, month, day] = value.split(\"-\").map((num) => parseInt(num, 10));\n\n // Create a date object using the local timezone\n // Note: Month is 0-indexed, so subtract 1\n const inputDate = new Date(year, month - 1, day);\n\n // Get the current date and time, then adjust to the start of the day in the local timezone\n const today = new Date();\n today.setHours(0, 0, 0, 0);\n\n // Compare the two dates\n return inputDate >= today;\n}\n\n/**\n * Checks if a value is numeric.\n * @param value - The value to check.\n * @returns True if the value is numeric, false otherwise.\n */\nfunction isNumeric(value: string | number): boolean {\n return !isNaN(value as number) && !isNaN(parseFloat(value as string));\n}\n\n/**\n * Validates a currency value and returns it formatted as a string with two decimal places.\n * @param value - The currency value to validate and format.\n * @returns The formatted currency value as a string with two decimal places, or null if the input is invalid.\n */\nconst validateCurrency = (value: string) => {\n if (!value) {\n return null;\n }\n\n const valueFormatted = value.replace(/[$,]+/g, \"\");\n // values less than $1,000,000\n // var regex = /^[0-9]\\d*(((,\\d{3}){1})?(\\.\\d{0,2})?)$/;\n // values including greater than $1,000,000\n const regex = /^[0-9]\\d*(((,\\d{3})*)?(\\.\\d{0,2})?)$/;\n if (regex.test(valueFormatted)) {\n //Input is valid, check the number of decimal places\n const twoDecimalPlaces = /\\.\\d{2}$/g;\n const oneDecimalPlace = /\\.\\d{1}$/g;\n const noDecimalPlacesWithDecimal = /\\.\\d{0}$/g;\n\n if (valueFormatted.match(twoDecimalPlaces)) {\n //all good, return as is\n return valueFormatted;\n }\n if (valueFormatted.match(noDecimalPlacesWithDecimal)) {\n //add two decimal places\n return valueFormatted + \"00\";\n }\n if (valueFormatted.match(oneDecimalPlace)) {\n //ad one decimal place\n return valueFormatted + \"0\";\n }\n //else there is no decimal places and no decimal\n return valueFormatted + \".00\";\n }\n return null;\n};\n\n/**\n * Checks if the given value is a valid currency.\n * @param value - The value to be validated.\n * @returns If the value is not a valid currency, returns a string \"Please enter a valid dollar amount\".\n */\nconst isValidCurrency = (value: string) => {\n if (!validateCurrency(value)) {\n return \"Please enter a valid dollar amount\";\n }\n};\n\n/**\n * Converts a string to sentence case.\n * @param value - The string to convert.\n * @returns The converted string.\n */\nconst toSentenceCase = (value: string) => {\n function firstLetterUpper(value: string) {\n return value.toLowerCase().replace(/(^\\s*\\w|[\\.\\!\\?]\\s*\\w)/g, function (c) {\n return c.toUpperCase();\n });\n }\n\n return firstLetterUpper(value);\n};\n\n/**\n * Converts a string to title case.\n * @param value - The string to convert.\n * @returns The title case version of the input string.\n */\nconst toTitleCase = (value: string): string => {\n let result = \"\";\n let capitalizeNext = true;\n for (let i = 0; i < value.length; i++) {\n const char = value.charAt(i);\n if (capitalizeNext) {\n result += char.toUpperCase();\n capitalizeNext = false;\n } else {\n result += char.toLowerCase();\n }\n if (char === \" \") {\n capitalizeNext = true;\n }\n }\n return result;\n};\n\n/**\n * Generates a random UUID v4 string.\n * @returns {string} A UUID v4 string.\n */\nconst uuidv4 = (): string => {\n const baseString = \"10000000-1000-4000-8000-100000000000\";\n return baseString.replace(/[018]/g, (c: string): string => {\n const charCode = parseInt(c, 10);\n return (\n charCode ^\n (crypto.getRandomValues(new Uint8Array(1))[0] & (15 >> (charCode / 4)))\n ).toString(16);\n });\n};\n\nenum ConversionType {\n TO_NAME = 1,\n TO_ABBREVIATED = 2,\n}\n/**\n * Converts a state or province name to its abbreviated form or vice versa.\n * @param input - The name of the state or province to convert.\n * @param to - The type of conversion to perform. Defaults to `ConversionType.TO_NAME`.\n * @returns The converted state or province name in its abbreviated or full form, or `undefined` if the input is invalid.\n */\nfunction convertStateName(\n input: string,\n to: ConversionType = ConversionType.TO_NAME\n): string | undefined {\n const states: Record = {\n Alabama: \"AL\",\n Alaska: \"AK\",\n \"American Samoa\": \"AS\",\n Arizona: \"AZ\",\n Arkansas: \"AR\",\n \"Armed Forces Americas\": \"AA\",\n \"Armed Forces Europe\": \"AE\",\n \"Armed Forces Pacific\": \"AP\",\n California: \"CA\",\n Colorado: \"CO\",\n Connecticut: \"CT\",\n Delaware: \"DE\",\n \"District Of Columbia\": \"DC\",\n Florida: \"FL\",\n Georgia: \"GA\",\n Guam: \"GU\",\n Hawaii: \"HI\",\n Idaho: \"ID\",\n Illinois: \"IL\",\n Indiana: \"IN\",\n Iowa: \"IA\",\n Kansas: \"KS\",\n Kentucky: \"KY\",\n Louisiana: \"LA\",\n Maine: \"ME\",\n \"Marshall Islands\": \"MH\",\n Maryland: \"MD\",\n Massachusetts: \"MA\",\n Michigan: \"MI\",\n Minnesota: \"MN\",\n Mississippi: \"MS\",\n Missouri: \"MO\",\n Montana: \"MT\",\n Nebraska: \"NE\",\n Nevada: \"NV\",\n \"New Hampshire\": \"NH\",\n \"New Jersey\": \"NJ\",\n \"New Mexico\": \"NM\",\n \"New York\": \"NY\",\n \"North Carolina\": \"NC\",\n \"North Dakota\": \"ND\",\n \"Northern Mariana Islands\": \"NP\",\n Ohio: \"OH\",\n Oklahoma: \"OK\",\n Oregon: \"OR\",\n Pennsylvania: \"PA\",\n \"Puerto Rico\": \"PR\",\n \"Rhode Island\": \"RI\",\n \"South Carolina\": \"SC\",\n \"South Dakota\": \"SD\",\n Tennessee: \"TN\",\n Texas: \"TX\",\n \"US Virgin Islands\": \"VI\",\n Utah: \"UT\",\n Vermont: \"VT\",\n Virginia: \"VA\",\n Washington: \"WA\",\n \"West Virginia\": \"WV\",\n Wisconsin: \"WI\",\n Wyoming: \"WY\",\n };\n\n const provinces: Record = {\n Alberta: \"AB\",\n \"British Columbia\": \"BC\",\n Manitoba: \"MB\",\n \"New Brunswick\": \"NB\",\n Newfoundland: \"NF\",\n \"Northwest Territory\": \"NT\",\n \"Nova Scotia\": \"NS\",\n Nunavut: \"NU\",\n Ontario: \"ON\",\n \"Prince Edward Island\": \"PE\",\n Quebec: \"QC\",\n Saskatchewan: \"SK\",\n Yukon: \"YT\",\n };\n\n const regions = { ...states, ...provinces };\n\n if (to === ConversionType.TO_ABBREVIATED) {\n const formattedInput = input.replace(\n /\\w\\S*/g,\n (txt) => txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase()\n );\n return regions[formattedInput];\n } else if (to === ConversionType.TO_NAME) {\n const upperInput = input.toUpperCase();\n return Object.keys(regions).find((key) => regions[key] === upperInput);\n }\n}\n\n/**\n * Validates the given email address based on a regex pattern.\n *\n * @function\n * @param {string} email - The email address to be validated.\n * @returns {boolean} Returns `true` if the email is valid, otherwise `false`.\n * @example\n *\n * validateEmail(\"test@example.com\"); // returns true\n * validateEmail(\"invalid-email\"); // returns false\n */\nconst validateEmail = (email: string): boolean => {\n const regexPattern =\n /^(([^<>()[\\]\\\\.,;:\\s@\"]+(\\.[^<>()[\\]\\\\.,;:\\s@\"]+)*)|(\".+\"))@((\\[[0-9]{1,3}\\.[0-9]{1,3}\\.[0-9]{1,3}\\.[0-9]{1,3}\\])|(([a-zA-Z\\-0-9]+\\.)+[a-zA-Z]{2,}))$/;\n return regexPattern.test(String(email).toLowerCase());\n};\n\nconst validatePhone = function (phone: string) {\n const phoneRegex =\n /^(?:(?:\\(?(?:00|\\+)([1-4]\\d\\d|[1-9]\\d*)\\)?)[\\-\\.\\ \\\\\\/]?)?((?:\\(?\\d{1,}\\)?[\\-\\.\\ \\\\\\/]?)+)(?:[\\-\\.\\ \\\\\\/]?(?:#|ext\\.?|extension|x)[\\-\\.\\ \\\\\\/]?(\\d+))?$/i;\n return phoneRegex.test(phone);\n};\n\n/**\n * Capitalizes the first letter of a string.\n * @param string - The input string to capitalize.\n * @returns The input string with the first letter capitalized.\n */\nconst capitalizeFirstLetter = (string: string) => {\n return string.charAt(0).toUpperCase() + string.slice(1);\n};\n\nconst toHumanReadableFinanceType = {\n standard: \"Standard financing\",\n fair_market_value: \"Fair market value\",\n net_terms: \"Net terms\",\n subscription: \"Subscription license agreement\",\n dollar_out_lease: \"Dollar out lease\",\n saas: \"Software as a service\",\n rental: \"Rental\",\n};\n\nconst toFinanceTypeSlug = {\n \"Standard financing\": \"standard\",\n \"Fair market value\": \"fair_market_value\",\n \"Net terms\": \"net_terms\",\n \"Subscription license agreement\": \"subscription\",\n \"Dollar out lease\": \"dollar_out_lease\",\n \"Software as a service\": \"saas\",\n Rental: \"rental\",\n};\n\nconst formatDateOptions = () => {\n const setToMidnight = (date: Date) => {\n date.setHours(0, 0, 0, 0);\n return date.toISOString();\n };\n\n const today = setToMidnight(new Date());\n const sevenDaysAgo = setToMidnight(\n new Date(Date.now() - 7 * 24 * 60 * 60 * 1000)\n );\n const thirtyDaysAgo = setToMidnight(\n new Date(Date.now() - 30 * 24 * 60 * 60 * 1000)\n );\n const ninetyDaysAgo = setToMidnight(\n new Date(Date.now() - 90 * 24 * 60 * 60 * 1000)\n );\n const oneYearAgo = setToMidnight(\n new Date(Date.now() - 365 * 24 * 60 * 60 * 1000)\n );\n\n return [\n {\n label: \"Today\",\n value: today,\n },\n {\n label: \"Last 7 days\",\n value: sevenDaysAgo,\n },\n {\n label: \"Last 30 days\",\n value: thirtyDaysAgo,\n },\n {\n label: \"Last 90 days\",\n value: ninetyDaysAgo,\n },\n {\n label: \"Last 12 months\",\n value: oneYearAgo,\n },\n ];\n};\nconst dateOptions = formatDateOptions();\n\nconst taskLabels = [\n // \"Quote\",\n // \"Purchase Option\",\n // \"Pre-approved\",\n // \"Credit review\",\n // \"Signer\",\n // \"File upload\",\n // \"Envelope\",\n // \"Payment auth\",\n // \"Invoice\",\n // \"Transactions\"\n];\n\nconst taskNameToLabel = {\n quote: \"Quote\",\n purchase_option: \"Purchase Option\",\n purchase_option_approved: \"Pre-approved\",\n credit_review: \"Credit review\",\n signer: \"Signer\",\n file_upload: \"File upload\",\n envelope: \"Envelope\",\n payment_auth: \"Payment auth\",\n invoice: \"Invoice\",\n transaction: \"Transactions\",\n};\n\nconst taskLabelToName = {\n Quote: \"quote\",\n \"Purchase Option\": \"purchase_option\",\n \"Pre-approved\": \"purchase_option_approved\",\n \"Credit review\": \"credit_review\",\n Signer: \"signer\",\n \"File upload\": \"file_upload\",\n Envelope: \"envelope\",\n \"Payment auth\": \"payment_auth\",\n Invoice: \"invoice\",\n Transactions: \"transaction\",\n};\n\nconst taskNameToChoices = {\n quote: [\n { label: \"Present\", value: \"Complete\" },\n { label: \"Not present\", value: \"None\" },\n ],\n purchase_option: [\n { label: \"Selected\", value: \"Complete\" },\n { label: \"Not selected\", value: \"None\" },\n ],\n purchase_option_approved: [\n { label: \"Approved\", value: \"Complete\" },\n { label: \"Not approved\", value: \"None\" },\n ],\n credit_review: [\n { label: \"Approved\", value: \"Complete\" },\n { label: \"Not approved\", value: \"None\" },\n ],\n signer: [\n { label: \"Set\", value: \"Complete\" },\n { label: \"Not set\", value: \"None\" },\n ],\n file_upload: [\n { label: \"Complete\", value: \"Complete\" },\n { label: \"Not complete\", value: \"Incomplete\" },\n { label: \"None\", value: \"None\" },\n ],\n envelope: [\n { label: \"Complete\", value: \"Complete\" },\n { label: \"Not complete\", value: \"Incomplete\" },\n { label: \"None\", value: \"None\" },\n ],\n payment_auth: [\n { label: \"Complete\", value: \"Complete\" },\n { label: \"Not complete\", value: \"None\" },\n ],\n invoice: [\n { label: \"Present\", value: \"Complete\" },\n { label: \"Not present\", value: \"None\" },\n ],\n transaction: [\n { label: \"Complete\", value: \"Complete\" },\n { label: \"Not complete\", value: \"Incomplete\" },\n { label: \"None\", value: \"None\" },\n ],\n};\n\nconst showPaymentScheduleTypes = [\n \"Net terms\",\n \"Standard financing\",\n \"Rental\",\n \"Dollar out lease\",\n];\n\nexport {\n capitalizeFirstLetter,\n convertStateName,\n convertServerDate,\n copyTextToClipboard,\n formatCurrency,\n formatHumanFriendlyTimeDifference,\n formatLongDateTime,\n formatShortDate,\n formatShortDateTime,\n formatNumericDate,\n formatMillisecondsToMinutes,\n isDateNotPast,\n isValidCurrency,\n isNumeric,\n toSentenceCase,\n toTitleCase,\n validateCurrency,\n validateEmail,\n validatePhone,\n uuidv4,\n countryOptions,\n dateOptions,\n equipmentProductTypeOptions,\n stateOptions,\n stateOptionsShort,\n toHumanReadableFinanceType,\n toFinanceTypeSlug,\n taskNameToLabel,\n taskLabels,\n taskLabelToName,\n taskNameToChoices,\n showPaymentScheduleTypes,\n};\n","import React, { useState, useCallback, useEffect } from \"react\";\nimport PropTypes from \"prop-types\";\nimport {\n FormLayout,\n Autocomplete,\n Icon,\n BlockStack,\n TextField,\n Collapsible,\n Button,\n} from \"@shopify/polaris\";\nimport { LocationIcon, SearchIcon } from \"@shopify/polaris-icons\";\nimport { useDebounce } from \"use-debounce\";\nimport { useGetCompaniesSearchQuery } from \"../../services/api\";\n\nconst AccountSearchForm = (props) => {\n const { selectCompany, deselectCompany, query, resourceName = \"account\" } = props;\n\n const [queryValue, setQueryValue] = useState(\"\");\n const [address, setAddress] = useState(\"\");\n const [searchQuery] = useDebounce(queryValue, 500);\n const [addressQuery] = useDebounce(address, 500);\n // const [activeAddressField, setActiveAddressField] = useState(false);\n const [skipQuery, setSkipQuery] = useState(false);\n const [hasSearchFocus, setHasSearchFocus] = useState(false);\n\n const handleQueryChange = (queryValue) => {\n setSkipQuery(false);\n setQueryValue(queryValue);\n setOptions([]);\n };\n\n useEffect(() => {\n if (query) {\n handleQueryChange(query);\n setHasSearchFocus(true);\n }\n }, [query]);\n\n const {\n data: { companies = [] } = [],\n isLoading,\n isFetching,\n } = useGetCompaniesSearchQuery(\n { query: searchQuery, address: addressQuery },\n {\n skip: searchQuery.length < 3 || skipQuery,\n refetchOnMountOrArgChange: true,\n }\n );\n\n // const handleAddressChange = (value) => {\n // setAddress(value);\n // };\n\n // const handleAddAddress = () => {\n // setActiveAddressField((state) => {\n // if (state) {\n // setAddress();\n // }\n // return !state;\n // });\n // };\n\n const [selectedOptions, setSelectedOptions] = useState([]);\n const [options, setOptions] = useState([]);\n\n const updateSelection = useCallback(\n (selected) => {\n const selectedValue = selected.find((selectedItem) => {\n const matchedOption = options.find((option) => {\n return option.value.match(selectedItem);\n });\n\n return matchedOption && matchedOption.label;\n });\n\n const { company: selectedCompany } = companies.find(({ company }) => {\n return company.company_number === selectedValue;\n });\n\n setSelectedOptions(selected);\n setSkipQuery(true);\n setQueryValue(selectedCompany?.name);\n selectCompany(selectedCompany);\n },\n [options]\n );\n\n const handleManuallyAddAccount = () => {\n setQueryValue(\"\");\n setSelectedOptions([]);\n deselectCompany();\n };\n\n useEffect(() => {\n if (companies.length) {\n const formattedCompaniesArray = companies.map(({ company }) => {\n return {\n label: `${company?.name} ${\n company?.registered_address_in_full\n ? \"- \" + company?.registered_address_in_full\n : \"\"\n }`,\n value: company?.company_number,\n };\n });\n setOptions(formattedCompaniesArray);\n }\n }, [companies]);\n\n const emptyState = (\n \n \n
\n {!currentContact.attributes.has_complete_profile &&\n showDetailsBanner && (\n setShowDetailsBanner(false)}\n >\n We ask everyone for a few details to help us verify your\n identity.\n \n )}\n\n {submitErrors.length > 0 && (\n \n
\n \n {!integratedPaymentsOn &&\n \"When integrated payments is off, as customers select the net terms option, the vendor admins will be notified to process the payment manually.\"}\n {integratedPaymentsOn &&\n \"When integrted payments is on, all Net terms purchases will be charged to the connected Stripe account according to the details below\"}\n \n
\n \n )}\n \n\n \n \n \n Debt PV\n \n \n \n Debt Present Value\n \n \n The present value of future cash flows, discounted at\n the lender's buy rate. \n This calculation considers term length, payment\n schedule, and any custom term segments to determine the\n current value of the debt for the lender.\n \n >\n }\n >\n \n \n \n\n
\n {`Are you sure? Scheduling this transaction will notify the ${\n transaction?.attributes?.detail?.includes(\"Lender\")\n ? \"\"\n : \"customer and\"\n } vendor admin of the transaction schedule date.`}\n
\n This will create or update incomplete transactions according to the\n selected schedule and installment payment start date. Completed\n transactions cannot be changed.\n
\n\n \n\n
\n For help updating completed transactions \n \n contact support\n \n
\n );\n};\n\nOpportunityCommentList.propTypes = {\n commentableId: PropTypes.string,\n commentableType: PropTypes.string,\n};\n\nexport default OpportunityCommentList;\n","import React from \"react\";\nimport { useHistory } from \"react-router-dom\";\nimport {\n Page,\n Layout,\n Link,\n EmptyState,\n BlockStack,\n} from \"@shopify/polaris\";\nimport { WithinContentContext } from \"@shopify/polaris/build/esm/utilities/within-content-context\";\nimport fourZeroFourSVG from \"../assets/404.svg\";\n\nconst FourZeroFour = (props) => {\n const history = useHistory();\n\n const handleNavigateBack = () => {\n history.goBack();\n };\n\n return (\n \n \n
\n \n \n \n
\n We can't seem to find the page you are looking for. Try\n going back to the previous page or{\" \"}\n \n contact us\n {\" \"}\n for more information.\n
onSelectOption(financingOption)}\n >\n \n \n \n \n \n {financingOption.attributes.title}\n \n \n\n \n {financingOption.attributes.selected && (\n \n \n \n Accepted\n \n \n )}\n \n \n \n\n \n {\n e.stopPropagation();\n handleClickShowTerms(financingOption);\n }}\n external\n >\n Term Details\n \n \n \n\n \n {financingOption.attributes.details}\n {financingType == \"Standard financing\" &&\n \" • Debtor owns the equipment free of liens at end of term\"}\n {financingType === \"Fair market value\" &&\n \" • At the end of the term lessee may: 1.) Return the equipment, 2.) Continue to rent for a defined term, or 3.) Buy the equipment for the fair market value.\"}\n {financingType !== \"Net terms\" &&\n ` • ${financingOption.attributes.term_length} months`}\n {financingOption.attributes.approved && (\n <>\n • Approved\n >\n )}\n \n
\n \n >;\n};\n\nTermCard.propTypes = {\n financingOption: PropTypes.object,\n optionIndex: PropTypes.number,\n onSelectOption: PropTypes.func,\n selectedOption: PropTypes.object,\n handleClickShowTerms: PropTypes.func,\n totalFinanceAmount: PropTypes.number,\n};\n\nexport default TermCard;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport { Modal, BlockStack, Text } from \"@shopify/polaris\";\n\nconst DisplayTermsModal = (props) => {\n const {\n showDisplayTermsModal,\n toggleShowDisplayTermsModal,\n financingOption,\n } = props;\n\n return (\n \n \n {financingOption.attributes.financing_type === \"Net terms\" && (\n \n \n Net terms\n \n \n Payment will be due on the installment payment start date,\n according to the selected schedule.\n \n \n )}\n\n {!(financingOption.attributes.financing_type === \"Net terms\") &&\n financingOption.attributes.approved === false && (\n \n \n Estimate\n \n \n Based on an average scoring of companies in your industry, for\n like product and transaction size, this is an estimated payment\n you can use for budgetary purposes. You can assume this to be\n your payment for this term and structure give or take\n $100/month.\n \n \n )}\n\n {/* {financingOption.attributes.approved === false && (\n \n \n Pre-approved\n \n TBD\n \n )} */}\n\n {!(financingOption.attributes.financing_type === \"Net terms\") &&\n financingOption.attributes.approved === true && (\n \n \n You're approved!\n \n No additional information is needed for review.\n \n Once you select an option and an authorized signatory is\n confirmed, finance documents will be presented for your review\n and execution.\n \n \n There is nothing binding until the finance documents are fully\n executed. If you have any questions, please don't hesitate\n to be in touch.\n \n \n )}\n \n \n );\n};\n\nDisplayTermsModal.propTypes = {\n showDisplayTermsModal: PropTypes.bool,\n toggleShowDisplayTermsModal: PropTypes.func,\n financingOption: PropTypes.object,\n opportunityId: PropTypes.string,\n opportunity: PropTypes.object,\n};\n\nexport default DisplayTermsModal;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport { Text, Link } from \"@shopify/polaris\";\nimport { formatCurrency } from \"../../../../../utilities\";\n\nconst Section179Ad = (props) => {\n const { opportunity } = props;\n\n return (\n <>\n
\n );\n };\n\n const customerBillToAddress = (opportunity) => {\n let address, firstLine, secondLine;\n if (\n opportunity.attributes.client_address &&\n opportunity.attributes.client_address.length > 0\n ) {\n address = opportunity.attributes.client_address.split(\",\");\n\n firstLine = address[0];\n secondLine = \"\";\n\n for (let i = 1; i < address.length; i++) {\n secondLine = secondLine + address[i];\n if (i != address.length - 1) {\n secondLine = secondLine + \",\";\n }\n }\n }\n\n return renderAddresss(firstLine, secondLine);\n };\n\n const vendorShipToAddress = (opportunity) => {\n if (vendorPayments && vendorPayments.length > 0) {\n let vendorPayment = vendorPayments[0];\n let address = vendorPayment.attributes.product_address.split(\",\");\n\n let firstLine = address[0];\n let secondLine = \"\";\n\n for (let i = 1; i < address.length; i++) {\n secondLine = secondLine + address[i];\n if (i != address.length - 1) {\n secondLine = secondLine + \",\";\n }\n }\n\n return renderAddresss(firstLine, secondLine);\n } else {\n return customerBillToAddress(opportunity);\n }\n };\n\n const handleCreateOpportunityEvent = useCallback(\n (type, contactId) => {\n return createOpportunityEvent({\n opportunityId: opportunityId,\n type: type,\n contact_id: contactId,\n })\n .unwrap()\n .then()\n .catch((error) => {\n console.log(error);\n });\n },\n [createOpportunityEvent, opportunityId]\n );\n\n const handleCreateFinancingOptionEvent = useCallback(\n (financingOptionId, type, contactId) => {\n return createFinancingOptionEvent({\n financingOptionId: financingOptionId,\n type: type,\n contact_id: contactId,\n })\n .unwrap()\n .then((result) => {\n console.log(result);\n })\n .catch((error) => {\n console.log(error);\n });\n },\n [createFinancingOptionEvent]\n );\n\n const [openInvoiceModal, setOpenInvoiceModal] = useState(false);\n const toggleOpenInvoiceModal = () => {\n if (!openInvoiceModal) {\n handleCreateOpportunityEvent(\n \"VendorPaymentAttachmentViewed\",\n currentContact?.id\n );\n }\n setOpenInvoiceModal(!openInvoiceModal);\n };\n const invoiceModal = openInvoiceModal && (\n 0}\n openInvoiceModal={openInvoiceModal}\n toggleOpenInvoiceModal={toggleOpenInvoiceModal}\n vendorPayments={vendorPayments}\n />\n );\n\n // The persisted selected option from the list of financing options\n const [selectedOption, setSelectedOption] = useState();\n // The current option that the user has selected\n const [optionSelection, setOptionSelection] = useState();\n\n useEffect(() => {\n const selectedOption = financingOptions.find(\n (financingOption) => financingOption.attributes.selected\n );\n selectedOption && setSelectedOption(selectedOption);\n if (selectedOption) setCanClickNext(true)\n }, [financingOptions]);\n\n const [\n showTermSelectionConfirmationModal,\n setShowTermSelectionConfirmationModal,\n ] = useState(false);\n\n const handleSelectOption = useCallback(\n (option) => {\n if (!selectedOption) {\n handleConfirmOptionSelection(option);\n } else {\n setOptionSelection(option);\n setShowTermSelectionConfirmationModal(true);\n }\n },\n [\n handleConfirmOptionSelection,\n selectedOption,\n setShowTermSelectionConfirmationModal,\n ]\n );\n\n const termSelectionConfirmationModal = (\n setShowTermSelectionConfirmationModal(false)}\n primaryAction={{\n content: \"Confirm\",\n onAction: () => handleConfirmOptionSelection(optionSelection),\n }}\n secondaryActions={[\n {\n content: \"Cancel\",\n onAction: () => setShowTermSelectionConfirmationModal(false),\n },\n ]}\n >\n {selectedOption &&\n (optionSelection == selectedOption ? (\n \n \n Confirm that you would like to undo this choice and select a\n different option.\n \n \n ) : (\n \n \n {opportunity.attributes.has_opportunity_envelopes && (\n \n
\n Changing your purchase option will void these documents and\n new documents will be generated in their place if applicable\n to the new purchase option.\n
\n \n >\n );\n};\n\nGuarantorCard.propTypes = {\n index: PropTypes.number,\n guarantor: PropTypes.object,\n};\n\nexport default GuarantorCard;\n","/**\n * Date utility functions for formatting, parsing, and validating dates\n */\n\n/**\n * Format a Date object as MM/DD/YYYY\n * @param date - The date to format, or null\n * @returns Formatted date string or empty string if date is null\n */\nexport const formatDate = (date: Date | null): string => {\n if (!date) return \"\";\n \n const month = String(date.getMonth() + 1).padStart(2, '0');\n const day = String(date.getDate()).padStart(2, '0');\n const year = date.getFullYear();\n \n return `${month}/${day}/${year}`;\n};\n\n/**\n * Check if a date is valid\n * @param month - Month (1-12)\n * @param day - Day of month\n * @param year - Year (4 digits or 2 digits)\n * @returns Whether the date is valid\n */\nexport const isValidDate = (month: number, day: number, year: number): boolean => {\n // Basic range checks\n if (month < 1 || month > 12) return false;\n if (day < 1 || day > 31) return false;\n \n // Check for specific month lengths\n const monthLengths = [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31];\n \n // Adjust February for leap years\n // For 2-digit years, we need to handle them specially\n let isLeapYear = false;\n if (year < 100) {\n // For 2-digit years, we'll consider them valid if they would be valid\n // in either the 1900s or 2000s\n isLeapYear = \n ((year + 1900) % 4 === 0 && (year + 1900) % 100 !== 0) || (year + 1900) % 400 === 0 ||\n ((year + 2000) % 4 === 0 && (year + 2000) % 100 !== 0) || (year + 2000) % 400 === 0;\n } else {\n isLeapYear = (year % 4 === 0 && year % 100 !== 0) || year % 400 === 0;\n }\n \n if (isLeapYear) {\n monthLengths[1] = 29;\n }\n \n // Check if the day is valid for the given month\n return day <= monthLengths[month - 1];\n};\n\n/**\n * Regular expressions for date formats\n */\nexport const dateRegex = {\n fullYear: /^(\\d{1,2})\\/(\\d{1,2})\\/(\\d{4})$/, // Exactly 4 digits for year\n shortYear: /^(\\d{1,2})\\/(\\d{1,2})\\/(\\d{2})$/, // Exactly 2 digits for year\n partialYear: /^(\\d{1,2})\\/(\\d{1,2})\\/(\\d{1,3})$/, // 1-3 digits for partial years during backspacing\n partialDate: /^(\\d{1,2})\\/(\\d{1,2})(\\/(\\d{0,3}))?$/, // For any partial date\n invalidChars: /[^\\d\\/]/,\n // Add a pattern to detect invalid year lengths (more than 4 digits)\n invalidYearLength: /^(\\d{1,2})\\/(\\d{1,2})\\/(\\d{5,})$/\n};\n\n/**\n * Parse a date string to a Date object\n * @param dateString - Date string in MM/DD/YYYY or MM/DD/YY format\n * @param preserveFormat - Whether to preserve the original format (don't convert 2-digit years)\n * @param allowPartial - Whether to allow partial inputs (for backspacing)\n * @returns Parsed Date object or null if invalid\n */\nexport const parseDate = (dateString: string, preserveFormat = false, allowPartial = false): Date | null => {\n // Check for invalid year lengths (more than 4 digits)\n if (dateRegex.invalidYearLength.test(dateString)) {\n return null;\n }\n \n // Check if this is a partial input (like when backspacing)\n // This includes any input that doesn't match the complete date formats\n // or specifically matches our partial year pattern\n const isPartialInput = !dateRegex.fullYear.test(dateString) && \n !dateRegex.shortYear.test(dateString);\n \n // If we're allowing partial inputs and this is a partial input,\n // return null immediately to prevent any auto-correction\n if (allowPartial && isPartialInput) {\n return null;\n }\n \n // Check specifically for partial years like \"03/16/202\"\n const partialYearMatch = dateString.match(dateRegex.partialYear);\n if (partialYearMatch && !dateRegex.fullYear.test(dateString) && !dateRegex.shortYear.test(dateString)) {\n // Always return null for partial years to prevent auto-correction\n return null;\n }\n \n // Check if this is a two-digit year format (e.g., \"01/01/23\")\n // If preserveFormat is true, we want to keep it as a two-digit year\n // If allowPartial is true, we also want to return null to prevent auto-correction\n const isTwoDigitYear = dateRegex.shortYear.test(dateString);\n if (isTwoDigitYear && allowPartial) {\n // Return null for two-digit years when allowPartial is true\n // This prevents auto-correction during typing\n return null;\n }\n \n // First, try the MM/DD/YYYY format\n const fullYearMatch = dateString.match(dateRegex.fullYear);\n \n if (fullYearMatch) {\n const month = parseInt(fullYearMatch[1], 10);\n const day = parseInt(fullYearMatch[2], 10);\n const year = parseInt(fullYearMatch[3], 10);\n \n // Check if the date is valid (e.g., not 02/30/2023)\n if (isValidDate(month, day, year)) {\n return new Date(year, month - 1, day);\n }\n }\n \n // Next, try the MM/DD/YY format\n const shortYearMatch = dateString.match(dateRegex.shortYear);\n \n if (shortYearMatch) {\n const month = parseInt(shortYearMatch[1], 10);\n const day = parseInt(shortYearMatch[2], 10);\n let year = parseInt(shortYearMatch[3], 10);\n \n // If preserveFormat is true, we need to create a date with the 2-digit year\n if (preserveFormat) {\n // We need to create a date in the range 0-99 AD\n // JavaScript dates work with years 0-99 as actual years, not 1900+year\n if (isValidDate(month, day, year)) {\n const date = new Date(0, 0, 1); // Create a base date\n date.setFullYear(year); // Set the year (0-99)\n date.setMonth(month - 1);\n date.setDate(day);\n return date;\n }\n } else {\n // Convert 2-digit year to 4-digit year\n // If year is less than 50, assume it's 20xx, otherwise 19xx\n year = year < 50 ? 2000 + year : 1900 + year;\n \n // Check if the date is valid\n if (isValidDate(month, day, year)) {\n return new Date(year, month - 1, day);\n }\n }\n }\n \n return null;\n}; ","/**\n * Date validation utility functions\n */\nimport { isValidDate, parseDate, dateRegex } from './dateUtils';\n\n/**\n * Validate if a string is in a valid date format\n * @param dateString - The date string to validate\n * @returns Whether the date string is in a valid format\n */\nexport const validateDateFormat = (dateString: string): boolean => {\n if (!dateString) return true;\n return parseDate(dateString, false) !== null;\n};\n\n/**\n * Check if a date string is in a valid format but represents an invalid date\n * @param dateString - The date string to check\n * @returns Whether the date string is in a valid format but represents an invalid date\n */\nexport const isInvalidCalendarDate = (dateString: string): boolean => {\n // Check if it matches MM/DD/YYYY or MM/DD/YY format\n const fullYearMatch = dateString.match(dateRegex.fullYear);\n const shortYearMatch = dateString.match(dateRegex.shortYear);\n \n if (fullYearMatch) {\n const month = parseInt(fullYearMatch[1], 10);\n const day = parseInt(fullYearMatch[2], 10);\n const year = parseInt(fullYearMatch[3], 10);\n \n // Check if month and day are in valid ranges\n if (month < 1 || month > 12) return true; // This IS a calendar date issue\n if (day < 1 || day > 31) return true; // This IS a calendar date issue\n \n // Check if the date is valid\n return !isValidDate(month, day, year);\n }\n \n if (shortYearMatch) {\n const month = parseInt(shortYearMatch[1], 10);\n const day = parseInt(shortYearMatch[2], 10);\n let year = parseInt(shortYearMatch[3], 10);\n \n // Convert 2-digit year to 4-digit year\n year = year < 50 ? 2000 + year : 1900 + year;\n \n // Check if month and day are in valid ranges\n if (month < 1 || month > 12) return true; // This IS a calendar date issue\n if (day < 1 || day > 31) return true; // This IS a calendar date issue\n \n // Check if the date is valid\n return !isValidDate(month, day, year);\n }\n \n return false;\n};\n\n/**\n * Validate a date string and return an appropriate error message\n * @param value - The date string to validate\n * @param allowPartial - Whether to allow partial inputs (for backspacing)\n * @returns Error message or undefined if valid\n */\nexport const validateDateInput = (value: string, allowPartial = false): string | undefined => {\n if (!value) return undefined;\n \n // Check if the input contains non-numeric characters (except /)\n const hasInvalidChars = dateRegex.invalidChars.test(value);\n if (hasInvalidChars) {\n return \"Date can only contain numbers and slashes\";\n }\n \n // Check for invalid year lengths (more than 4 digits)\n if (dateRegex.invalidYearLength.test(value)) {\n return \"Year must be 2 or 4 digits\";\n }\n \n // If we're allowing partial inputs, check if it's a partial input\n if (allowPartial) {\n // Check if it's a partial input (not a complete date)\n const isPartialInput = !dateRegex.fullYear.test(value) && !dateRegex.shortYear.test(value);\n \n // Check specifically for partial years like \"03/16/202\"\n const isPartialYear = dateRegex.partialYear.test(value) && \n !dateRegex.fullYear.test(value) && \n !dateRegex.shortYear.test(value);\n \n if (isPartialInput || isPartialYear) {\n // Don't validate partial inputs when allowPartial is true\n // This is used during typing to allow the user to enter a date\n return undefined;\n }\n } else {\n // If we're not allowing partial inputs, check if it's a partial input\n const isPartialInput = !dateRegex.fullYear.test(value) && !dateRegex.shortYear.test(value);\n \n if (isPartialInput) {\n // Return an error for partial inputs when allowPartial is false\n // This is used when the field loses focus (blur event)\n return \"Please enter a complete date in MM/DD/YYYY format\";\n }\n }\n \n // First check if it matches the expected format\n const isFullYearFormat = dateRegex.fullYear.test(value);\n const isShortYearFormat = dateRegex.shortYear.test(value);\n \n if (!isFullYearFormat && !isShortYearFormat) {\n return \"Please enter a valid date in MM/DD/YYYY format\";\n }\n \n // Check if it's a valid date format but an invalid calendar date (like 02/30/2022)\n if (isInvalidCalendarDate(value)) {\n return \"Please enter a valid calendar date\";\n }\n \n // Check if it's a valid date format\n if (!validateDateFormat(value)) {\n return \"Please enter a valid date in MM/DD/YYYY format\";\n }\n \n return undefined;\n}; ","/**\n * Reducer for DatePickerPopup2 component state management\n */\nimport { formatDate, parseDate, dateRegex } from \"./dateUtils\";\nimport { validateDateInput } from \"./dateValidation\";\n\n// Date regex patterns for validation\n// const dateRegex = {\n// fullYear: /^\\d{1,2}\\/\\d{1,2}\\/\\d{4}$/,\n// shortYear: /^\\d{1,2}\\/\\d{1,2}\\/\\d{2}$/\n// };\n\n/**\n * State interface for the DatePickerPopup2 component\n */\nexport interface DatePickerState {\n popoverActive: boolean;\n displayMonth: number;\n displayYear: number;\n inputValue: string;\n formatError?: string;\n internalValue: Date | null;\n isEditing: boolean;\n}\n\n/**\n * Action types for the DatePickerPopup2 reducer\n */\nexport type DatePickerAction =\n | { type: \"SET_DATE\"; payload: Date | null }\n | { type: \"SET_INPUT_VALUE\"; payload: string }\n | {\n type: \"SET_INTERNAL_VALUE\";\n payload: { date: Date | null; keepInputValue: boolean };\n }\n | { type: \"TOGGLE_POPOVER\" }\n | { type: \"SET_POPOVER\"; payload: boolean }\n | { type: \"SET_EDITING\"; payload: boolean }\n | { type: \"SET_FORMAT_ERROR\"; payload: string | undefined }\n | { type: \"CLEAR_DATE\" }\n | { type: \"VALIDATE_INPUT\" }\n | { type: \"SET_MONTH_YEAR\"; payload: { month: number; year: number } }\n | { type: \"SELECT_TODAY\" };\n\n/**\n * Initialize the DatePickerPopup2 state\n * @param initialDate - Initial date value\n * @returns Initial state\n */\nexport const initDatePickerState = (\n initialDate: Date | null\n): DatePickerState => {\n const today = new Date();\n return {\n popoverActive: false,\n displayMonth: initialDate ? initialDate.getMonth() : today.getMonth(),\n displayYear: initialDate ? initialDate.getFullYear() : today.getFullYear(),\n inputValue: formatDate(initialDate),\n formatError: undefined,\n internalValue: initialDate,\n isEditing: false,\n };\n};\n\n/**\n * Reducer function for DatePickerPopup2 component\n * @param state - Current state\n * @param action - Action to perform\n * @returns New state\n */\nexport const datePickerReducer = (\n state: DatePickerState,\n action: DatePickerAction\n): DatePickerState => {\n switch (action.type) {\n case \"SET_DATE\": {\n const date = action.payload;\n return {\n ...state,\n inputValue: formatDate(date),\n internalValue: date,\n formatError: undefined,\n displayMonth: date ? date.getMonth() : state.displayMonth,\n displayYear: date ? date.getFullYear() : state.displayYear,\n };\n }\n\n case \"SET_INPUT_VALUE\": {\n const value = action.payload;\n\n // If empty, clear the date\n if (value === \"\") {\n return {\n ...state,\n inputValue: \"\",\n internalValue: null,\n formatError: undefined,\n isEditing: false,\n };\n }\n\n // Basic validation during typing\n const hasInvalidChars = /[^\\d\\/]/.test(value);\n let formatError = hasInvalidChars\n ? \"Date can only contain numbers and slashes\"\n : undefined;\n\n // Check for invalid year lengths (more than 4 digits)\n if (dateRegex.invalidYearLength.test(value)) {\n formatError = \"Year must be 2 or 4 digits\";\n }\n\n // Check if this is a partial input (during backspacing)\n // This includes any input that doesn't match the complete date formats\n // or specifically matches our partial year pattern\n const isPartialInput =\n !dateRegex.fullYear.test(value) && !dateRegex.shortYear.test(value);\n\n // Check specifically for partial years like \"03/16/202\"\n const isPartialYear =\n dateRegex.partialYear.test(value) &&\n !dateRegex.fullYear.test(value) &&\n !dateRegex.shortYear.test(value);\n\n // Check if this is a two-digit year format (e.g., \"01/01/23\")\n // We want to treat this as a partial input to prevent auto-conversion\n const isTwoDigitYear = dateRegex.shortYear.test(value);\n\n // For partial inputs, just update the input value and keep editing state\n // Do not attempt to parse the date or update internalValue\n if (isPartialInput || isPartialYear || isTwoDigitYear) {\n return {\n ...state,\n inputValue: value,\n formatError,\n isEditing: true,\n };\n }\n\n // For complete inputs with 4-digit years, try to parse the date\n // Use allowPartial=true to ensure we don't auto-correct partial inputs\n const parsedDate = parseDate(value, false, true);\n\n // Check for invalid calendar dates (like 02/30/2023)\n if (!parsedDate && dateRegex.fullYear.test(value)) {\n // This is a complete date format but invalid calendar date\n formatError = \"Please enter a valid calendar date\";\n }\n\n // If we got a valid date, update the state but preserve the exact input value\n if (parsedDate) {\n return {\n ...state,\n inputValue: value, // Keep the exact input value, don't format it\n internalValue: parsedDate,\n formatError,\n displayMonth: parsedDate.getMonth(),\n displayYear: parsedDate.getFullYear(),\n isEditing: true, // Keep editing state true to prevent auto-correction\n };\n }\n\n // Otherwise, just update the input value\n return {\n ...state,\n inputValue: value,\n formatError,\n isEditing: true,\n };\n }\n\n case \"SET_INTERNAL_VALUE\": {\n const { date, keepInputValue } = action.payload;\n return {\n ...state,\n internalValue: date,\n formatError: undefined,\n displayMonth: date ? date.getMonth() : state.displayMonth,\n displayYear: date ? date.getFullYear() : state.displayYear,\n inputValue: keepInputValue ? state.inputValue : formatDate(date),\n };\n }\n\n case \"TOGGLE_POPOVER\":\n return {\n ...state,\n popoverActive: !state.popoverActive,\n };\n\n case \"SET_POPOVER\":\n return {\n ...state,\n popoverActive: action.payload,\n };\n\n case \"SET_EDITING\": {\n // If we're entering editing mode, clear format errors\n // If we're exiting editing mode, keep any format errors\n return {\n ...state,\n isEditing: action.payload,\n // Only clear format errors when entering editing mode, not when exiting\n formatError: action.payload ? undefined : state.formatError,\n };\n }\n\n case \"SET_FORMAT_ERROR\": {\n return {\n ...state,\n formatError: action.payload,\n // If setting an error, exit editing mode to show it\n isEditing: action.payload ? false : state.isEditing,\n };\n }\n\n case \"CLEAR_DATE\":\n return {\n ...state,\n inputValue: \"\",\n internalValue: null,\n formatError: undefined,\n isEditing: false,\n };\n\n case \"VALIDATE_INPUT\": {\n if (!state.inputValue) {\n return {\n ...state,\n formatError: undefined,\n isEditing: false,\n };\n }\n\n // Check if the input is a complete date with a 4-digit year\n const isCompleteFullYearDate = dateRegex.fullYear.test(state.inputValue);\n\n // Check if the input is a complete date with a 2-digit year\n const isCompleteTwoDigitYearDate = dateRegex.shortYear.test(\n state.inputValue\n );\n\n // Check specifically for partial years like \"03/16/202\"\n const isPartialYear =\n dateRegex.partialYear.test(state.inputValue) &&\n !dateRegex.fullYear.test(state.inputValue) &&\n !dateRegex.shortYear.test(state.inputValue);\n\n // For partial inputs or partial years, just keep the current value and stay in editing mode\n if (\n (!isCompleteFullYearDate && !isCompleteTwoDigitYearDate) ||\n isPartialYear\n ) {\n return {\n ...state,\n // Keep isEditing true for partial inputs to allow continued editing\n isEditing: true,\n };\n }\n\n // Validate the input\n const validationError = validateDateInput(state.inputValue, false);\n\n if (validationError) {\n console.log(\"Validation error in reducer:\", validationError);\n return {\n ...state,\n formatError: validationError,\n internalValue: null,\n isEditing: false, // Exit editing mode to show the error\n };\n }\n\n // If it's valid, parse the date\n // Always convert to four-digit year format when validating on blur\n const parsedDate = parseDate(state.inputValue, false, false);\n if (parsedDate) {\n // Always format the date with a four-digit year for display consistency\n const formattedValue = formatDate(parsedDate);\n\n return {\n ...state,\n inputValue: formattedValue,\n internalValue: parsedDate,\n formatError: undefined,\n displayMonth: parsedDate.getMonth(),\n displayYear: parsedDate.getFullYear(),\n isEditing: false, // Exit editing mode after validation\n };\n }\n\n return {\n ...state,\n isEditing: false,\n };\n }\n\n case \"SET_MONTH_YEAR\":\n return {\n ...state,\n displayMonth: action.payload.month,\n displayYear: action.payload.year,\n };\n\n case \"SELECT_TODAY\": {\n const today = new Date();\n return {\n ...state,\n inputValue: formatDate(today),\n internalValue: today,\n formatError: undefined,\n displayMonth: today.getMonth(),\n displayYear: today.getFullYear(),\n popoverActive: false,\n isEditing: false,\n };\n }\n\n default:\n return state;\n }\n};\n","// ... existing code ...\nimport React, { useReducer, useCallback, useEffect } from \"react\";\nimport {\n Button,\n DatePicker,\n Popover,\n TextField,\n BlockStack,\n InlineStack,\n} from \"@shopify/polaris\";\n\nimport { CalendarIcon, XCircleIcon } from \"@shopify/polaris-icons\";\nimport { parseDate, dateRegex, isValidDate } from \"./utils/dateUtils\";\nimport { validateDateInput } from \"./utils/dateValidation\";\nimport {\n datePickerReducer,\n initDatePickerState,\n} from \"./utils/datePickerReducer\";\n\ntype DatePickerPopup2Props = {\n label: string;\n date: Date | null;\n onChange: (date: Date | null) => void;\n placeholder?: string;\n error?: string;\n disabled?: boolean;\n allowClear?: boolean;\n disableDatesAfter?: Date;\n disableDatesBefore?: Date;\n showTodayButton?: boolean;\n requiredIndicator?: boolean;\n};\n\nexport function DatePickerPopup2({\n label,\n date,\n onChange,\n placeholder = \"MM/DD/YYYY\",\n error,\n disabled = false,\n allowClear = true,\n disableDatesAfter,\n disableDatesBefore,\n showTodayButton = true,\n requiredIndicator = false,\n}: DatePickerPopup2Props) {\n // Use reducer for state management\n const [state, dispatch] = useReducer(\n datePickerReducer,\n date,\n initDatePickerState\n );\n\n const {\n popoverActive,\n displayMonth,\n displayYear,\n inputValue,\n formatError,\n internalValue,\n isEditing,\n } = state;\n\n // Debug logging for validation state\n useEffect(() => {\n console.log(\"DatePickerPopup2 state:\", {\n inputValue,\n formatError,\n isEditing,\n externalError: error,\n displayError: formatError || (!isEditing ? error : undefined),\n });\n }, [inputValue, formatError, isEditing, error]);\n\n // Update state when date prop changes\n useEffect(() => {\n dispatch({ type: \"SET_DATE\", payload: date });\n }, [date]);\n\n // Toggle popover\n const togglePopoverActive = useCallback(() => {\n if (!disabled) {\n dispatch({ type: \"TOGGLE_POPOVER\" });\n }\n }, [disabled]);\n\n // Handle month change in calendar\n const handleMonthChange = useCallback((month: number, year: number) => {\n dispatch({ type: \"SET_MONTH_YEAR\", payload: { month, year } });\n }, []);\n\n // Handle date selection from calendar\n const handleDateSelection = useCallback(\n ({ start }: { start: Date; end: Date }) => {\n dispatch({ type: \"SET_POPOVER\", payload: false });\n dispatch({ type: \"SET_DATE\", payload: start });\n onChange(start);\n },\n [onChange]\n );\n\n // Handle clear date button click\n const handleClearDate = useCallback(() => {\n dispatch({ type: \"CLEAR_DATE\" });\n onChange(null);\n }, [onChange]);\n\n // Handle text field change\n const handleTextFieldChange = useCallback(\n (value: string) => {\n console.log(\"handleTextFieldChange:\", value);\n\n // Check for invalid characters immediately\n const hasInvalidChars = /[^\\d\\/]/.test(value);\n if (hasInvalidChars) {\n console.log(\"Invalid characters detected\");\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: \"Date can only contain numbers and slashes\",\n });\n }\n\n // Check for invalid year length immediately\n const invalidYearLength = /^(\\d{1,2})\\/(\\d{1,2})\\/(\\d{5,})$/.test(value);\n if (invalidYearLength) {\n console.log(\"Invalid year length detected\");\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: \"Year must be 2 or 4 digits\",\n });\n }\n\n // Update the input value\n dispatch({ type: \"SET_INPUT_VALUE\", payload: value });\n\n // If empty, clear the date\n if (value === \"\") {\n onChange(null);\n return;\n }\n\n // Check if this is a complete date format with a 4-digit year\n // We only want to validate and update the parent when we have a complete 4-digit year\n const isCompleteFullYearDate = dateRegex.fullYear.test(value);\n\n // For 2-digit years, we don't want to validate or update the parent yet\n // as the user might still be typing (e.g., '01/01/20' -> '01/01/2025')\n const isTwoDigitYear = dateRegex.shortYear.test(value);\n\n if (isCompleteFullYearDate) {\n // For complete dates with 4-digit years, check if it's valid\n const validationError = validateDateInput(value, true);\n\n if (!validationError) {\n // If valid, parse and update the parent\n const parsedDate = parseDate(value, false, true);\n if (parsedDate) {\n onChange(parsedDate);\n }\n } else {\n // If invalid but complete format, show the error but don't clear the date yet\n console.log(\"Validation error during typing:\", validationError);\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: validationError,\n });\n }\n } else if (isTwoDigitYear) {\n // For 2-digit years, don't validate or update the parent yet\n // Just clear any format errors that might have been set\n if (!hasInvalidChars && !invalidYearLength) {\n dispatch({ type: \"SET_FORMAT_ERROR\", payload: undefined });\n }\n } else {\n // For partial inputs, clear any format errors that might have been set\n // (unless we already detected invalid chars or year length)\n if (!hasInvalidChars && !invalidYearLength) {\n dispatch({ type: \"SET_FORMAT_ERROR\", payload: undefined });\n }\n }\n },\n [onChange]\n );\n\n // Handle text field blur\n const handleTextFieldBlur = useCallback(() => {\n console.log(\"handleTextFieldBlur, inputValue:\", inputValue);\n\n // If empty, clear the date and exit\n if (!inputValue) {\n dispatch({ type: \"CLEAR_DATE\" });\n onChange(null);\n return;\n }\n\n // Check if this is a complete date with a 4-digit year\n const isCompleteFullYearDate = dateRegex.fullYear.test(inputValue);\n\n // Check if this is a complete date with a 2-digit year\n const isTwoDigitYear = dateRegex.shortYear.test(inputValue);\n\n // For partial inputs like \"03/16/202\" or incomplete dates like \"03/\" or \"03/16\"\n const isPartialInput = !isCompleteFullYearDate && !isTwoDigitYear;\n\n if (isPartialInput) {\n console.log(\"Partial input detected on blur, showing validation error\");\n\n // For partial inputs on blur, show a validation error\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: \"Please enter a complete date in MM/DD/YYYY format\",\n });\n\n // Exit editing mode to show the error\n dispatch({ type: \"SET_EDITING\", payload: false });\n\n // Set the date to null\n onChange(null);\n return;\n }\n\n // For two-digit years, validate and convert to four-digit years on blur\n if (isTwoDigitYear) {\n console.log(\n \"Two-digit year detected on blur, validating and converting to four-digit year\"\n );\n\n // First check if it's a valid calendar date (e.g., not 02/30/2020)\n // Extract the month, day, and year from the input\n const match = inputValue.match(dateRegex.shortYear);\n if (match) {\n const month = parseInt(match[1], 10);\n const day = parseInt(match[2], 10);\n const year = parseInt(match[3], 10);\n\n // Convert to 4-digit year for validation\n const fullYear = year < 50 ? 2000 + year : 1900 + year;\n\n // Check if it's a valid calendar date\n if (!isValidDate(month, day, fullYear)) {\n console.log(\"Invalid calendar date detected:\", inputValue);\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: \"Please enter a valid calendar date\",\n });\n\n // Exit editing mode to show the error\n dispatch({ type: \"SET_EDITING\", payload: false });\n\n // Set the date to null\n onChange(null);\n return;\n }\n }\n\n // Validate the date to catch other validation errors\n const validationError = validateDateInput(inputValue, false);\n if (validationError) {\n console.log(\"Validation error for two-digit year:\", validationError);\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: validationError,\n });\n\n // Exit editing mode to show the error\n dispatch({ type: \"SET_EDITING\", payload: false });\n\n // Set the date to null\n onChange(null);\n } else {\n // If it's valid, convert to four-digit year for display\n const parsedDate = parseDate(inputValue, false, false);\n if (parsedDate) {\n // Update both the input value and internal value\n dispatch({\n type: \"SET_DATE\",\n payload: parsedDate,\n });\n\n // Update the parent with the parsed date\n onChange(parsedDate);\n }\n }\n return;\n }\n\n // Only validate complete dates with 4-digit years\n console.log(\"Validating complete date with 4-digit year\");\n\n // Check for validation errors\n const validationError = validateDateInput(inputValue, false);\n console.log(\"Validation result:\", validationError || \"valid\");\n\n if (validationError) {\n // If there's an error, set the date to null\n onChange(null);\n\n // Ensure the error is displayed by setting it directly\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: validationError,\n });\n\n // Exit editing mode to show the error\n dispatch({ type: \"SET_EDITING\", payload: false });\n } else {\n // If it's valid, update the parent with the parsed date\n const parsedDate = parseDate(inputValue, false, false);\n if (parsedDate) {\n onChange(parsedDate);\n dispatch({ type: \"VALIDATE_INPUT\" });\n } else {\n // This should not happen if validateDateInput returned no errors,\n // but just in case, handle it\n dispatch({\n type: \"SET_FORMAT_ERROR\",\n payload: \"Invalid date format\",\n });\n onChange(null);\n }\n }\n }, [inputValue, onChange, dispatch]);\n\n // Handle text field focus\n const handleTextFieldFocus = useCallback(() => {\n console.log(\"handleTextFieldFocus\");\n dispatch({ type: \"SET_EDITING\", payload: true });\n }, []);\n\n // Handle today button click\n const handleTodayClick = useCallback(() => {\n const today = new Date();\n dispatch({ type: \"SELECT_TODAY\" });\n onChange(today);\n }, [onChange]);\n\n // Determine the error to display\n // If there's a format error, it takes precedence over external errors\n // If we're editing, don't show external errors\n const displayError = formatError || (!isEditing ? error : undefined);\n\n // Debug log the current error state\n useEffect(() => {\n if (displayError) {\n console.log(\"Displaying error:\", displayError);\n }\n }, [displayError]);\n\n const activator = (\n \n }\n connectedRight={\n allowClear && (internalValue || inputValue) ? (\n \n ) : null\n }\n />\n );\n\n return (\n \n \n \n
\n \n \n \n \n Great! Looks like we've got everything we need for now.\n \n\n \n \n Our team has been notified and will be in touch with next\n steps shortly.\n \n \n\n \n \n {currentContact\n ? \"Go back home\"\n : \"Log in to your Fortify account\"}\n \n \n \n \n\n \n \n
\n The Section 179 deduction limit for {year} is {DEDUCTION_LIMIT}, an\n $80,000 increase from last year. This means your company can deduct the\n full cost of qualifying equipment (new or used), up to {DEDUCTION_LIMIT}\n , from your {year} taxable income. This deduction is good until you\n reach {PURCHASE_LIMIT} (up from $2.7 million in {lastYear}). The\n deduction can include both new and used qualified equipment.\n
\n
\n In addition, businesses can take advantage of 80% bonus depreciation on\n both new and used equipment for the entirety of {year}. Remember to keep\n supply chain issues and delivery times in mind when making your Section\n 179 purchases for {year}, as equipment must be purchased and put into\n service by midnight 12/31.\n
\n \n Section 179 deadline\n \n
\n The Section 179 deduction has proven wildly popular with small and\n mid-sized companies. But there is a deadline: to use the deduction for{\" \"}\n {year}, the equipment must be purchased/financed, and put into service\n by 11:59 pm, 12/31/{year}. To claim the deduction, use Form 4562.\n
\n \n );\n\n const qualifyingPropertyMarkup = (\n \n \n \n Most tangible business equipment (both new and used) will qualify for\n the deduction. This includes production machinery, computers/printers,\n office furniture, copiers and other office machines, signage,\n shelving, storage tanks, and most other general equipment.\n \n \n Commercial use vehicles will usually qualify. This means vehicles with\n seating for 9+ passengers, a 6’ cargo area, or a fully enclosed\n cab-over driving compartment.\n \n \n Passenger vehicles exceeding 6,000+ pounds GVW (gross vehicle weight)\n will usually qualify, however, they are usually limited to a $25,000\n deduction.\n \n “Heavy equipment” qualifies.\n \n Section 179 is good for software as well. The caveat is the software\n must be available for purchase by the general public, and carry a\n non-exclusive license, without custom modifications. This means\n operating systems, common office suites, common graphics programs, and\n similar will qualify. This does not include websites and/or apps.\n \n \n Many storage structures (such as those used for agricultural purposes)\n will qualify. This will not include your primary building.\n \n \n Many building improvements like HVAC, alarm and/or fire systems,\n roofs, and similar can qualify.\n \n \n Used/preowned versions of the preceding (save for software of course)\n will generally qualify for Section 179.\n \n \n If you have questions regarding Section 179 eligibility of equipment\n you wish to lease or finance, you can always contact us, or reference\n IRS Publication 946.\n \n \n
\n The equipment listed above need not be new – it can be used (but new to\n you). Almost any "portable" (non-permanently installed) piece\n of business equipment will likely qualify. If you have any questions on\n whether something you wish to lease or finance will qualify for Section\n 179, you can always{\" \"}\n \n ask us\n \n , or reference{\" \"}\n \n IRS Publication 946\n \n .\n
\n \n The calculator presents a potential tax scenario based on\n typical assumptions that may not apply to your business.\n This page and calculator are not tax advice. The indicated\n tax treatment applies only to transactions deemed to reflect\n a purchase of the equipment or a capitalized lease purchase\n transaction. Please consult your tax advisor to determine\n the tax ramifications of acquiring equipment or software for\n your business.\n \n
\n \n \n \n\n \n \n \n About FORT Capital Resources, Inc.\n \n
\n FORT is an integrated finance platform for manufacturers,\n resellers, and their clients. We bring together finance, sales,\n operations, and accounting on one platform to make financing\n your customer transactions seamless, transparent, and fast.\n FORT’s platform integrates financing options into the buying\n flow, impacting all of your business functions, from the\n board/executive level to operations and accounting.\n