{localized(locale, 'i_understand_that')}
: null}\n\n
\n
{localized(locale, 'no_result')}
;\n }\n\n return noResultElement;\n};\n\nexport const createCookie = (name, value, days) => {\n let expires = '';\n if (days) {\n const date = new Date();\n date.setTime(date.getTime() + days * 24 * 60 * 60 * 1000);\n expires = `; expires=${date.toGMTString()}`;\n }\n document.cookie = `${name}=${value}${expires}; path=/`;\n};\n\nexport const readCookie = (name) => {\n const nameEQ = `${name}=`;\n const ca = document.cookie.split(';');\n for (let i = 0; i < ca.length; i += 1) {\n let c = ca[i];\n while (c.charAt(0) === ' ') c = c.substring(1, c.length);\n if (c.indexOf(nameEQ) === 0) return c.substring(nameEQ.length, c.length);\n }\n return null;\n};\n\nexport const eraseCookie = (name) => {\n createCookie(name, '', -1);\n};\n\nexport const highlightPattern = (input, pattern) => {\n const text = normalizeInput(input);\n const splitText = text.split(pattern);\n\n if (splitText.length <= 1) {\n return text;\n }\n\n const matches = text.match(RegExp(pattern, 'g'));\n\n return splitText.reduce(\n (arr, element, index) =>\n matches[index]\n ? [...arr, element, {matches[index]}]\n : [...arr, element],\n [],\n );\n};\n\nexport const useGetLocalizedLinkForLATWebsite = (link) => {\n const localizedPart = useLocaleBehaviourFromContext('borealis_lat_localization');\n\n if (!link) {\n return null;\n }\n\n const [protocol, , origin, ...pathComponents] = link.split('/');\n\n if ((origin !== 'www.lat-nitrogen.com') || (pathComponents.length > 2 && pathComponents[0].length === 2 && pathComponents[1].length === 2 && pathComponents[2] === 'product')) {\n return link;\n }\n\n return `${protocol}//${origin}${localizedPart}${pathComponents.join('/')}`;\n};\n\nexport const elemenToIdOfLatWebsite = {\n N: 1,\n P: 2,\n K: 3,\n Ca: 4,\n Mg: 5,\n S: 6,\n B: 7,\n Cu: 8,\n Fe: 9,\n Mn: 10,\n Mo: 11,\n Zn: 12,\n};\n\nexport const websiteLat = 'https://www.lat-nitrogen.com/';\n\nexport const useUrlToLatWebsiteForNutrient = (element) => {\n const path = '/nutrients/';\n const id = elemenToIdOfLatWebsite[element];\n const localizedLink = useGetLocalizedLinkForLATWebsite(`${websiteLat}${path}${id}`);\n if (id) {\n return localizedLink;\n }\n return null;\n};\n\nexport const getUrlParams = (search) => {\n // https://gist.github.com/pirate/9298155edda679510723\n const hashes = search.slice(search.indexOf('?') + 1).split('&');\n return hashes.reduce((params, hash) => {\n const [key, val] = hash.split('=');\n if (key && val) {\n return Object.assign(params, { [key]: decodeURIComponent(val) });\n }\n return {};\n }, {});\n};\n\nexport const getUrlSearchStringFromObject = (object) => {\n let string = '';\n Object.keys(object).forEach((key) => {\n const newChunk = `${key}=${object[key]}`;\n string = string + (string.length > 0 ? '&' : '') + newChunk;\n });\n return string;\n};\n\nexport const getRoleLogic = (role, farmerLogic, resellerLogic) => {\n if (role === 'reseller') {\n return resellerLogic;\n }\n if (role === 'farmer') {\n return farmerLogic;\n }\n};\n\nexport const toLocalNumber = (locale, number, decimals) => {\n let tranformedNumber = number;\n const numberLocalesCode = localeBehaviour(locale, 'number_locales_code');\n if (typeof number !== 'number') {\n tranformedNumber = Number(number);\n // eslint-disable-next-line no-restricted-globals\n if (isNaN(tranformedNumber)) {\n console.error(\n `${number} can't be transformed to a number so number localisation is impossible`,\n );\n return tranformedNumber;\n }\n }\n if (decimals !== undefined) {\n return tranformedNumber.toLocaleString(numberLocalesCode, {\n maximumFractionDigits: decimals,\n });\n }\n return tranformedNumber.toLocaleString(numberLocalesCode);\n};\n\nexport const useLocalNumber = (number, decimals) => {\n const { locale } = useContext(UserContext);\n if (number === undefined) {\n return '';\n }\n return toLocalNumber(locale, number, decimals);\n};\n\nexport const getMyOverviewLink = (role, myPlan, previousSelectedHarvestingYear) => {\n const baseLink = `/myoverview/${role}`;\n let myOverviewResellerLink = baseLink;\n let myOverviewFarmerLink = baseLink;\n if (myPlan) {\n const {\n paramsIn: { harvestingYear },\n paramsOut: {\n planName: { farmersName, farmName, cropName },\n },\n } = myPlan;\n myOverviewFarmerLink = `${myOverviewFarmerLink}/${harvestingYearArrayToName(harvestingYear)}`;\n myOverviewResellerLink = `${myOverviewResellerLink}/${harvestingYearArrayToName(\n harvestingYear,\n )}`;\n [farmersName, farmName, cropName].forEach((key) => {\n myOverviewResellerLink += `/${encodeURIComponent(key)}`;\n });\n } else {\n const { label: currentHarvestingYearLabel } = getCurrentHarvestingYear();\n const defaultHarvestingYear = previousSelectedHarvestingYear || currentHarvestingYearLabel;\n myOverviewFarmerLink = `${myOverviewFarmerLink}/${defaultHarvestingYear}`;\n myOverviewResellerLink = `${myOverviewResellerLink}/${defaultHarvestingYear}`;\n }\n return getRoleLogic(role, myOverviewFarmerLink, myOverviewResellerLink);\n};\n\nexport const roundNumber = (value) => {\n // eslint-disable-next-line no-restricted-globals\n if (!isNaN(value)) {\n value = Number(value);\n return Math.round(value);\n }\n return value;\n};\n\nexport const mapRange = (num, in_min, in_max, out_min, out_max) =>\n ((num - in_min) * (out_max - out_min)) / (in_max - in_min) + out_min; // https://stackoverflow.com/questions/10756313/javascript-jquery-map-a-range-of-numbers-to-another-range-of-numbers/23202637\n\nexport const useInitialMounted = () => {\n const isInitialMount = useRef(true);\n useEffect(() => {\n if (isInitialMount.current) {\n isInitialMount.current = false;\n }\n }, []);\n return isInitialMount.current;\n};\n\nexport const decodeUriParam = (param) => {\n if (param) {\n let formattedValue = param.replace('%', '__percentage__');\n formattedValue = decodeURIComponent(formattedValue);\n formattedValue = formattedValue.replace('__percentage__', '%');\n return formattedValue;\n }\n return param;\n};\n\nexport const decodeParams = (params) => mapValues(params, (value) => decodeUriParam(value));\n\nexport const addCopyRightToText = (text) => `©${new Date().getFullYear()} ${text}`;\n\nexport const isIE = () => /MSIE|Trident/.test(window.navigator.userAgent);\nexport const isEdge = () => /Edge/.test(window.navigator.userAgent);\n","/* eslint-disable guard-for-in */\n/* eslint-disable no-restricted-syntax */\nimport testCropTest from 'data/generic_crops_test.json';\n\nconst BASE_URL = 'https://nutriguide-python-prod.azurewebsites.net/api';\nconst API_KEY = 'fmcNIGEZ5vbDZOx2aCreUH7XKEsmh4qCCRBV4DaH9hSiK61qXaz7Qw==';\n\nexport const GTM_HEAD =\n '\\n' +\n \"\\n\" +\n '';\n\nexport const GTM_BODY =\n '\\n' +\n '\\n' +\n '';\n\nexport const FACEBOOK_PIXEL_SCRIPT = `\n !function(f,b,e,v,n,t,s)\n {if(f.fbq)return;n=f.fbq=function(){n.callMethod?\n n.callMethod.apply(n,arguments):n.queue.push(arguments)};\n if(!f._fbq)f._fbq=n;n.push=n;n.loaded=!0;n.version='2.0';\n n.queue=[];t=b.createElement(e);t.async=!0;\n t.src=v;s=b.getElementsByTagName(e)[0];\n s.parentNode.insertBefore(t,s)}(window, document,'script',\n 'https://connect.facebook.net/en_US/fbevents.js');\n fbq('init', '4329670170473206');\n fbq('track', 'PageView');`;\n\nexport const FACEBOOK_PIXEL_NOSCRIPT =\n ' ';\n\nconst AZURE_ENDPOINTS = {\n user: '/user',\n cropList: '/cropList',\n organicFertilizerList: '/organicfertilizerList',\n soilList: '/soilList',\n soilComposition: '/soilcomposition',\n postPlan: '/plan',\n planList: '/planList',\n deletePlan: '/plan',\n cityList: '/cityList',\n getTerms: '/terms',\n getOrganisation: '/organisation',\n generic: '/generic/test/',\n genericCropList: '/generic/crop',\n genericOrganicFertilizerList: '/generic/organicFertilizer',\n genericOrganicFertilizer: '/generic/organicFertilizer',\n genericPlan: '/generic/plan',\n};\n\nexport const AZURE_AD_B2C_CONFIG = {\n clientID: '430dd619-c607-4993-abb8-813c8b392119',\n signInUp_authority:\n 'https://ntrgrpb2c.b2clogin.com/ntrgrpb2c.onmicrosoft.com/B2C_1_PRD_Nutriguide_SiUpIn_modern',\n resetPassword_authority:\n 'https://ntrgrpb2c.b2clogin.com/ntrgrpb2c.onmicrosoft.com/B2C_1_PRD_Nutriguide_SSPR_modern',\n};\n\nconst GOOGLE_MAPS_API_KEY = 'AIzaSyCUyRahz_DyrMGcOdHP6LV_dxwJ-nf0aGU';\n\nfunction encodeQueryData(data) {\n const ret = [];\n for (const d in data) ret.push(`${encodeURIComponent(d)}=${encodeURIComponent(data[d])}`);\n return ret.join('&');\n}\n\nfunction createEnvURL(endpoint) {\n return BASE_URL + AZURE_ENDPOINTS[endpoint];\n}\n\nexport const getUrl = (endpoint, input, pathComponents) => {\n let url = createEnvURL(endpoint);\n if (pathComponents) {\n url += pathComponents;\n }\n url += `?code=${API_KEY}`;\n if (input && endpoint !== 'deletePlan') {\n url += `&${encodeQueryData(input)}`;\n }\n return url;\n};\n\nexport const getRestResource = (route, input) => {\n let url = BASE_URL;\n url += route;\n url += `?code=${API_KEY}`;\n if (input) url += `&${encodeQueryData(input)}`;\n return url;\n};\n\nexport const googleMapApiKey = () => GOOGLE_MAPS_API_KEY;\nexport const borealisPageUrl = () => 'https://www.lat-nitrogen.com/';\nexport const borealisImageStore = () => 'https://latwebprodstorage.blob.core.windows.net/blobcloudstorage/';\nexport const nutriguideStorageURL = () => 'https://nutriguidepythonprod.blob.core.windows.net';\n\nexport const getGTMHead = () => GTM_HEAD;\nexport const getGTMBody = () => GTM_BODY;\nexport const getFacebookPixelScript = () => FACEBOOK_PIXEL_SCRIPT;\nexport const getFacebookPixelNoScript = () => FACEBOOK_PIXEL_NOSCRIPT;\n\nconst DATA_ENVIRONMENT_PKCALCULATOR = 'pkcaculator';\n\nconst DATA_ENVIRONMENT = DATA_ENVIRONMENT_PKCALCULATOR;\nexport const isLive = () => DATA_ENVIRONMENT === DATA_ENVIRONMENT_PKCALCULATOR;\nexport const getTestCropData = () => testCropTest;\n","import { getYear, isBefore } from 'date-fns';\nimport UserUtils from 'Utils/UserUtils';\n\nconst today = new Date();\nconst thisYear = getYear(today);\nconst lastYear = thisYear - 1;\nconst nextYear = thisYear + 1;\n\nconst firstOfJuneThisYear = new Date(thisYear, 5, 1);\nconst todayIsBeforeFirstOfJuneThisYear = isBefore(today, firstOfJuneThisYear);\n\nconst firstOfSeptemberThisYear = new Date(thisYear, 8, 1);\nconst todayIsBeforeFirstOfSeptemberThisYear = isBefore(today, firstOfSeptemberThisYear);\n\nexport const getCurrentHarvestingYearArray = () => {\n if (todayIsBeforeFirstOfJuneThisYear) {\n return [lastYear, thisYear];\n }\n return [thisYear, nextYear];\n};\nexport const getHarvestingYearRange = () => [lastYear, lastYear + 10];\n\nexport const getCurrentHarvestingYear = () => {\n if (UserUtils.isNG4()) {\n if (todayIsBeforeFirstOfSeptemberThisYear) {\n return {\n label: `${thisYear}`,\n value: thisYear,\n };\n }\n return {\n label: `${nextYear}`,\n value: nextYear,\n };\n }\n if (todayIsBeforeFirstOfJuneThisYear) {\n return {\n label: `${lastYear} - ${thisYear}`,\n value: [lastYear, thisYear],\n };\n }\n return {\n label: `${thisYear} - ${nextYear}`,\n value: [thisYear, nextYear],\n };\n};\n\nexport const getNextHarvestingYear = () => {\n if (UserUtils.isNG4()) {\n return {\n label: `${nextYear}`,\n value: nextYear,\n };\n }\n if (todayIsBeforeFirstOfJuneThisYear) {\n return {\n label: `${thisYear} - ${nextYear}`,\n value: [thisYear, nextYear],\n };\n }\n const inTwoYears = nextYear + 1;\n return {\n label: `${nextYear} - ${inTwoYears}`,\n value: [nextYear, inTwoYears],\n };\n};\n\nexport const harvestingYearArrayToName = (harvestingYearArray) => {\n if (harvestingYearArray.length === 2) {\n return harvestingYearArray.join(' - ');\n }\n console.error('Invalid harvesting array');\n return 'Invalid harvesting array';\n};\n\nexport const harvestingYearArrayToNameNG4 = (harvestingYearArray) => {\n if (harvestingYearArray.length === 2) {\n return harvestingYearArray[1];\n }\n console.error('Invalid harvesting array');\n return 'Invalid harvesting array';\n};\n","/* eslint-disable import/no-mutable-exports */\n/* eslint-disable no-underscore-dangle */\nimport * as Msal from 'msal';\nimport { store } from 'Redux/createStore';\nimport { getUser, updateUser, updatePlan } from 'Redux/actions';\nimport { RESET_USER, RESET_MY_PLOTS, RESET_TERMS } from 'Redux/actions/types';\nimport { AZURE_AD_B2C_CONFIG } from 'data/Config';\n\nexport let UserAgentApplication = null;\n\nconst applyExceptionsAndGetValue = (lang) => {\n if (lang.toLowerCase() === 'cz') {\n return 'cs';\n }\n\n // TODO: This solution is temporary and needs to be changed to locale\n if (lang.toLowerCase() === 'uk') {\n return 'en';\n }\n return lang;\n}\n\nexport const resetPassword = (lang) => {\n store.dispatch(updateUser({ authenticating: true }));\n\n const userAgentApplicationFP = new Msal.UserAgentApplication(\n AZURE_AD_B2C_CONFIG.clientID,\n AZURE_AD_B2C_CONFIG.resetPassword_authority,\n () => {},\n {\n postLogoutRedirectUri: window.location.origin,\n validateAuthority: false,\n },\n );\n userAgentApplicationFP._redirectUri = UserAgentApplication\n ? UserAgentApplication._redirectUri\n : window.location.origin;\n\n let extraQueryParams;\n if (lang) {\n extraQueryParams = `ui_locales=${applyExceptionsAndGetValue(lang)}`;\n }\n userAgentApplicationFP.loginRedirect(undefined, extraQueryParams);\n};\n\nexport const handleUser = (errorDesc, token, error, tokenType, store) => {\n store.dispatch(updateUser({ [tokenType]: token }));\n\n switch (tokenType) {\n case 'id_token': {\n getUser(store.dispatch, token);\n break;\n }\n default:\n }\n};\n\nexport const initUserAgentApplication = (lang) => {\n UserAgentApplication = new Msal.UserAgentApplication(\n AZURE_AD_B2C_CONFIG.clientID,\n AZURE_AD_B2C_CONFIG.signInUp_authority,\n (errorDesc, token, error, tokenType) => {\n if (token) {\n store.dispatch(updateUser({ isLoggedIn: true }));\n }\n if (errorDesc && errorDesc.includes('AADB2C90118')) {\n resetPassword(lang);\n } else if (errorDesc && errorDesc.includes('AADB2C90091')) {\n store.dispatch(updatePlan({ shouldPost: false }));\n } else {\n handleUser(errorDesc, token, error, tokenType, store);\n }\n },\n {\n cacheLocation: 'localStorage',\n postLogoutRedirectUri: window.location.origin,\n validateAuthority: false,\n },\n );\n};\n\nexport const login = (redirectUri, lang) => {\n store.dispatch(updateUser({ authenticating: true }));\n UserAgentApplication._redirectUri = redirectUri;\n let extraQueryParams;\n\n if (lang) {\n extraQueryParams = `ui_locales=${applyExceptionsAndGetValue(lang)}`;\n }\n\n UserAgentApplication.loginRedirect(undefined, extraQueryParams);\n};\n\nexport const logout = () => {\n UserAgentApplication.logout();\n store.dispatch({ type: RESET_MY_PLOTS });\n store.dispatch({ type: RESET_USER });\n store.dispatch({ type: RESET_TERMS });\n store.dispatch(updateUser({ loggingOut: true }));\n localStorage.clear();\n};\n\nexport const getToken = () => {\n UserAgentApplication._redirectUri = window.location.origin;\n return UserAgentApplication.acquireTokenSilent([AZURE_AD_B2C_CONFIG.clientID]).then(\n (accessToken) => accessToken,\n () => {\n store.dispatch({ type: RESET_MY_PLOTS });\n store.dispatch({ type: RESET_USER });\n store.dispatch(updateUser({ authenticating: true }));\n localStorage.clear();\n return UserAgentApplication.loginRedirect();\n },\n );\n};\n","/* eslint-disable import/prefer-default-export */\nimport { createContext } from 'react';\n\nexport const UserContext = createContext({});\n"],"sourceRoot":""}