\n\n \n String(item.id)}\n numColumns={isDesktop ? 3 : 1}\n ItemSeparatorComponent={() => }\n contentContainerStyle={{\n marginHorizontal: isDesktop ? \"20%\" : \"5%\",\n marginVertical: 10,\n }}\n columnWrapperStyle={\n isDesktop\n ? {\n width: \"33.333%\",\n }\n : null\n }\n />\n
\n );\n // TODO: Get feedback from the team on how this should be implemented\n // const getNeedsActionRoute = (): JSX.Element => getAllClientsRoute();\n // // TODO: Likewise\n // const getArchiveRoute = (): JSX.Element => ;\n\n const headerComponent = (\n \n \n {t(\"bottom_tabs.clients_tab_name\")}\n \n \n );\n\n const organisation = user ? getOrganisation(user) : undefined;\n\n // TODO: Put this into a Component\n const desktopOnlyNavbar = (\n \n \n \n \n \n );\n\n const activeClientsLabel = t(`clients_overview.status_filter.${ClientsFilterState.ACTIVE_CLIENTS}`);\n const deactivatedClientsLabel = t(`clients_overview.status_filter.${ClientsFilterState.DEACTIVATED_CLIENTS}`);\n const activeClientsTabIndex = 0;\n\n const activeInactiveTabsComponent = (\n \n {[ClientsFilterState.ACTIVE_CLIENTS, ClientsFilterState.DEACTIVATED_CLIENTS].map(\n (filterState: ClientsFilterState, i: number) => {\n const renderingActiveClientsTab = i === activeClientsTabIndex;\n\n const shouldHighlightThisTab = renderingActiveClientsTab ? filterActiveClientsOnly : !filterActiveClientsOnly;\n\n const color = shouldHighlightThisTab ? \"blue.200\" : \"gray.200\";\n const borderColor = shouldHighlightThisTab ? \"primary.600\" : \"coolGray.200\";\n\n return (\n \n {\n setClientsFilter(\n filterActiveClientsOnly ? ClientsFilterState.DEACTIVATED_CLIENTS : ClientsFilterState.ACTIVE_CLIENTS\n );\n }}\n >\n {`${\n renderingActiveClientsTab ? activeClientsLabel : deactivatedClientsLabel\n }`} \n {isFetchingClientsList ? : null}\n \n \n );\n }\n )}\n \n );\n const [validatedBasicInfoFormValues, setValidatedBasicInfoFormValues] = useState<\n BasicUserInfoFormSchema | undefined\n >();\n const onSubmitBasicUserInfo = (values: BasicUserInfoFormSchema): void => setValidatedBasicInfoFormValues(values);\n\n const basicInfoForm = (\n \n {({ isSubmitting, handleChange, handleBlur, handleSubmit, values, errors, dirty, isValid }) => (\n <>\n \n \n \n {t(\"coach_mode_create_new_client.first_name_input_label_text\")} \n \n {errors.lastName} \n \n \n {t(\"coach_mode_create_new_client.last_name_input_label_text\")} \n \n {errors.lastName} \n \n\n {/* Email address */}\n \n {t(\"add_new_client.email_input_label\")} \n \n {errors.email} \n \n \n \n \n handleSubmit()}\n isLoading={isSubmitting}\n isDisabled={!dirty || !isValid}\n testID={\"addNewClientByEmail-submitBasicInfo-button\"}\n >\n {t(\"add_new_client.add_new_client_button_text\")}\n \n \n >\n )}\n \n );\n\n const onSubmitUserProfile = async (values: UserProfileFormSchema): Promise => {\n onCloseAddNewClientDialog();\n\n if (\n !validatedBasicInfoFormValues?.email ||\n !validatedBasicInfoFormValues?.firstName ||\n !validatedBasicInfoFormValues?.lastName\n ) {\n throw new Error(\"validated basic info form values were not set\");\n }\n\n setValidatedBasicInfoFormValues(undefined);\n\n const createUserRequestPostBody: UsersAuthUsersCreateApiArg = {\n customUserCreateRequest: {\n email: validatedBasicInfoFormValues.email,\n first_name: validatedBasicInfoFormValues.firstName,\n last_name: validatedBasicInfoFormValues.lastName,\n intake: {\n weight: values.weight,\n body_fat_percentage: values.body_fat_percentage / 100,\n activity: values.activity,\n diet: values.diet,\n gender: values.gender,\n // NOTE: Not currently in scope\n sustainability: SustainabilityEnum.SUSTAINABLE,\n food_intolerances_gluten: values.foodIntolerancesGluten,\n food_intolerances_lactose: values.foodIntolerancesLactose,\n food_intolerances_nut: values.foodIntolerancesNut,\n food_intolerances_crustaceans_shellfish: values.foodIntolerancesCrustaceansShellfish,\n },\n },\n };\n await createUserBackendCall(createUserRequestPostBody)\n .unwrap()\n .then((createdUser) => {\n const exerciseCreationPromises =\n values.exercise_instances && !_.isEmpty(values.exercise_instances)\n ? values.exercise_instances.map((exercise) =>\n createExerciseInstanceBackendCall({\n exerciseInstanceCreateUpdateRequest: {\n ...exercise,\n intake: createdUser.intake.id,\n },\n })\n )\n : [];\n\n return Promise.all(exerciseCreationPromises);\n })\n .catch((error) => {\n if (error?.status === 400) {\n alert(_.values(error?.data));\n }\n });\n\n // TODO: Navigate to client profile page\n setPage(1);\n };\n\n const addNewClientDialog = (\n \n \n \n \n {t(\"add_new_client.add_new_client_dialog_header\")}\n \n\n {!validatedBasicInfoFormValues ? (\n basicInfoForm\n ) : (\n \n \n \n )}\n \n \n );\n\n const pressedCreateNewClientButton = (): void => {\n onOpenAddNewClientDialog();\n };\n\n const floatingAddNewClientButton = (\n }\n testID={\"openAddNewClientDialog-floatingButton\"}\n />\n );\n\n const clientsSearchAndAddNewClientButton = (\n \n \n }\n />\n {isDesktop ? (\n \n {t(\"clients_overview.add_client_button_text\")}\n \n ) : null}\n \n \n {t(\"clients_overview.number_of_results\", { count: clientsListResponse?.count || 0 })}\n \n
\n );\n\n const isCustomerCurrentlyTrialing = user ? doesCustomerHaveAnyTrialingSubscriptions(user) : false;\n\n const upgradeNowButton =\n isCustomerCurrentlyTrialing && !isMobilePlatform() ? (\n \n ) : null;\n\n const totalPages = (clientsListResponse as ExtendedPaginatedUserList)?.total_pages || 1;\n const paginationComponent = (\n \n {\n if (page > 1) {\n setPage(page - 1);\n }\n }}\n disabled={page === 1}\n >\n \n \n \n {t(\"general.page\")} {page} {t(\"general.of\")} {totalPages}\n \n {\n if (page < totalPages) {\n setPage(page + 1);\n }\n }}\n disabled={page === totalPages}\n >\n \n \n \n );\n\n return (\n \n {isDesktop ? desktopOnlyNavbar : null}\n \n {headerComponent}\n\n {upgradeNowButton}\n {/* {!isMobilePlatform() ? : null} */}\n {isCustomerCurrentlyTrialing ? : null}\n\n {activeInactiveTabsComponent}\n\n {clientsSearchAndAddNewClientButton}\n {clientsListComponent}\n {totalPages > 1 ? paginationComponent : null}\n\n {!isDesktop ? floatingAddNewClientButton : null}\n\n {addNewClientDialog}\n \n \n );\n};\nexport default CoachModeViewClientsScreen;\n\n// NOTE: This is here for future reference\n// const AddClientInExcessOfCurrentSeats = (): JSX.Element => (\n// \n// \n// {t(\"Adding this client will increase your tier from max. 10 clients to max. 15 clients.\")}\n// \n// \n// {t(\"With your current plan this increases your monthly invoice by € 13,50\")}\n// \n\n// \n// {\n// setModalVisible(false);\n// }}\n// />\n// {\n// setModalVisible(false);\n// }}\n// lightMode\n// />\n// \n// \n// );\n","import { useTheme } from \"native-base\";\nimport React from \"react\";\nimport * as Progress from \"react-native-progress\";\n\nimport { Scale } from \"../constants\";\n\nexport default function ProgressBar({\n value,\n warningMargin = 0.15,\n allowedToGoOver = false,\n width = 40,\n}: {\n value: number;\n warningMargin?: number;\n allowedToGoOver?: boolean;\n width?: number;\n}): JSX.Element {\n const theme = useTheme();\n\n const warningValue = 100 * warningMargin;\n\n const valueLteWarningMarginPercent = value <= 100 - warningValue;\n const valueGteWarningMarginPercent = value >= 100 + warningValue;\n const color =\n valueLteWarningMarginPercent || (allowedToGoOver ? false : valueGteWarningMarginPercent)\n ? theme.colors.amber[\"200\"]\n : theme.colors.primary[\"600\"];\n\n return (\n \n );\n}\n","import { Button, Text, useTheme } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { StyleSheet, Text as NativeText, View } from \"react-native\";\n\nimport ProgressBar from \"../commons/ProgressBar\";\nimport { commonStyles, isDesktopScreen, Scale } from \"../constants\";\nimport { formatNumberAsPercentage, formatNumberAsWholeNumber } from \"../helpers/generalHelpers\";\nimport type { MacroName, RecipeMacrosItemType } from \"../types\";\n\nconst styles = StyleSheet.create({\n rowContainer: {\n flex: 1,\n },\n transformStyle: {\n transform: [{ rotateZ: \"-3deg\" }],\n },\n});\n\ntype Props = {\n macroDetail: RecipeMacrosItemType;\n showLabel?: boolean;\n verticalMode?: boolean;\n excludeDetail?: MacroName[];\n showUnit?: boolean;\n allowedToGoOver?: boolean;\n optionalPercentage?: number;\n showTarget?: boolean;\n showProgress?: boolean;\n};\n\nconst MacroProgressWidget = ({\n macroDetail,\n excludeDetail: exceptItems,\n verticalMode,\n showLabel,\n showUnit = true,\n allowedToGoOver = false,\n optionalPercentage = undefined,\n showTarget = true,\n showProgress = true,\n}: Props): JSX.Element => {\n const { t } = useTranslation();\n\n const theme = useTheme();\n\n const isDesktop = isDesktopScreen();\n\n const macroForDisplay = isDesktop\n ? t(`general.${macroDetail.macroName}`)\n : t(`general.${macroDetail.macroName}_short`);\n\n let progressText = \"\";\n if (exceptItems?.includes(macroDetail.macroName)) {\n // progressText = ` ${macroForDisplay}`;\n progressText = macroDetail.macroName === \"kcal\" ? \"\" : \"g\";\n } else {\n progressText = ` ${macroForDisplay}`;\n if (showTarget) {\n progressText = ` /${macroDetail.total} ${macroForDisplay}`;\n }\n }\n\n return (\n \n {verticalMode ? (\n <>\n {showLabel ? (\n \n {macroForDisplay}\n \n ) : null}\n {/* NOTE: This parent Text component is required in order for things to display correctly */}\n \n \n {macroDetail.progress ? formatNumberAsWholeNumber(macroDetail.progress) : 0}\n \n \n {progressText}\n \n {optionalPercentage ? (\n \n {formatNumberAsPercentage(optionalPercentage)} \n \n ) : null}\n \n >\n ) : (\n \n {showLabel ? (\n \n {macroForDisplay}\n \n ) : null}\n \n \n {macroDetail.progress}\n \n {` /${macroDetail.total}`} \n {showUnit ? (\n \n {macroDetail.unit}\n \n ) : null}\n \n \n )}\n\n \n {exceptItems?.includes(macroDetail.macroName) || !showProgress ? null : (\n \n )}\n \n \n );\n};\n\nexport default MacroProgressWidget;\n","import _ from \"lodash\";\nimport { Text } from \"native-base\";\nimport React from \"react\";\n// NOTE: The whole path is required\n// eslint-disable-next-line @typescript-eslint/ban-ts-comment\n// @ts-ignore\n// eslint-disable-next-line import/no-unresolved, import/extensions\nimport { Metabolism } from \"tdee-calculator/src/index.js\";\n\nimport MacroProgressWidget from \"../components/RecipeMacrosItem\";\nimport type { MealSlotSpecification, User } from \"../services/backendTypes\";\nimport logger from \"../services/logger\";\nimport { ActivityEnum, MacroName, Macros } from \"../types\";\n\nconst KCAL_IN_FAT = 9;\nconst KCAL_IN_CARBOHYDRATES = 4;\nconst KCAL_IN_PROTEIN = 4;\n\ntype Macronutrient = \"fat\" | \"carbohydrates\" | \"protein\";\n\nconst KCAL_IN_MACRO_LOOKUP: { [M in Macronutrient]: number } = {\n fat: KCAL_IN_FAT,\n carbohydrates: KCAL_IN_CARBOHYDRATES,\n protein: KCAL_IN_PROTEIN,\n};\n\nexport const calculateDailyTotalForMacro = (\n macro: MacroName,\n mealSlotSpecifications: (MealSlotSpecification | undefined)[]\n): number => Math.round(_.sumBy(mealSlotSpecifications, macro));\n\nfunction calculateMacroPercentageOfDailyTotalEnergy(\n macro: Macronutrient,\n mealSlotSpecifications: MealSlotSpecification[]\n): number {\n return (\n (calculateDailyTotalForMacro(macro, mealSlotSpecifications) * KCAL_IN_MACRO_LOOKUP[macro]) /\n calculateDailyTotalForMacro(\"kcal\", mealSlotSpecifications)\n );\n}\n\nexport function getNutritionDayPlanOverviewComponent(\n mealSlotSpecifications: MealSlotSpecification[],\n showPercentages = false\n): JSX.Element {\n if (_.isEmpty(mealSlotSpecifications)) {\n logger.warn(\"No meal slot specifications provided\");\n\n return {\"Something went wrong\"} ;\n }\n\n const fatPercentage = calculateMacroPercentageOfDailyTotalEnergy(\"fat\", mealSlotSpecifications);\n\n const carbohydratesPercentage = calculateMacroPercentageOfDailyTotalEnergy(\"carbohydrates\", mealSlotSpecifications);\n\n const proteinPercentage = calculateMacroPercentageOfDailyTotalEnergy(\"protein\", mealSlotSpecifications);\n\n type PercentageObject = {\n [m in MacroName]: number | undefined;\n };\n\n const percentageObject: PercentageObject = {\n fat: fatPercentage,\n carbohydrates: carbohydratesPercentage,\n protein: proteinPercentage,\n kcal: undefined,\n };\n\n return (\n <>\n {Object.keys(Macros).map((macro: string) => {\n const macroName = macro.toLowerCase() as MacroName;\n return (\n \n );\n })}\n >\n );\n}\n\nexport const convertActivityEnumToActivityForMetabolism = (activity: ActivityEnum): string => {\n switch (activity) {\n case ActivityEnum.SEDENTARY:\n return \"Sedentary\";\n case ActivityEnum.MILDLY_ACTIVE:\n return \"Light Exercise\";\n case ActivityEnum.ACTIVE:\n return \"Moderate Exercise\";\n case ActivityEnum.VERY_ACTIVE:\n return \"Heavy Exercise\";\n default:\n throw new Error(\"Unknown activity\");\n }\n};\n\nconst KATCH_MCARDLE_FORMULA = \"Katch and McArdle (2001)\";\nconst METRIC = \"Metric\";\nexport const calculateDailyEnergyExpenditure = (client: User): Metabolism => {\n if (!client) {\n throw new Error(\"Client is undefined\");\n }\n\n if (!client.intake) {\n throw new Error(\"Client does not have an intake\");\n }\n\n // NOTE: This library doesn't have good typing support\n // eslint-disable-next-line @typescript-eslint/no-unsafe-call\n return new Metabolism(\n KATCH_MCARDLE_FORMULA,\n METRIC,\n convertActivityEnumToActivityForMetabolism(client.intake.activity as ActivityEnum),\n {\n bodyfat: client.intake.body_fat_percentage * 100,\n weight: client.intake.weight,\n }\n );\n};\n","/**\n * This is taken from the legacy codebase (`src/components/calculator/macros.js` in the `weekmeals.co` repo)\n *\n * It has been converted from flow to typescript.\n *\n * I have tried to make minimal changes but we use some of our types (from backendTypes)\n * which are the same as the legacy but with only minor differences (ie, uppercase vs lowercase).\n * This was done to help with the conversion.\n */\n\nimport type {\n ActivityEnum as Activity,\n DietEnum as DietName,\n GenderEnum as Gender,\n SustainabilityEnum as Sustainability,\n} from \"./backendTypes.js\";\n\nexport type WeightliftingSession = {\n inactivityFactor: number; // as a percentage (50% => 0.5).\n duration: number; // in minutes.\n weeklyFrequency: number; // in times per week.\n};\n\nexport type CardioSession = {\n id: number;\n activity: string;\n burnRate: number; // in kcal/kg/min.\n};\n\nexport type CardioOption = {\n id: number;\n name: string;\n session: CardioSession;\n netEnergyExpenditure: number; // in kcal/30 min.\n};\n\nexport type CardioInput = {\n session: CardioSession;\n option: CardioOption; // selected cardio option.\n duration: number; // in minutes.\n weeklyFrequency: number; // times per week.\n};\n\nexport type EnergyInput = {\n gender: Gender;\n weight: number; // in kilos.\n bodyFatPercentage: number; // as a percentage (16% => 0.16).\n\n // Thermic effect of diet (0.1 - 0.25). Higher when lean and when diet's rich\n // in whole foods, unsat fats, MCTs, high volume foods, and lots of fiber.\n // For average western diet low in protein, it's 10%.\n thermicEffectOfDiet: number;\n\n lifestyle: Activity;\n\n cardio?: CardioInput[];\n\n weightlifting?: WeightliftingSession;\n};\n\nexport type EnergyExpenditure = {\n leanBodyMass: number;\n\n daily: {\n // Basal energy expenditure, also known as basal metabolic rate (BMR), is\n // the energy used to fuel all other internal processes, such as the\n // maintenance of respiration, heart rate, and kidney function. It is\n // affected by such factors as environmental temperature, as the body will\n // work to maintain its internal temperature of 98.6° F (about 37° C), and\n // muscle mass, as larger muscles have increased energy requirements even\n // when at rest.\n bmr: number;\n\n ree: number;\n\n // Lifestyle physical activities.\n lifestyle: number;\n\n // Planned cardio (and sports).\n cardio: number;\n\n // Planned weightlifting\n weightlifting: number;\n\n // Food digestion and processing.\n foodDigestion: number;\n\n // Total Daily Energy Expenditure (TDEE).\n total: number;\n };\n};\n\nexport type EnergyOptions = {\n energyBalance: number | undefined;\n diet: DietName;\n optimize: Sustainability;\n};\n\nexport function computeLeanBodyMass(input: EnergyInput): number {\n // B13 = B11 * ((100-B12)/100)\n const { weight, bodyFatPercentage } = input;\n return weight * (1 - bodyFatPercentage);\n}\n\nexport function computeBMR(leanBodyMass: number): number {\n // B22 = 370 + 21.6*(if(B21=1,B13,B18))\n // True BF%=1, Estimated BF%=0\n // const {useEstimatedBodyFat, estimatedLeanBodyMass, leanBodyMass} = energy;\n // return (\n // 370 + 21.6 * (useEstimatedBodyFat ? estimatedLeanBodyMass : leanBodyMass)\n // );\n return 370 + 21.6 * leanBodyMass;\n}\n\n// Lifestyle physical activities\n// Men Women Bescription\n// Sedentary 1 1 Office job.\n// Somewhat active 1.11 1.12 Walks the dog several times a day, travels by\n// bicycle.\n// Active 1.25 1.27 Full-time waiter or PT, on your feet whole day.\n// Very active 1.48 1.45 Manual labor, like a construction worker.\nconst lifestyleFactors: { [G in Gender]: { [A in Activity]: number } } = {\n MALE: {\n SEDENTARY: 1.0,\n MILDLY_ACTIVE: 1.11,\n ACTIVE: 1.25,\n VERY_ACTIVE: 1.48,\n },\n FEMALE: {\n SEDENTARY: 1.0,\n MILDLY_ACTIVE: 1.12,\n ACTIVE: 1.27,\n VERY_ACTIVE: 1.45,\n },\n};\n\nexport function computeLifestyle(input: EnergyInput, bmr: number): number {\n // B36 = Lifestyle physical activity factor\n // B78 = BMR\n // B79 = (B36 - 1) * B78\n const { gender, lifestyle } = input;\n return (lifestyleFactors[gender][lifestyle] - 1) * bmr;\n}\n\nexport function computeRestingEnergyExpenditure(input: EnergyInput, bmr: number): number {\n // B36 = Lifestyle physical activity factor\n const { gender, lifestyle, thermicEffectOfDiet } = input;\n const lifestyleFactor = lifestyleFactors[gender][lifestyle];\n // B40 = Thermic effect of diet (1.1 - 1.25)\n // B41 = B36* BMR *B40\n return lifestyleFactor * bmr * (thermicEffectOfDiet + 1);\n}\n\nexport function computeNetEnergyExpenditureForCardio(input: CardioInput, ree: number, lbm: number): number {\n // weekly duration = D61 * E61\n const weeklyDuration = input.duration * input.weeklyFrequency;\n\n // F61 = Total energy exp\n // F61 = IFERROR(B$13*C61*D61*E61,0)\n const total = lbm * input.session.burnRate * weeklyDuration;\n\n // G61 = Basal energy exp\n // G61 = B41/24/60 * D61 * E61\n const basal = (ree / 24 / 60) * weeklyDuration;\n\n // H61 = Net energy exp (-BMR)\n // H61 = F61-G61\n return total - basal;\n}\n\nexport function initializeCardioOption(session: CardioSession, netEnergyExpenditure: number): CardioOption {\n return {\n id: session.id,\n name: session.activity,\n session,\n netEnergyExpenditure,\n };\n}\n\nexport function personalizeCardioOptions(sessions: CardioSession[], ree: number, lbm: number): CardioOption[] {\n return sessions.map((session) =>\n initializeCardioOption(\n session,\n // Compute net energy expenditure (in kcal/30 min).\n Math.round(session.burnRate * lbm * 30 - (ree / 24 / 60) * 30)\n )\n );\n}\n\nexport function computeCardio(input: EnergyInput, ree: number, lbm: number, bmr: number): number {\n if (!input.cardio) return 0.0;\n // Exercise physical activities\n // Total weekly planned cardio energy exp:\n // H62 = sum(H48:H61)\n const weekly = input.cardio\n .map((cardio) => (cardio ? computeNetEnergyExpenditureForCardio(cardio, ree, lbm) : 0))\n // eslint-disable-next-line camelcase\n .reduce((partial_sum, i) => partial_sum + i, 0);\n\n // Average daily planned cardio energy exp:\n // H63 = H62 / 7\n const daily = weekly / 7;\n\n // Planned cardio (and sports):\n // B80 = H63\n return daily;\n}\n\nexport function computeWeightlifting(input: EnergyInput, bmr: number): number {\n // B11 = weight.\n const { weight, weightlifting } = input;\n\n if (!weightlifting) return 0.0;\n\n // TODO is this a constant or user adjustable?\n // C68 = kcal/kg/min\n const burnRate = 0.1;\n\n // Duration (in minutes)\n // E68 = weekly frequency (times per week)\n // inactivity factor as a percentage (where 0% means always active).\n const { duration, weeklyFrequency, inactivityFactor } = weightlifting;\n if (duration <= 0 || weeklyFrequency <= 0 || inactivityFactor < 0) return 0.0;\n\n // Net calories per session (-BMR):\n // F68 = (C68*D68*$B$11)-(($B$22/24/60)*E68)\n const netCaloriesPerSessionMinusBMR =\n burnRate * (1 - inactivityFactor) * duration * weight - (bmr / 24 / 60) * weeklyFrequency;\n\n // Average daily planned weight training energy exp:\n // H70 = F68*(E68/7)\n return netCaloriesPerSessionMinusBMR * (weeklyFrequency / 7);\n}\n\nexport function computeFoodDigestion(input: EnergyInput, energy: EnergyExpenditure): number {\n const { bmr, lifestyle, cardio, weightlifting } = energy.daily;\n return (bmr + lifestyle + cardio + weightlifting) * input.thermicEffectOfDiet;\n}\n\nexport function computeTDEE(energy: EnergyExpenditure): number {\n const { bmr, lifestyle, cardio, weightlifting, foodDigestion } = energy.daily;\n return bmr + lifestyle + cardio + weightlifting + foodDigestion;\n}\n\nexport function computeEnergyExpenditure(input: EnergyInput): EnergyExpenditure | undefined {\n if (!input.gender) return undefined;\n\n const energy: EnergyExpenditure = {\n leanBodyMass: 0.0,\n\n daily: {\n bmr: 0.0,\n ree: 0.0,\n lifestyle: 0.0,\n cardio: 0.0,\n weightlifting: 0.0,\n foodDigestion: 0.0,\n total: 0.0,\n },\n };\n\n const lbm = computeLeanBodyMass(input);\n const bmr = computeBMR(lbm);\n\n // REE (Resting Energy Expenditure):\n // Energy you expend when you do no planned activities.\n // B41 = B36*(if(B38=1,B22,B25))*B40\n const ree = computeRestingEnergyExpenditure(input, bmr);\n\n energy.leanBodyMass = lbm;\n // energy.estimatedLeanBodyMass = computeEstimatedLeanBodyMass(energy);\n\n energy.daily.bmr = bmr;\n energy.daily.ree = ree;\n energy.daily.lifestyle = computeLifestyle(input, bmr);\n energy.daily.cardio = computeCardio(input, ree, lbm, bmr);\n energy.daily.weightlifting = computeWeightlifting(input, bmr);\n energy.daily.foodDigestion = computeFoodDigestion(input, energy);\n energy.daily.total = computeTDEE(energy);\n\n return energy;\n}\n\nfunction getTotalCalorieIntake(energy: EnergyExpenditure, energyBalance: number | undefined): number {\n return energy.daily.total * (energyBalance || 0);\n}\n\nexport const HighTotalCalorieIntakeThreshold = 2000;\n\nexport function hasHighTotalCalorieIntake(energy: EnergyExpenditure, energyBalance: number | undefined): boolean {\n return getTotalCalorieIntake(energy, energyBalance) >= HighTotalCalorieIntakeThreshold;\n}\n\nexport function pickOptimizationGoal(\n energy: EnergyExpenditure | undefined,\n goal: Sustainability,\n energyBalance: number | undefined\n): Sustainability {\n if (!energy) return \"SUSTAINABLE\";\n // Force optimization goal to 'results' when total calorie intake is high.\n // This makes the meals more tasteful by distributing the calories more\n // evenly across protein, fat and carbs. The goal 'lifestyle' will favor\n // more carbs instead of fat, resulting in carb-heavy meals.\n if (hasHighTotalCalorieIntake(energy, energyBalance)) return \"OPTIMAL\";\n\n return goal;\n}\n\nexport type RelativeMacros = { protein: number; fat: number; carbs: number };\n\nexport type LegacyMealType = \"breakfast\" | \"lunch\" | \"snack\" | \"dinner\" | \"pre-bed\";\nexport type Macros = {\n calories: number;\n protein: number;\n carbs: number;\n fat: number;\n fiber: number;\n};\nexport type MealTypeTotalMacros = { [M in LegacyMealType | \"total\"]: Macros };\nexport type MacroDistribution = {\n meals: MealTypeTotalMacros;\n};\n\nexport type MealPreferences = { [M in LegacyMealType]: boolean };\n\ntype PossibleRatioKey =\n | \"\"\n | \"b\"\n | \"l\"\n | \"s\"\n | \"d\"\n | \"p\"\n | \"b_l\"\n | \"b_s\"\n | \"b_d\"\n | \"b_p\"\n | \"l_s\"\n | \"l_d\"\n | \"l_p\"\n | \"s_d\"\n | \"s_p\"\n | \"d_p\"\n | \"b_l_s\"\n | \"b_l_d\"\n | \"b_l_p\"\n | \"b_s_d\"\n | \"b_s_p\"\n | \"b_d_p\"\n | \"l_s_d\"\n | \"l_s_p\"\n | \"l_d_p\"\n | \"s_d_p\"\n | \"b_l_s_d\"\n | \"b_l_s_p\"\n | \"b_l_d_p\"\n | \"b_s_d_p\"\n | \"l_s_d_p\"\n | \"b_l_s_d_p\";\nexport type RatioValue = { [MT in LegacyMealType]?: number };\ntype PossibleRatioValue = RatioValue | undefined;\n\nfunction computeOptimalProtein(input: EnergyInput, energy: EnergyExpenditure, options: EnergyOptions): number {\n const { bodyFatPercentage, weight, gender } = input;\n const lbm = energy.leanBodyMass;\n\n let factor = 1.8;\n if (options.optimize === \"SUSTAINABLE\") {\n factor = {\n MALE: 1.6,\n FEMALE: 1.5,\n }[gender];\n }\n\n // D16 is 'yes' or 'no'.\n // B15 = IF(D16=\"yes\",2*'CEE'!B13,1.8*'CEE'!B11)\n const constrain =\n bodyFatPercentage >\n {\n MALE: 0.2, // if male and bf% > 20%: constrain protein\n FEMALE: 0.3, // if female and bf% > 30%: constrain protein\n }[gender];\n\n let protein = factor * weight;\n\n if (constrain) protein = 2 * lbm;\n\n return protein;\n}\n\nfunction computeOptimalFat(input: EnergyInput, energy: EnergyExpenditure, options: EnergyOptions): number {\n const { gender } = input;\n const { bmr, ree } = energy.daily;\n\n // B17 = if(B16=\"Male\",('CEE'!B39*0.4)/9,('CEE'!B41*0.4)/9)\n let factor;\n if (options.optimize === \"SUSTAINABLE\") factor = 0.25;\n else factor = 0.4;\n\n let fat;\n if (gender === \"MALE\") {\n fat = (bmr * factor) / 9;\n } else {\n fat = (ree * factor) / 9;\n }\n\n return fat;\n}\n\nexport function computeOptimalMacros(\n input: EnergyInput,\n energy: EnergyExpenditure,\n options: EnergyOptions\n): { protein: number; fat: number } {\n const protein = computeOptimalProtein(input, energy, options);\n const fat = computeOptimalFat(input, energy, options);\n\n // TODO\n // Alleen gebruiken bij mensen met overgewicht op een PSMF dieet, of bij hoge\n // uitzondering.\n // B18 = (0.2*B12)/9\n // const minimalFat = (0.2 * calorieIntake) / 9;\n\n return {\n protein,\n fat,\n };\n}\n\nfunction computeDailyMacros(\n optimal: { protein: number; fat: number },\n energy: EnergyExpenditure,\n options: EnergyOptions\n): Macros {\n const calories = getTotalCalorieIntake(energy, options.energyBalance);\n\n const fatAdjustmentFactor = calories > 2800 ? calories / 2600 : 1;\n\n // B28 = if(D21=\"Vegan\",B15*(2.2/1.8),if(D21=\"Vegetarian\",B15*(2/1.8),B15))\n // TODO use 2.2 for vegan when lysine supplements are taken.\n const proteinFactor = {\n VEGAN: 2.4 / 1.8,\n VEGETARIAN: 2 / 1.8,\n OVO_VEGETARIAN: 2 / 1.8,\n LACTO_VEGETARIAN: 2 / 1.8,\n PESCATARIAN: 1,\n OMNIVORE: 1,\n HALAL: 1,\n }[options.diet];\n\n const protein = Math.round(optimal.protein * proteinFactor);\n\n // TODO Implement keto or obese adjustment?\n // B27 = if(B21=0,(B12-(4*B15)-(9*B17))/4,B22)*(1/B13)\n let carbs = Math.round((calories - 4 * protein - 9 * optimal.fat) / 4 / fatAdjustmentFactor);\n\n const keto = false;\n if (keto) carbs = 90;\n\n // TODO Implement fat adjustment?\n // B29 = if(B23=0,B17+((B12-(4*B27)-(4*B28))/9-B17),B24)\n const fat = Math.round((calories - 4 * carbs - 4 * protein) / 9);\n\n return {\n calories: Math.round(carbs * 4 + protein * 4 + fat * 9),\n protein,\n fat,\n carbs,\n fiber: NaN,\n };\n}\n\nexport function computeRelativeMacros(total: Macros): RelativeMacros {\n return {\n protein: ((total.protein * 4) / total.calories) * 100,\n fat: ((total.fat * 9) / total.calories) * 100,\n carbs: ((total.carbs * 4) / total.calories) * 100,\n };\n}\n\nexport function computeRecommendedMacros(\n input: EnergyInput,\n energy: EnergyExpenditure | undefined,\n options: EnergyOptions\n): Macros {\n if (typeof options.energyBalance !== \"number\" || options.energyBalance < 0.01 || !energy) {\n throw new Error(`Invalid energy balance: ${String(options.energyBalance)}`);\n }\n\n const optimal = computeOptimalMacros(input, energy, options);\n return computeDailyMacros(optimal, energy, options);\n}\n\nfunction getMealPreferencesKey(meals: LegacyMealType[]): PossibleRatioKey {\n const getFirstLetter = (mealType: LegacyMealType): PossibleRatioKey => mealType[0] as PossibleRatioKey;\n\n return meals.map(getFirstLetter).join(\"_\") as PossibleRatioKey;\n}\n\ntype LegacyMacroType = \"calories\" | \"protein\" | \"fat\" | \"carbs\" | \"fiber\";\nexport const macroTypes: LegacyMacroType[] = [\"calories\", \"protein\", \"fat\", \"carbs\", \"fiber\"];\nexport const mealTypes: LegacyMealType[] = [\"breakfast\", \"lunch\", \"snack\", \"dinner\", \"pre-bed\"];\n\nexport function computeCalories(macros: Macros): number {\n const factors = {\n calories: NaN,\n protein: 4,\n fat: 9,\n carbs: 4,\n fiber: 2,\n };\n return macroTypes\n .filter((key) => key !== \"calories\")\n .map((type) => factors[type] * macros[type])\n .filter((x) => !Number.isNaN(x))\n .reduce((a, b) => a + b, 0);\n}\n\nfunction computeRemainingMacros(recommended: Macros, meals: MealTypeTotalMacros, last: LegacyMealType): Macros {\n const remaining = { ...recommended };\n\n mealTypes.forEach((mealType) => {\n if (mealType === last.toLowerCase()) return;\n\n macroTypes\n .filter((macro) => !Number.isNaN(meals[mealType][macro]))\n .forEach((macro) => {\n remaining[macro] -= meals[mealType][macro];\n });\n });\n\n remaining.calories = computeCalories(remaining);\n\n return remaining;\n}\n\nexport function scaleMacrosOverMealType(recommended: Macros, ratios: PossibleRatioValue): MealTypeTotalMacros {\n const total = {\n calories: NaN,\n protein: Math.round(recommended.protein),\n fat: Math.round(recommended.fat),\n carbs: Math.round(recommended.carbs),\n fiber: NaN,\n };\n\n const meals: MealTypeTotalMacros = {\n total: { ...total, calories: computeCalories(total) },\n breakfast: {\n calories: 0,\n protein: 0,\n carbs: 0,\n fat: 0,\n fiber: 0,\n },\n lunch: {\n calories: 0,\n protein: 0,\n carbs: 0,\n fat: 0,\n fiber: 0,\n },\n snack: {\n calories: 0,\n protein: 0,\n carbs: 0,\n fat: 0,\n fiber: 0,\n },\n dinner: {\n calories: 0,\n protein: 0,\n carbs: 0,\n fat: 0,\n fiber: 0,\n },\n \"pre-bed\": {\n calories: 0,\n protein: 0,\n carbs: 0,\n fat: 0,\n fiber: 0,\n },\n };\n\n mealTypes.forEach((mealType) => {\n meals[mealType] = {\n calories: 0,\n protein: NaN,\n fat: NaN,\n carbs: NaN,\n fiber: NaN,\n };\n });\n\n mealTypes.forEach((mealType) => {\n if (!ratios) throw new Error(\"Ratio value was undefined - this should never happen.\");\n\n const ratio = ratios[mealType];\n if (!ratio) return;\n\n const macros = {\n calories: NaN,\n protein: Math.round(ratio * recommended.protein),\n fat: Math.round(ratio * recommended.fat),\n carbs: Math.round(ratio * recommended.carbs),\n fiber: NaN,\n };\n\n macros.calories = computeCalories(macros);\n meals[mealType] = macros;\n });\n\n const last = mealTypes\n .filter((mealType) => {\n if (!ratios) throw new Error(\"Ratio value was undefined - this should never happen.\");\n\n return ratios[mealType];\n })\n .slice(-1)[0];\n\n if (!last) throw new Error(\"`last` was undefined - this should never happen.\");\n\n meals[last] = computeRemainingMacros(recommended, meals, last);\n\n return meals;\n}\n\nconst possibleRatios: { [K in PossibleRatioKey]: PossibleRatioValue } = {\n \"\": undefined,\n\n b: { breakfast: 1 },\n l: { lunch: 1 },\n s: { snack: 1 },\n d: { dinner: 1 },\n p: { \"pre-bed\": 1 },\n\n b_l: { breakfast: 0.5, lunch: 0.5 },\n b_s: { breakfast: 0.5, snack: 0.5 },\n b_d: { breakfast: 0.4, dinner: 0.6 },\n b_p: { breakfast: 0.5, \"pre-bed\": 0.5 },\n l_s: { lunch: 0.7, snack: 0.3 },\n l_d: { lunch: 0.4, dinner: 0.6 },\n l_p: { lunch: 0.6, \"pre-bed\": 0.4 },\n s_d: { snack: 0.2, dinner: 0.8 },\n s_p: { snack: 0.5, \"pre-bed\": 0.5 },\n d_p: { dinner: 0.6, \"pre-bed\": 0.4 },\n\n b_l_s: { breakfast: 0.35, lunch: 0.35, snack: 0.3 },\n b_l_d: { breakfast: 0.25, lunch: 0.25, dinner: 0.5 },\n b_l_p: { breakfast: 0.3, lunch: 0.35, \"pre-bed\": 0.35 },\n b_s_d: { breakfast: 0.35, snack: 0.15, dinner: 0.5 },\n b_s_p: { breakfast: 0.35, snack: 0.15, \"pre-bed\": 0.5 },\n b_d_p: { breakfast: 0.3, dinner: 0.5, \"pre-bed\": 0.2 },\n l_s_d: { lunch: 0.35, snack: 0.15, dinner: 0.5 },\n l_s_p: { lunch: 0.45, snack: 0.25, \"pre-bed\": 0.3 },\n l_d_p: { lunch: 0.25, dinner: 0.45, \"pre-bed\": 0.3 },\n s_d_p: { snack: 0.15, dinner: 0.55, \"pre-bed\": 0.3 },\n\n b_l_s_d: { breakfast: 0.25, lunch: 0.25, snack: 0.1, dinner: 0.4 },\n b_l_s_p: { breakfast: 0.3, lunch: 0.3, snack: 0.1, \"pre-bed\": 0.3 },\n b_l_d_p: { breakfast: 0.25, lunch: 0.25, dinner: 0.35, \"pre-bed\": 0.15 },\n b_s_d_p: { breakfast: 0.2, snack: 0.1, dinner: 0.5, \"pre-bed\": 0.2 },\n l_s_d_p: { lunch: 0.3, snack: 0.1, dinner: 0.4, \"pre-bed\": 0.2 },\n\n b_l_s_d_p: {\n breakfast: 0.2,\n lunch: 0.2,\n snack: 0.07,\n dinner: 0.35,\n \"pre-bed\": 0.18,\n },\n};\n\nexport function computeMacroDistribution(recommended: Macros, preferences: MealPreferences): MacroDistribution {\n const meals = mealTypes.filter((mealType) => preferences[mealType]);\n const key = getMealPreferencesKey(meals);\n\n const ratios = possibleRatios[key];\n\n if (!ratios) throw new Error(`unknown combination of meal preferences: ${key}`);\n\n return {\n meals: scaleMacrosOverMealType(recommended, ratios),\n };\n}\n\n// NOTE: This function is not used anymore in the new codebase.\n// It is commented because it has type errors from the original.\n// export function serializeMealMacros(macros: MealTypeTotalMacros): string {\n// // Average day Breakfast Lunch Snack Dinner Pre-bed meal Total\n// // Calories 501 501 0 1001 0 2003\n// // Protein (g) 37 37 74 148\n// // Fat (g) 21 21 41 83\n// // Carbohydrate (g) 42 42 84 167\n// const header = [\"Macronutrient\", \"Breakfast\", \"Lunch\", \"Snack\", \"Dinner\", \"Pre-bed\", \"Total\"];\n\n// const forAll = (fn: (s: string) => void): void => [...mealTypes, \"total\"].forEach(fn);\n\n// const calories = [\"Calories\"];\n// forAll((mealType) => calories.push(macros[mealType].calories));\n\n// const protein = [\"Protein (g)\"];\n// forAll((mealType) => protein.push(macros[mealType].protein));\n\n// const fat = [\"Fat (g)\"];\n// forAll((mealType) => fat.push(macros[mealType].fat));\n\n// const carbs = [\"Carbohydrate (g)\"];\n// forAll((mealType) => carbs.push(macros[mealType].carbs));\n\n// const output = [header, calories, protein, fat, carbs];\n\n// return output.map((row) => row.join(\"\\t\")).join(\"\\n\");\n// }\n","// TODO: This file has been superseded by nutritionCalculations7.ts and should be deleted\n// (after any functions from this file that are still needed have been copied over to nutritionCalculations7.ts)\n\n/*\n * This file is the new codebase-facing service for the legacy nutrition calculations.\n */\n\nimport _ from \"lodash\";\n\nimport type {\n ExerciseInstanceListRetrieve as ExerciseInstance,\n MealMomentEnum,\n MealSlotSpecification,\n MealTypeEnum,\n UserProfile,\n} from \"./backendTypes\";\nimport {\n CardioInput,\n computeEnergyExpenditure,\n computeMacroDistribution,\n computeRecommendedMacros,\n EnergyExpenditure,\n EnergyInput,\n LegacyMealType,\n MacroDistribution,\n Macros,\n MealPreferences,\n} from \"./legacyNutritionCalculations\";\n\nconst thermicEffectOfDiet = 20 / 100;\n\n// Helper functions\nexport const convertLegacyMealTypeToMealType = (legacyMealType: LegacyMealType): MealTypeEnum => {\n switch (legacyMealType) {\n case \"breakfast\":\n return \"BREAKFAST\";\n case \"lunch\":\n return \"LUNCH\";\n case \"snack\":\n return \"SNACK\";\n case \"dinner\":\n return \"DINNER\";\n case \"pre-bed\":\n return \"SNACK\";\n default:\n throw new Error(\"Unknown legacy meal type\");\n }\n};\n\nexport const convertMealTypeToLegacyMealType = (mealType: MealMomentEnum): LegacyMealType => {\n switch (mealType) {\n case \"BREAKFAST\":\n return \"breakfast\";\n case \"MORNING_SNACK\":\n return \"snack\";\n case \"LUNCH\":\n return \"lunch\";\n case \"AFTERNOON_SNACK\":\n return \"snack\";\n case \"DINNER\":\n return \"dinner\";\n case \"SNACK\":\n return \"snack\";\n case \"LATE_SNACK\":\n return \"pre-bed\";\n default:\n throw new Error(\"Unknown meal type\");\n }\n};\n\nconst convertLegacyMacrosToOrdering = (legacyMealType: LegacyMealType): number => {\n switch (legacyMealType) {\n case \"breakfast\":\n return 0;\n case \"lunch\":\n return 1;\n case \"snack\":\n return 2;\n case \"dinner\":\n return 3;\n case \"pre-bed\":\n return 4;\n default:\n throw new Error(`Unknown legacy meal type: ${String(legacyMealType)}`);\n }\n};\n\nconst convertMealSlotSpecificationOrderToMealMoment = (mssOrder: number): MealMomentEnum => {\n switch (mssOrder) {\n case 0:\n return \"BREAKFAST\";\n case 1:\n return \"LUNCH\";\n case 2:\n return \"SNACK\";\n case 3:\n return \"DINNER\";\n case 4:\n return \"LATE_SNACK\";\n default:\n throw new Error(`Unknown mssOrder: ${String(mssOrder)}`);\n }\n};\n\nconst createLegacyCardio = (exerciseInstance: ExerciseInstance): CardioInput => {\n const session = {\n activity: exerciseInstance.exercise.exercise_name,\n burnRate: exerciseInstance.exercise.kcal_per_kg_per_min,\n id: exerciseInstance.exercise.id,\n };\n\n return {\n weeklyFrequency: exerciseInstance.sessions_per_week,\n duration: exerciseInstance.minutes_per_session,\n option: {\n id: exerciseInstance.exercise.id,\n name: exerciseInstance.exercise.exercise_name,\n netEnergyExpenditure: exerciseInstance.exercise.kcal_per_kg_per_min,\n session,\n },\n session,\n };\n};\n\nfunction getCardioInputArray(intake: UserProfile): CardioInput[] {\n return _.map(intake.exercise_instances, createLegacyCardio);\n}\n\nexport const calculateEnergyExpenditure = (intake: UserProfile): EnergyExpenditure | undefined => {\n if (!intake) throw new Error(\"No intake provided\");\n\n const { gender, weight, body_fat_percentage: fatPercentage, activity: lifestyle } = intake;\n\n const cardio = getCardioInputArray(intake);\n\n const input = {\n gender,\n weight,\n bodyFatPercentage: fatPercentage,\n thermicEffectOfDiet,\n lifestyle,\n cardio,\n };\n\n return computeEnergyExpenditure(input);\n};\n\nexport function getEnergyInput(userProfile: UserProfile): EnergyInput {\n return {\n gender: userProfile.gender,\n weight: userProfile.weight, // in kilos.\n bodyFatPercentage: userProfile.body_fat_percentage, // as a percentage (16% => 0.16).\n\n // Thermic effect of diet (0.1 - 0.25). Higher when lean and when diet's rich\n // in whole foods, unsaturated fats, MCTs, high volume foods, and lots of fiber.\n // For average western diet low in protein, it's 10%.\n thermicEffectOfDiet,\n\n lifestyle: userProfile.activity,\n\n cardio: getCardioInputArray(userProfile),\n };\n}\n\n/**\n *\n * @param userProfile\n * @param energyBalance A percentage as a float, ie, 0 = 0%, 1 = 100%, 3 = 300%\n * @returns\n */\nexport function getRecommendedDailyMacronutrientIntake(\n userProfile: UserProfile,\n energyBalance: number\n): Macros | undefined {\n const options = {\n energyBalance,\n diet: userProfile.diet,\n optimize: userProfile.sustainability,\n };\n\n return computeRecommendedMacros(getEnergyInput(userProfile), calculateEnergyExpenditure(userProfile), options);\n}\n\nexport type PossibleMealMoment = MealTypeEnum | \"LATE_SNACK\";\nexport type DesiredMealMoments = {\n [M in PossibleMealMoment]: boolean;\n};\n\nexport const DEFAULT_MEAL_MOMENT_PREFERENCES: DesiredMealMoments = {\n BREAKFAST: true,\n LUNCH: true,\n SNACK: true,\n DINNER: true,\n LATE_SNACK: true,\n};\n\nexport function convertPossibleMealMomentToOrdering(mealMoment: PossibleMealMoment): number {\n switch (mealMoment) {\n case \"BREAKFAST\":\n return 0;\n case \"LUNCH\":\n return 1;\n case \"SNACK\":\n return 2;\n case \"DINNER\":\n return 3;\n case \"LATE_SNACK\":\n return 4;\n default:\n throw new Error(`Unknown meal moment: ${String(mealMoment)}`);\n }\n}\n\nfunction convertToLegacyMealPreferences(desiredMealMoments: DesiredMealMoments): MealPreferences {\n const { BREAKFAST, LUNCH, SNACK, DINNER, LATE_SNACK } = desiredMealMoments;\n\n return {\n breakfast: BREAKFAST,\n lunch: LUNCH,\n snack: SNACK,\n dinner: DINNER,\n \"pre-bed\": LATE_SNACK,\n };\n}\n\nexport function calculateLegacyMacroDistribution(\n userProfile: UserProfile,\n energyBalance: number,\n desiredMealMoments: DesiredMealMoments\n): MacroDistribution {\n const legacyRecommendedMacros = getRecommendedDailyMacronutrientIntake(userProfile, energyBalance);\n if (!legacyRecommendedMacros) throw new Error(\"This should never happen\");\n\n const legacyPreferences = convertToLegacyMealPreferences(desiredMealMoments);\n\n const calculatedLegacyMeals = computeMacroDistribution(legacyRecommendedMacros, legacyPreferences);\n\n return calculatedLegacyMeals;\n}\n\nconst convertLegacyMealMacrosToMealSlotSpecification = ([key, calculatedMacros]: [\n key: LegacyMealType | \"total\",\n calculatedMacros: Macros\n]): MealSlotSpecification | undefined => {\n if (key === \"total\") {\n return undefined;\n }\n if (![\"breakfast\", \"lunch\", \"snack\", \"dinner\", \"pre-bed\"].includes(key)) {\n throw new Error(`Bad type for key: ${String(key)}`);\n }\n\n const order = convertLegacyMacrosToOrdering(key);\n\n const { calories, protein, carbs, fat } = calculatedMacros;\n return {\n kcal: calories,\n protein,\n carbohydrates: carbs,\n fat,\n\n meal_type: convertLegacyMealTypeToMealType(key),\n order,\n meal_moment: convertMealSlotSpecificationOrderToMealMoment(order),\n\n // NOTE: These are required by the type but cannot yet be populated\n id: -1,\n nutrition_day_plan: -1,\n };\n};\n\nfunction convertLegacyMacrosToMealSlotSpecifications(legacyMacros: MacroDistribution): MealSlotSpecification[] {\n const mealSlotSpecifications = Object.entries(legacyMacros.meals)\n // NOTE: Object.entries doesn't realise the key's type is narrower than a string\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n .map(convertLegacyMealMacrosToMealSlotSpecification)\n .filter((mss) => mss && mss.kcal && mss.kcal > 0);\n\n // NOTE: The compiler doesn't realise that undefined values are not possible\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n return mealSlotSpecifications;\n}\n\nexport function calculateNutritionDayPlan(\n userProfile: UserProfile,\n energyBalance: number,\n desiredMealMoments: DesiredMealMoments = DEFAULT_MEAL_MOMENT_PREFERENCES\n): MealSlotSpecification[] {\n const calculatedLegacyMeals = calculateLegacyMacroDistribution(userProfile, energyBalance, desiredMealMoments);\n\n return convertLegacyMacrosToMealSlotSpecifications(calculatedLegacyMeals);\n}\n\n/*\n * Functions required in our create nutrition day plan flow\n */\n\nexport function getMealTypeFromLegacyMealMoment(legacy: PossibleMealMoment): MealTypeEnum {\n switch (legacy) {\n case \"BREAKFAST\":\n return \"BREAKFAST\";\n case \"LUNCH\":\n return \"LUNCH\";\n case \"DINNER\":\n return \"DINNER\";\n case \"SNACK\":\n case \"LATE_SNACK\":\n return \"SNACK\";\n default:\n throw new Error(`Unknown legacy meal moment: ${String(legacy)}`);\n }\n}\n","function calculateWeightAtGivenBMI(heightInCm: number, bmi: number): number {\n return (heightInCm / 100) ** 2 * bmi;\n}\n\nexport function calculateMinimumHealthyWeight(heightInCm: number): number {\n const MINIMUM_HEALTHY_BMI = 18.5;\n return calculateWeightAtGivenBMI(heightInCm, MINIMUM_HEALTHY_BMI);\n}\n\n/**\n * https://en.wikipedia.org/wiki/Harris%E2%80%93Benedict_equation\n *\n * @param weight\n * @param height\n * @param age\n * @param isMale\n * @returns\n */\nexport function harrisBenedictBMR(weight: number, height: number, age: number, isMale: boolean): number {\n if (isMale) {\n return 66 + 13.7 * weight + 5 * height - 6.8 * age;\n }\n\n return 655 + 9.6 * weight + 1.8 * height - 4.6 * age;\n}\n\n/**\n * https://en.wikipedia.org/wiki/Basal_metabolic_rate#BMR_estimation_formulas\n * https://reference.medscape.com/calculator/846/mifflin-st-jeor-equation\n *\n * @param weight\n * @param height\n * @param age\n * @param isMale\n * @returns\n */\nexport function mifflinStJoerRMR(weight: number, height: number, age: number, isMale: boolean): number {\n if (isMale) {\n return 10 * weight + 6.25 * height - 5 * age + 5;\n }\n return 10 * weight + 6.25 * height - 5 * age - 161;\n}\n","import { isLowProteinOrganisation } from \"../helpers/userHelpers\";\nimport type { DayOfWeekString } from \"../types\";\nimport type { DietEnum, GenderEnum, MealMomentEnum, SustainabilityEnum } from \"./backendTypes\";\n\ntype LegacyMealType = \"breakfast\" | \"lunch\" | \"snack\" | \"dinner\" | \"pre-bed\";\nconst mealTypes: LegacyMealType[] = [\"breakfast\", \"lunch\", \"snack\", \"dinner\", \"pre-bed\"];\n\ntype LegacyMacroType = \"calories\" | \"protein\" | \"fat\" | \"carbs\" | \"fiber\";\nconst legacyMacroTypes: LegacyMacroType[] = [\"calories\", \"protein\", \"fat\", \"carbs\", \"fiber\"];\n\ntype Macros = {\n [M in LegacyMacroType]: number;\n};\n\nexport type LegacyMealState = {\n legacyMealType: LegacyMealType;\n mealMoment: MealMomentEnum;\n size: number;\n macros?: Macros;\n enabled: boolean;\n};\n\nexport type DaysForNutritionPlan = {\n [D in DayOfWeekString]: boolean;\n};\n\nexport type LegacyInput = {\n id?: number;\n name: string;\n computedDailyMacros: Macros;\n adjustedDailyMacros?: Macros;\n energyBalance: string;\n meals: LegacyMealState[];\n days: DaysForNutritionPlan;\n};\n\nexport type LegacyBodyStats = {\n gender: GenderEnum;\n weight: number;\n bodyFatPerc: number;\n leanBodyMass: number;\n tdee: number;\n bmr: number;\n ree: number;\n};\n\nexport type LegacyFoodPreferences = {\n diet: DietEnum;\n optimize: SustainabilityEnum;\n // intolerances: Intolerance[];\n};\n\nconst isValidSize = (total: number): boolean => Math.abs(total - 100) < 1e-3;\n\nconst computeTotalSize = (meals: LegacyMealState[]): number => {\n let totalSize = 0;\n meals.forEach((m) => {\n if (!m.enabled) return;\n totalSize += m.size;\n });\n\n return Math.round(totalSize);\n};\n\nexport const emptyMacros = (): Macros => ({\n calories: 0,\n protein: 0,\n fat: 0,\n carbs: 0,\n fiber: NaN,\n});\n\nconst roundMacros = (macros: Macros): Macros => ({\n calories: Math.round(macros.calories),\n protein: Math.round(macros.protein),\n fat: Math.round(macros.fat),\n carbs: Math.round(macros.carbs),\n fiber: Math.round(macros.fiber),\n});\n\nconst scaleMacros = (macros: Macros, scale: number): Macros => {\n const result = { calories: 0, protein: 0, fat: 0, carbs: 0, fiber: 0 };\n legacyMacroTypes.forEach((type) => {\n const macro = macros[type];\n result[type] = Number.isNaN(macro) ? 0 : scale * macro;\n });\n return result;\n};\n\nfunction computeCalories(macros: Macros): number {\n const factors = {\n calories: NaN,\n protein: 4,\n fat: 9,\n carbs: 4,\n fiber: 2,\n };\n return legacyMacroTypes\n .filter((key) => key !== \"calories\")\n .map((type) => factors[type] * macros[type])\n .filter((x) => !Number.isNaN(x))\n .reduce((a, b) => a + b, 0);\n}\n\nconst updateCalories = (macros: Macros): Macros => ({\n ...macros,\n calories: computeCalories(macros),\n});\n\nconst scaleMealMacros = (meals: LegacyMealState[], daily: Macros): Macros[] => {\n const scaled = meals.map((m) => emptyMacros());\n\n const total = computeTotalSize(meals);\n\n const lastEnabled = meals.map((m) => m.enabled && m.size > 0).lastIndexOf(true);\n\n meals.forEach((m, i) => {\n if (!m.enabled) return;\n\n // Scale the macros using the meal size. Except for the last enabled meal.\n // When the total meal size is not valid, use the scaled version since the\n // remaining macros do not add up to 100%.\n if (i !== lastEnabled || !isValidSize(total)) {\n const macros = roundMacros(scaleMacros(daily, m.size / 100));\n // Re-compute the calories based on the rounded macros. The scaled number\n // of calories is not necessarily the same as the sum of the rounded\n // macros.\n scaled[i] = updateCalories(macros);\n return;\n }\n\n // Subtract all meal macros from total macros. Use the remaining macros for\n // the last enabled meal. This is needed to avoid accumulating rounding\n // errors caused by macro values that are rounded up or down. Subtracting\n // the previous macros from the daily total implies that all macros add up\n // to the total daily macros.\n const rest: Macros = { ...daily };\n\n scaled.forEach((macros) => {\n legacyMacroTypes.forEach((type) => {\n rest[type] -= macros[type];\n });\n });\n\n scaled[i] = rest;\n });\n\n return scaled;\n};\n\nexport const computeTotalMacros = (meals: LegacyMealState[]): Macros => {\n const total: Macros = {\n calories: 0,\n protein: 0,\n fat: 0,\n carbs: 0,\n fiber: NaN,\n };\n\n meals.forEach((m) => {\n if (!m.enabled) return;\n\n legacyMacroTypes.forEach((type) => {\n total[type] += m.macros ? m.macros[type] : 0;\n });\n });\n\n return total;\n};\n\nconst defaultSizes = {\n snack: 10,\n prebed: 20,\n dinnerHigh: 50,\n dinnerMid: 40,\n dinnerLow: 30,\n};\n\nexport const rebalanceSizes = (meals: LegacyMealState[]): LegacyMealState[] => {\n let total = 100;\n\n const counts: { [M in LegacyMealType]: number } = {\n breakfast: 0,\n lunch: 0,\n snack: 0,\n dinner: 0,\n \"pre-bed\": 0,\n };\n // mealTypes.forEach((m) => {\n // counts[m] = 0;\n // });\n\n meals.forEach((m) => {\n if (!m.enabled) return;\n counts[m.legacyMealType] += 1;\n });\n\n // First, subtract the snacks and prebed from the total.\n total -= (counts.snack || 0) * defaultSizes.snack;\n total -= (counts[\"pre-bed\"] || 0) * defaultSizes.prebed;\n\n // Determine dinner size. High size when breakfast and lunch are omitted.\n // Mid size is used when one but not both are defined. Else, use low size.\n let dinnerSize = defaultSizes.dinnerLow;\n if (!counts.lunch && !counts.breakfast) {\n dinnerSize = total;\n // eslint-disable-next-line no-bitwise\n } else if (counts.lunch ^ counts.breakfast || total >= 90) {\n dinnerSize = defaultSizes.dinnerMid;\n }\n\n total -= (counts.dinner || 0) * dinnerSize;\n\n // Split remaining total over breakfast and/or lunch.\n let remainingSize = 0;\n if (counts.lunch || counts.breakfast) {\n remainingSize = total / (counts.lunch + counts.breakfast);\n }\n\n return meals.map((m) => {\n if (!m.enabled) return { ...m, size: 0, macros: emptyMacros() };\n\n const size = {\n // Lunch and breakfast split the remaining total.\n breakfast: remainingSize,\n lunch: remainingSize,\n\n dinner: dinnerSize,\n\n \"pre-bed\": defaultSizes.prebed,\n snack: defaultSizes.snack,\n }[m.legacyMealType];\n\n return {\n ...m,\n size,\n };\n });\n};\n\nexport const getDefaultMeals = (): LegacyMealState[] =>\n rebalanceSizes([\n {\n legacyMealType: \"breakfast\",\n mealMoment: \"BREAKFAST\",\n size: 25,\n enabled: true,\n macros: emptyMacros(),\n },\n {\n legacyMealType: \"snack\",\n mealMoment: \"MORNING_SNACK\",\n size: 0,\n enabled: false,\n macros: emptyMacros(),\n },\n {\n legacyMealType: \"lunch\",\n mealMoment: \"LUNCH\",\n size: 30,\n enabled: true,\n macros: emptyMacros(),\n },\n {\n legacyMealType: \"snack\",\n mealMoment: \"AFTERNOON_SNACK\",\n size: 5,\n enabled: true,\n macros: emptyMacros(),\n },\n {\n legacyMealType: \"dinner\",\n mealMoment: \"DINNER\",\n size: 40,\n enabled: true,\n macros: emptyMacros(),\n },\n {\n legacyMealType: \"snack\",\n mealMoment: \"SNACK\",\n size: 0,\n enabled: false,\n macros: emptyMacros(),\n },\n {\n legacyMealType: \"pre-bed\",\n mealMoment: \"LATE_SNACK\",\n size: 0,\n enabled: false,\n macros: emptyMacros(),\n },\n ]);\n\nconst computeOptimalProtein = ({\n bodyFatPerc,\n weight,\n gender,\n leanBodyMass,\n optimize,\n}: {\n gender: GenderEnum;\n weight: number;\n bodyFatPerc: number;\n leanBodyMass: number;\n optimize: SustainabilityEnum;\n}): number => {\n const lbm = leanBodyMass;\n\n const lowProtein = isLowProteinOrganisation();\n\n // Default to this protein\n let factor = {\n MALE: 1.6,\n FEMALE: 1.5,\n }[gender];\n\n // https://www.healthcouncil.nl/documents/advisory-reports/2021/03/02/dietary-reference-values-for-proteins\n const proteinPerKg = 0.83;\n\n const leanBodyMassRatio = lbm / weight;\n\n // NOTE: This will be naturally different for males vs females\n const proteinPerLbm = proteinPerKg / leanBodyMassRatio;\n\n if (lowProtein) {\n factor = {\n MALE: proteinPerLbm,\n FEMALE: proteinPerLbm,\n }[gender];\n }\n\n // D16 is 'yes' or 'no'.\n // B15 = IF(D16=\"yes\",2*'CEE'!B13,1.8*'CEE'!B11)\n const constrain =\n bodyFatPerc >\n {\n MALE: 0.2, // if male and bf% > 20%: constrain protein\n FEMALE: 0.3, // if female and bf% > 30%: constrain protein\n }[gender];\n\n let protein = factor * weight;\n\n if (constrain && !lowProtein) protein = 2 * lbm;\n\n return protein;\n};\n\nconst computeOptimalFat = ({\n gender,\n bmr,\n ree,\n optimize,\n}: {\n gender: GenderEnum;\n bmr: number;\n ree: number;\n optimize: SustainabilityEnum;\n}): number => {\n // B17 = if(B16=\"Male\",('CEE'!B39*0.4)/9,('CEE'!B41*0.4)/9)\n let factor;\n if (optimize === \"SUSTAINABLE\") factor = 0.25;\n else factor = 0.4;\n\n let fat;\n if (gender === \"MALE\") {\n fat = (bmr * factor) / 9;\n } else {\n fat = (ree * factor) / 9;\n }\n\n return fat;\n};\n\nconst computeDailyMacros = ({\n tdee,\n energyBalance,\n diet,\n gender,\n weight,\n bodyFatPerc,\n leanBodyMass,\n bmr,\n ree,\n optimize,\n}: {\n tdee: number;\n energyBalance: string;\n diet: DietEnum;\n gender: GenderEnum;\n weight: number;\n bodyFatPerc: number;\n leanBodyMass: number;\n bmr: number;\n ree: number;\n optimize: SustainabilityEnum;\n}): Macros => {\n const energyBalanceValue = parseFloat(energyBalance) / 100;\n if (Number.isNaN(energyBalanceValue)) {\n return {\n calories: NaN,\n protein: NaN,\n fat: NaN,\n carbs: NaN,\n fiber: NaN,\n };\n }\n\n const calories = tdee * energyBalanceValue;\n\n const optimal = {\n protein: computeOptimalProtein({\n gender,\n weight,\n bodyFatPerc,\n leanBodyMass,\n optimize,\n }),\n fat: computeOptimalFat({ gender, bmr, ree, optimize }),\n };\n\n const fatAdjustmentFactor = calories > 2800 ? calories / 2600 : 1;\n\n // B28 = if(D21=\"Vegan\",B15*(2.2/1.8),if(D21=\"Vegetarian\",B15*(2/1.8),B15))\n // TODO use 2.2 for vegan when lysine supplements are taken.\n const proteinFactor = {\n VEGAN: 2.4 / 1.8,\n VEGETARIAN: 2 / 1.8,\n OVO_VEGETARIAN: 2 / 1.8,\n LACTO_VEGETARIAN: 2 / 1.8,\n PESCATARIAN: 1,\n OMNIVORE: 1,\n HALAL: 1,\n }[diet];\n\n const protein = Math.round(optimal.protein * proteinFactor);\n\n // TODO Implement keto or obese adjustment?\n // B27 = if(B21=0,(B12-(4*B15)-(9*B17))/4,B22)*(1/B13)\n let carbs = Math.round((calories - 4 * protein - 9 * optimal.fat) / 4 / fatAdjustmentFactor);\n\n const keto = false;\n if (keto) carbs = 90;\n\n // TODO Implement fat adjustment?\n // B29 = if(B23=0,B17+((B12-(4*B27)-(4*B28))/9-B17),B24)\n const fat = Math.round((calories - 4 * carbs - 4 * protein) / 9);\n\n return {\n calories: Math.round(carbs * 4 + protein * 4 + fat * 9),\n protein,\n fat,\n carbs,\n fiber: NaN,\n };\n};\n\n// const clearAdjustedDailyMacros = (input: LegacyInput): LegacyInput => {\n// const {\n// // Clear adjustedDailyMacros by removing it from the input object.\n// // eslint-disable-next-line no-unused-vars\n// adjustedDailyMacros,\n// ...other\n// } = input;\n// return other;\n// };\n\nexport const updateDailyMacros = (\n input: LegacyInput,\n stats: LegacyBodyStats,\n prefs: LegacyFoodPreferences\n): LegacyInput => {\n const daily =\n input.adjustedDailyMacros ||\n computeDailyMacros({\n energyBalance: input.energyBalance,\n ...stats,\n ...prefs,\n });\n\n const scaled = scaleMealMacros(input.meals, daily);\n\n return {\n ...input,\n computedDailyMacros: daily,\n meals: input.meals.map((m, i) => ({ ...m, macros: scaled[i] })),\n };\n};\n","/*\n * Functions required in our create nutrition day plan flow\n */\n\nimport { body_measurement as bodyMeasurement } from \"health-calculator\";\nimport { Gender as HealthCalculatorGender } from \"health-calculator/lib/util\";\nimport _ from \"lodash\";\n\nimport { harrisBenedictBMR, mifflinStJoerRMR } from \"../helpers/fitnessCalculationHelpers\";\nimport { formatNumberAsWholeNumber } from \"../helpers/generalHelpers\";\nimport type { OnboardingState } from \"../slices/onboardingSlice\";\nimport { NUTRITION_PLAN_WITHOUT_ID } from \"../slices/userSlice\";\nimport { ActivityEnum } from \"../types\";\nimport type { MealMomentEnum, MealSlotSpecification, NutritionDayPlan, UserProfile } from \"./backendTypes\";\nimport { computeCalories, computeEnergyExpenditure, EnergyExpenditure, Macros } from \"./legacyNutritionCalculations\";\nimport {\n DaysForNutritionPlan,\n emptyMacros,\n getDefaultMeals,\n LegacyBodyStats,\n LegacyFoodPreferences,\n LegacyInput,\n LegacyMealState,\n updateDailyMacros,\n} from \"./legacyNutritionCalculations7\";\nimport {\n calculateEnergyExpenditure,\n convertLegacyMealTypeToMealType,\n convertMealTypeToLegacyMealType,\n getEnergyInput,\n getRecommendedDailyMacronutrientIntake,\n} from \"./nutritionCalculations\";\n\nexport const DEFAULT_NUTRITION_PLAN_NAME = \"Standard\";\n\n/*\n * Translation layer functions\n */\n\nfunction convertEnergyBalanceFloatToString(energyBalance: number): string {\n return String(energyBalance * 100);\n}\n\nfunction convertToLegacyInput(\n userProfile: UserProfile,\n daysForNutritionPlan: DaysForNutritionPlan,\n name: string\n): LegacyInput {\n const energyBalanceFloat = 1;\n\n const computedDailyMacros = getRecommendedDailyMacronutrientIntake(userProfile, energyBalanceFloat);\n\n if (!computedDailyMacros) {\n throw new Error(\"Could not calculate daily macros\");\n }\n\n return {\n id: NUTRITION_PLAN_WITHOUT_ID,\n name,\n computedDailyMacros,\n energyBalance: convertEnergyBalanceFloatToString(energyBalanceFloat),\n meals: getDefaultMeals(),\n days: daysForNutritionPlan,\n };\n}\n\nfunction calculateEnergyExpenditureWithoutBodyFat(onboardingState: OnboardingState): EnergyExpenditure {\n if (!onboardingState.biometricData.age) {\n throw new Error(\"Cannot calculate energy expenditure without age\");\n }\n if (!onboardingState.physicalStats.weightInKg) {\n throw new Error(\"Cannot calculate energy expenditure without weight\");\n }\n if (!onboardingState.physicalStats.heightInCm) {\n throw new Error(\"Cannot calculate energy expenditure without height\");\n }\n\n const bmrHarrisBenedict = harrisBenedictBMR(\n onboardingState.physicalStats.weightInKg,\n onboardingState.physicalStats.heightInCm,\n onboardingState.biometricData.age,\n onboardingState.biometricData.gender === \"MALE\"\n );\n\n const rmrMifflinStJour = mifflinStJoerRMR(\n onboardingState.physicalStats.weightInKg,\n onboardingState.physicalStats.heightInCm,\n onboardingState.biometricData.age,\n onboardingState.biometricData.gender === \"MALE\"\n );\n\n const bmi = bodyMeasurement.bmi(onboardingState.physicalStats.weightInKg, onboardingState.physicalStats.heightInCm);\n const bodyFatPercentage =\n bodyMeasurement.bfp(\n onboardingState.biometricData.gender === \"MALE\" ? HealthCalculatorGender.Male : HealthCalculatorGender.Female,\n onboardingState.biometricData.age,\n bmi\n ) / 100.0;\n\n const leanBodyMassInKg =\n onboardingState.physicalStats.weightInKg - onboardingState.physicalStats.weightInKg * bodyFatPercentage;\n\n /**\n * Katch-McArdle multipliers\n * https://www.nasm.org/resources/calorie-calculator\n */\n let physicalActivityLevel = 1.2;\n\n switch (onboardingState.activityLevel) {\n case ActivityEnum.SEDENTARY:\n physicalActivityLevel = 1.2;\n break;\n case ActivityEnum.MILDLY_ACTIVE:\n physicalActivityLevel = 1.375;\n break;\n case ActivityEnum.ACTIVE:\n physicalActivityLevel = 1.55;\n break;\n case ActivityEnum.VERY_ACTIVE:\n physicalActivityLevel = 1.725;\n break;\n default:\n break;\n }\n\n const activityCalories = rmrMifflinStJour * (physicalActivityLevel - 1);\n\n const total = rmrMifflinStJour + activityCalories;\n\n return {\n leanBodyMass: leanBodyMassInKg,\n daily: {\n bmr: bmrHarrisBenedict,\n ree: rmrMifflinStJour,\n lifestyle: activityCalories,\n cardio: 0,\n weightlifting: 0,\n foodDigestion: 0,\n total,\n },\n };\n}\n\nfunction convertToLegacyBodyStats(userProfile: UserProfile, onboardingState?: OnboardingState): LegacyBodyStats {\n let legacyEnergyExpenditure = computeEnergyExpenditure(getEnergyInput(userProfile));\n\n const doNotUseBodyFatToCalculate = Boolean(onboardingState);\n\n if (doNotUseBodyFatToCalculate) {\n if (!onboardingState) {\n throw new Error(\"Cannot calculate energy expenditure without onboarding state\");\n }\n\n legacyEnergyExpenditure = calculateEnergyExpenditureWithoutBodyFat(onboardingState);\n }\n\n if (!legacyEnergyExpenditure) {\n throw new Error(\"Could not calculate energy expenditure\");\n }\n\n return {\n gender: userProfile.gender,\n weight: userProfile.weight,\n bodyFatPerc: userProfile.body_fat_percentage,\n leanBodyMass: legacyEnergyExpenditure?.leanBodyMass,\n tdee: legacyEnergyExpenditure?.daily.total,\n bmr: legacyEnergyExpenditure?.daily.bmr,\n ree: legacyEnergyExpenditure?.daily.ree,\n };\n}\n\nfunction convertToLegacyFoodPreferences(userProfile: UserProfile): LegacyFoodPreferences {\n return {\n diet: userProfile.diet,\n optimize: userProfile.sustainability,\n };\n}\n\nexport function getDefaultLegacyInput(\n userProfile: UserProfile,\n daysForNutritionPlan: DaysForNutritionPlan,\n name: string\n): LegacyInput {\n const legacyInput = convertToLegacyInput(userProfile, daysForNutritionPlan, name);\n\n const legacyBodyStats = convertToLegacyBodyStats(userProfile);\n const legacyFoodPreferences = convertToLegacyFoodPreferences(userProfile);\n\n return updateDailyMacros(legacyInput, legacyBodyStats, legacyFoodPreferences);\n}\n\nexport function updateLegacyInput(\n legacyInput: LegacyInput,\n userProfile: UserProfile,\n onboardingState?: OnboardingState\n): LegacyInput {\n const legacyBodyStats = convertToLegacyBodyStats(userProfile, onboardingState);\n const legacyFoodPreferences = convertToLegacyFoodPreferences(userProfile);\n\n return updateDailyMacros(legacyInput, legacyBodyStats, legacyFoodPreferences);\n}\n\nfunction createMealSlotSpecificationFromLegacyMealState(\n legacyMealState: LegacyMealState,\n index: number\n): MealSlotSpecification | undefined {\n const { legacyMealType, macros, mealMoment, enabled } = legacyMealState;\n\n if (!macros) return undefined;\n\n const { calories, protein, carbs, fat } = macros;\n return {\n kcal: calories,\n protein,\n carbohydrates: carbs,\n fat,\n\n meal_type: convertLegacyMealTypeToMealType(legacyMealType),\n meal_moment: mealMoment,\n order: index,\n\n // NOTE: These are required by the type but cannot yet be populated\n id: -1,\n nutrition_day_plan: -1,\n };\n}\n\n/*\n * Functions required in our create nutrition day plan flow\n */\n\nexport function convertToMealSlotSpecifications(meals: LegacyMealState[]): MealSlotSpecification[] {\n let rawMealSlotSpecificationsWithoutOrder = meals\n .filter((meal) => meal.enabled)\n .map((mss, index) => createMealSlotSpecificationFromLegacyMealState(mss, index));\n rawMealSlotSpecificationsWithoutOrder = rawMealSlotSpecificationsWithoutOrder.filter(Boolean);\n\n // Add order field to each meal slot specification\n const mealSlotSpecifications = rawMealSlotSpecificationsWithoutOrder.map((mealSlotSpecification, index) => ({\n ...mealSlotSpecification,\n order: index,\n }));\n\n // NOTE: The compiler doesn't realise that there cannot be any undefined values in the array\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n return mealSlotSpecifications;\n}\n\nexport function getLegacyInputFromMealSlotSpecifications(\n nutritionDayPlan: NutritionDayPlan,\n intake: UserProfile,\n daysForNutritionPlan: DaysForNutritionPlan\n): LegacyInput {\n const mealSlotSpecifications = nutritionDayPlan.meal_slot_specifications;\n const energyExpenditure = calculateEnergyExpenditure(intake);\n\n if (!energyExpenditure) {\n return getDefaultLegacyInput(intake, daysForNutritionPlan, nutritionDayPlan.name || DEFAULT_NUTRITION_PLAN_NAME);\n }\n\n const totalEnergy = _.sumBy(mealSlotSpecifications, \"kcal\");\n const legacyDailyMacros = {\n calories: totalEnergy,\n protein: _.sumBy(mealSlotSpecifications, \"protein\"),\n carbs: _.sumBy(mealSlotSpecifications, \"carbohydrates\"),\n fat: _.sumBy(mealSlotSpecifications, \"fat\"),\n fiber: 0,\n };\n\n const energyBalanceString = formatNumberAsWholeNumber((totalEnergy / energyExpenditure.daily.total) * 100);\n\n const MEAL_MOMENTS: MealMomentEnum[] = [\n \"BREAKFAST\",\n \"MORNING_SNACK\",\n \"LUNCH\",\n \"AFTERNOON_SNACK\",\n \"DINNER\",\n \"SNACK\",\n \"LATE_SNACK\",\n ];\n\n const createLegacyMealState = (mealMoment: MealMomentEnum): LegacyMealState => {\n const mealSlotSpecification = _.find(mealSlotSpecifications, { meal_moment: mealMoment });\n\n if (!mealSlotSpecification) {\n return {\n legacyMealType: convertMealTypeToLegacyMealType(mealMoment),\n mealMoment,\n size: 0,\n enabled: false,\n macros: emptyMacros(),\n };\n }\n\n const { kcal: calories, protein, carbohydrates: carbs, fat } = mealSlotSpecification;\n return {\n macros: {\n calories: calories || 0,\n protein: protein || 0,\n carbs: carbs || 0,\n fat: fat || 0,\n fiber: 0,\n },\n mealMoment,\n enabled: true,\n size: ((calories || 0) / totalEnergy) * 100,\n legacyMealType: convertMealTypeToLegacyMealType(mealMoment),\n };\n };\n const legacyMeals = MEAL_MOMENTS.map(createLegacyMealState);\n\n return {\n id: NUTRITION_PLAN_WITHOUT_ID,\n name: nutritionDayPlan.name || DEFAULT_NUTRITION_PLAN_NAME,\n computedDailyMacros: legacyDailyMacros,\n // NOTE: We have to populate `adjustedDailyMacros` to ensure any coach-inputted difference is preserved\n adjustedDailyMacros: legacyDailyMacros,\n energyBalance: energyBalanceString,\n meals: legacyMeals,\n days: daysForNutritionPlan,\n };\n}\n\nexport function getLegacyInputFromNutritionPlan(\n intake: UserProfile,\n nutritionDayPlan: NutritionDayPlan,\n daysForNutritionPlan: DaysForNutritionPlan\n): LegacyInput {\n if (!intake.weekly_nutrition_plan) {\n return getDefaultLegacyInput(intake, daysForNutritionPlan, nutritionDayPlan.name || DEFAULT_NUTRITION_PLAN_NAME);\n }\n\n return getLegacyInputFromMealSlotSpecifications(nutritionDayPlan, intake, daysForNutritionPlan);\n}\n\nexport const getUpdatedMealSlotSpecificationsFromFormValues = (\n values: {\n [x: string]: {\n protein: number;\n carbs: number;\n fat: number;\n };\n },\n meals: LegacyMealState[]\n): { updatedLegacyMealStateArray: LegacyMealState[]; updatedMealSlotSpecifications: MealSlotSpecification[] } => {\n const updateLegacyMealState = (legacyMealState: LegacyMealState): LegacyMealState => {\n const updatedMacros = values[legacyMealState.mealMoment];\n if (!updatedMacros) {\n return legacyMealState;\n }\n\n return {\n ...legacyMealState,\n macros: legacyMealState.macros\n ? {\n fat: updatedMacros.fat ? parseFloat(String(updatedMacros.fat)) : 0,\n protein: updatedMacros.protein ? parseFloat(String(updatedMacros.protein)) : 0,\n carbs: updatedMacros.carbs ? parseFloat(String(updatedMacros.carbs)) : 0,\n fiber: 0,\n\n // NOTE: Yup & Formik don't always play nicely with typescript\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n calories: computeCalories(updatedMacros) || 0,\n }\n : undefined,\n };\n };\n\n const updatedMeals = _.map(meals, updateLegacyMealState).filter((legacyMealState) => legacyMealState.enabled);\n const updatedMealSlotSpecifications = convertToMealSlotSpecifications(updatedMeals);\n\n return { updatedLegacyMealStateArray: updatedMeals, updatedMealSlotSpecifications };\n};\n","import { StyleSheet } from \"react-native\";\n\nimport { Scale, VerticalScale } from \"../constants\";\n\nconst styles = StyleSheet.create({\n questionMarkImg: {\n width: Scale(21),\n height: Scale(21),\n },\n recipeMacrosContainer: {\n display: \"flex\",\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n alignItems: \"center\",\n },\n externalContainer: {\n backgroundColor: \"white\",\n // borderColor: Colors.disableButton,\n borderWidth: 1,\n marginTop: VerticalScale(10),\n marginLeft: 0,\n marginRight: 0,\n },\n deactiveButton: {\n backgroundColor: \"transparent\",\n // borderColor: Colors.greyTextColor,\n borderWidth: 1,\n marginTop: VerticalScale(10),\n marginLeft: 0,\n marginRight: 0,\n },\n routeViewContainer: {\n marginVertical: VerticalScale(24),\n marginHorizontal: Scale(16),\n borderRadius: 8,\n },\n marginTop24: {\n marginTop: VerticalScale(24),\n },\n marginVertical24: {\n marginVertical: VerticalScale(24),\n },\n settingIcon: {\n width: Scale(24),\n height: Scale(24),\n marginTop: VerticalScale(24),\n },\n modalContainer: {\n width: \"50%\",\n },\n});\n\nexport default styles;\n","import { Image, useTheme, View } from \"native-base\";\nimport React from \"react\";\nimport Svg, { Path } from \"react-native-svg\";\nimport { useSelector } from \"react-redux\";\n\nimport { Scale, VerticalScale, width as deviceWidth } from \"../constants\";\nimport { shouldWeChangeAppToHormoneTheme } from \"../constants/theme\";\nimport { FeatureFlag, isFeatureFlagActive } from \"../helpers/featureFlags\";\nimport { getOrganisation } from \"../helpers/userHelpers\";\nimport type { Organisation } from \"../services/backendTypes\";\nimport { onboardingDataSelector } from \"../slices/onboardingSlice\";\nimport { userSelector } from \"../slices/userSlice\";\n\nconst LogoCurve = ({\n color,\n width,\n}: {\n color: string | undefined;\n width: number | string | undefined;\n}): JSX.Element => (\n \n \n \n);\n\ntype Props = { organisationForPreview?: Organisation | undefined; previewingOnDesktopScreen?: boolean };\nconst CustomBrandingMobileScreenHeader = (props: Props): JSX.Element => {\n const { colors } = useTheme();\n\n const user = useSelector(userSelector);\n const onboardingData = useSelector(onboardingDataSelector);\n\n if (!user) {\n return <>>;\n }\n\n const organisation = props?.organisationForPreview || getOrganisation(user);\n\n if (!organisation || !organisation.logo_visible) return <>>;\n\n const isHormoneFeatureFlagActive = isFeatureFlagActive(user, FeatureFlag.FF_FEMALE_HORMONES);\n const isKillerBodyOrganisation = organisation.subdomain === \"killerbody\";\n const shouldUseHormoneLogo =\n isHormoneFeatureFlagActive && shouldWeChangeAppToHormoneTheme(user, onboardingData) && isKillerBodyOrganisation;\n const logoSource = shouldUseHormoneLogo\n ? // TODO: We should replace this require\n // eslint-disable-next-line global-require\n require(\"../resources/killerbody_hormone_logo.png\")\n : { uri: organisation.logo };\n\n return (\n \n {organisation.logo || shouldUseHormoneLogo ? (\n \n ) : (\n \n )}\n {!props?.previewingOnDesktopScreen ? (\n \n {!organisation.disable_logo_curve && (\n \n )}\n \n ) : null}\n \n );\n};\nexport default CustomBrandingMobileScreenHeader;\n","import { Scale } from \".\";\n\nexport const FontSize = {\n h1: Scale(30),\n h2: Scale(28),\n h3: Scale(26),\n h4: Scale(24),\n h5: Scale(22),\n h6: Scale(20),\n title: Scale(18),\n body: Scale(16),\n label: Scale(15),\n small: Scale(14),\n mini: Scale(12),\n micro: Scale(11),\n};\n\nexport const FontFamily = {\n regular: \"DMSans_400Regular\",\n medium: \"DMSans_500Medium\",\n bold: \"DMSans_700Bold\",\n};\n","import { MaterialIcons } from \"@expo/vector-icons\";\nimport _ from \"lodash\";\nimport moment, { Moment } from \"moment\";\nimport { Icon, IconButton, Text, View } from \"native-base\";\nimport React from \"react\";\nimport type { TFunction } from \"react-i18next\";\nimport type { AbstractChartConfig } from \"react-native-chart-kit/dist/AbstractChart\";\nimport { Row as TableRow, Table } from \"react-native-table-component\";\n\nimport type { UserDistance, UserSleep, UserStress, UserWeight } from \"../services/backendTypes\";\nimport type { UserDistancesByDate, UserSleepsByDate, UserStressByDate, UserWeightsByDate } from \"../slices/userSlice\";\nimport { MeasurementType, Stress } from \"../types\";\nimport { formatMomentAsBackendFormatDateString, formatNumberAsDecimal } from \"./generalHelpers\";\nimport { getLatestMeasurementForDate } from \"./userHelpers\";\n\ntype UserMeasurementsByDate = UserWeightsByDate | UserSleepsByDate | UserStressByDate | UserDistancesByDate;\ntype UserMeasurement = UserWeight | UserSleep | UserStress | UserDistance;\ntype UserMeasurementArray = UserWeight[] | UserSleep[] | UserStress[] | UserDistance[];\n\ntype PaddedDataPointsArray = (number | null | undefined)[];\n\nconst DATE_FORMAT_FOR_DATE_IN_SHORT_PERIOD = \"D MMM\";\nconst DATE_FORMAT_FOR_DATE_IN_LONG_PERIOD = \"MMM YY\";\n/**\n * Return an array of 4 dates (format \"D MMM\") that are evenly spaced out across the chart\n *\n * @returns {[string, string][]}\n */\nexport const createChartLabelsForLineChart = (numDaysInChart: number): string[] => {\n const fourQuartileIndices = [0, Math.floor(numDaysInChart / 4), Math.floor(numDaysInChart / 2), numDaysInChart];\n\n return fourQuartileIndices.map((index) => {\n const date = moment().subtract(numDaysInChart - index, \"days\");\n\n return date.format(\n numDaysInChart > 60 ? DATE_FORMAT_FOR_DATE_IN_LONG_PERIOD : DATE_FORMAT_FOR_DATE_IN_SHORT_PERIOD\n );\n });\n};\n\nexport const createChartLabelsForBarChart = (numDaysInChart: number): string[] => {\n if (numDaysInChart < 8) {\n return _.range(numDaysInChart).map((index) => {\n const date = moment().subtract(numDaysInChart - index, \"days\");\n\n return date.format(DATE_FORMAT_FOR_DATE_IN_SHORT_PERIOD);\n });\n }\n return createChartLabelsForLineChart(numDaysInChart);\n};\n\nexport const PROGRESS_CHART_CONFIG: AbstractChartConfig = {\n backgroundGradientFrom: \"white\",\n backgroundGradientTo: \"white\",\n useShadowColorFromDataset: true, // optional\n propsForBackgroundLines: {\n strokeDasharray: \"\", // solid background lines with no dashes\n stroke: \"#EDF4F7\",\n strokeWidth: \"1\",\n },\n propsForLabels: {\n fontFamily: \"HelveticaNeue-Light\",\n fontSize: 10,\n },\n};\n\nexport const BAR_CHART_CONFIG: AbstractChartConfig = {\n barPercentage: 0.5,\n useShadowColorFromDataset: false,\n};\n\nexport enum TimePeriod {\n LAST_WEEK = \"LAST_WEEK\",\n LAST_2_WEEKS = \"LAST_2_WEEKS\",\n LAST_MONTH = \"LAST_MONTH\",\n LAST_2_MONTHS = \"LAST_2_MONTHS\",\n SINCE_BEGINNING = \"SINCE_BEGINNING\",\n}\n\nconst NUM_DAYS_FOR_TIME_PERIOD: {\n [key in TimePeriod]: number;\n} = {\n [TimePeriod.LAST_WEEK]: 7,\n [TimePeriod.LAST_2_WEEKS]: 14,\n [TimePeriod.LAST_MONTH]: 30,\n [TimePeriod.LAST_2_MONTHS]: 60,\n [TimePeriod.SINCE_BEGINNING]: 0,\n};\n\nfunction getSortedDates(userMeasurements: UserMeasurementsByDate): string[] {\n return _.sortBy(Object.keys(userMeasurements), (date) => -moment(date));\n}\n\nexport const getNumDaysInChart = (selectedTimePeriod: TimePeriod, userMeasurements: UserMeasurementsByDate): number => {\n if (selectedTimePeriod === TimePeriod.SINCE_BEGINNING && userMeasurements) {\n const sortedDates = getSortedDates(userMeasurements);\n const furthestBackDateWeHaveDataFor = sortedDates[sortedDates.length - 1];\n\n return Math.abs(moment(furthestBackDateWeHaveDataFor).diff(moment(), \"days\")) + 1;\n }\n\n return NUM_DAYS_FOR_TIME_PERIOD[selectedTimePeriod];\n};\n\nconst getStartAndEndDate = (\n selectedTimePeriod: TimePeriod,\n userMeasurements: UserMeasurementsByDate\n): {\n startDate: Moment;\n endDate: Moment;\n} => {\n const numDaysInChart = getNumDaysInChart(selectedTimePeriod, userMeasurements);\n\n return {\n startDate: moment().subtract(numDaysInChart, \"days\"),\n endDate: moment(),\n };\n};\n\nfunction isMeasurementInRange(\n userWeightMeasurementArray: T,\n date: string,\n startDate: moment.Moment,\n endDate: moment.Moment\n): boolean {\n return moment(date).isBetween(startDate, endDate, null, \"[]\");\n}\n\nfunction filterUserMeasurementsForTimePeriod(\n userWeightMeasurements: T,\n startDate: moment.Moment,\n endDate: moment.Moment\n): T {\n const isMeasurementInRangeCurried = (userMeasurementsArray: UserMeasurementArray, date: string): boolean =>\n isMeasurementInRange(userMeasurementsArray, date, startDate, endDate);\n\n return _.pickBy(userWeightMeasurements, isMeasurementInRangeCurried) as unknown as T;\n}\n\nexport function getUserMeasurementsForTimePeriod(\n selectedTimePeriod: TimePeriod,\n userMeasurements: T\n): T {\n const { startDate, endDate } = getStartAndEndDate(selectedTimePeriod, userMeasurements);\n\n return filterUserMeasurementsForTimePeriod(userMeasurements, startDate, endDate);\n}\n\nexport const getDataPointsForChart = (\n userMeasurements: UserMeasurementsByDate,\n numDaysInChart: number\n): (number | null)[] => {\n const getDataPointForHistoricDay = (numDaysInThePast: number): number | null => {\n const formattedDate = formatMomentAsBackendFormatDateString(moment().subtract(numDaysInThePast, \"days\"));\n\n return getLatestMeasurementForDate(userMeasurements, formattedDate) || null;\n };\n\n // For each day in the past 60, get the latest measurement for that day\n return _.range(numDaysInChart).map(getDataPointForHistoricDay).reverse();\n};\n\nexport const getDataPointsForChartWithNullsPadded = (\n userMeasurements: UserMeasurementsByDate,\n numDaysInChart: number\n): PaddedDataPointsArray => {\n const dataPointsForChart = getDataPointsForChart(userMeasurements, numDaysInChart);\n\n const findIndexOfNextNonNullDataPoint = (startingIndex: number): number =>\n _.findIndex(dataPointsForChart, (point) => point !== null, startingIndex);\n\n const findIndexOfPreviousNonNullDataPoint = (startingIndex: number): number =>\n _.findLastIndex(dataPointsForChart, (point) => point !== null, startingIndex);\n\n // pad null values with next non-null value - we do this for continuity on the chart\n const dataPointsForChartWithNullsPadded = dataPointsForChart.map((dataPoint, index) => {\n if (dataPoint === null) {\n const nextNonNullDataPointIndex = findIndexOfNextNonNullDataPoint(index);\n // Interpolate to the next non null value\n if (nextNonNullDataPointIndex !== -1) {\n return dataPointsForChart[nextNonNullDataPointIndex];\n }\n\n // If there is no next non null value, interpolate to the previous non null value\n const lastNonNullDataPointIndex = findIndexOfPreviousNonNullDataPoint(index);\n if (lastNonNullDataPointIndex !== -1) {\n return dataPointsForChart[lastNonNullDataPointIndex];\n }\n\n return 0;\n }\n return dataPoint;\n });\n\n return dataPointsForChartWithNullsPadded;\n};\n\nexport const getDataPointIndicesWithNoData = (dataPointsForChart: PaddedDataPointsArray): number[] => {\n const getIndexIfDataPointIsNull = (value: number, index: number): number | undefined =>\n dataPointsForChart[index] === null ? index : undefined;\n const indicesOfNullDataPoints = _.range(dataPointsForChart.length).map(getIndexIfDataPointIsNull);\n\n return _.compact(indicesOfNullDataPoints);\n};\n\nexport function getYAxisMin(dataPointsForChartWithNullsPadded: PaddedDataPointsArray): number {\n return Math.round(_.min(dataPointsForChartWithNullsPadded) || 50) - 1;\n}\n\nexport function getYAxisMax(dataPointsForChartWithNullsPadded: PaddedDataPointsArray): number {\n return Math.round(_.max(dataPointsForChartWithNullsPadded) || 140) + 1;\n}\n\nexport function getAverageChangeInMeasurementPerWeek(\n userMeasurementsForTimePeriod: T\n): {\n averageWeeklyDelta: number;\n averageWeeklyDeltaAsPercentage: number;\n} {\n const sortedDates = getSortedDates(userMeasurementsForTimePeriod);\n\n const emptyReturnObject = {\n averageWeeklyDelta: 0,\n averageWeeklyDeltaAsPercentage: 0,\n };\n\n if (sortedDates.length < 2) {\n return emptyReturnObject;\n }\n\n const firstDate = sortedDates[sortedDates.length - 1];\n const latestDate = sortedDates[0];\n\n if (firstDate === latestDate || !firstDate || !latestDate) {\n return emptyReturnObject;\n }\n\n const firstMeasurement = getLatestMeasurementForDate(userMeasurementsForTimePeriod, firstDate);\n const latestMeasurement = getLatestMeasurementForDate(userMeasurementsForTimePeriod, latestDate);\n\n if (!firstMeasurement || !latestMeasurement) {\n return emptyReturnObject;\n }\n\n const numWeeks = moment(latestDate).diff(moment(firstDate), \"days\") / 7;\n\n const averageWeeklyDelta = (latestMeasurement - firstMeasurement) / numWeeks;\n const averageWeeklyDeltaAsPercentage = averageWeeklyDelta / latestMeasurement;\n\n return {\n averageWeeklyDelta,\n averageWeeklyDeltaAsPercentage,\n };\n}\n\n// Emoji mapping for stress levels\nexport const getStressEmojis = (t: TFunction): Record => ({\n [Stress.VERY_LOW]: `😌 ${t(\"my_progress.STRESS.VERY_LOW\")}`,\n [Stress.LOW]: `🙂 ${t(\"my_progress.STRESS.LOW\")}`,\n [Stress.MEDIUM]: `😐 ${t(\"my_progress.STRESS.MEDIUM\")}`,\n [Stress.HIGH]: `😟 ${t(\"my_progress.STRESS.HIGH\")}`,\n [Stress.VERY_HIGH]: `😫 ${t(\"my_progress.STRESS.VERY_HIGH\")}`,\n});\n\nfunction formatMeasurementForDisplay(\n userMeasurement: UserMeasurement,\n measurementType: MeasurementType,\n t: TFunction\n): string {\n switch (measurementType) {\n case MeasurementType.WEIGHT:\n if (typeof userMeasurement.value === \"number\") {\n return userMeasurement.value ? `${formatNumberAsDecimal(userMeasurement.value, 2)}` : \"\";\n }\n return userMeasurement.value ? `${userMeasurement.value}` : \"\";\n case MeasurementType.SLEEP:\n return userMeasurement.value ? `${userMeasurement.value} h` : \"\";\n case MeasurementType.STRESS:\n if (!Number.isNaN(userMeasurement.value)) {\n const stressEmojis = getStressEmojis(t);\n return userMeasurement.value\n ? stressEmojis[userMeasurement.value as Stress] || t(`my_progress.STRESS.${userMeasurement.value as Stress}`)\n : \"\";\n }\n throw new Error(\"Invalid stress type\");\n case MeasurementType.WAIST_CIRCUMFERENCE:\n return userMeasurement.value ? `${userMeasurement.value} cm` : \"\";\n default:\n return \"\";\n }\n}\n\nfunction formatDateForDisplay(date: string): string {\n return moment(date).format(\"D MMM YY\");\n}\n\nexport function createTableDisplayingMeasurements({\n userMeasurements,\n measurementType,\n backgroundColor,\n deleteMeasurementForDate,\n t,\n isDesktop,\n}: {\n userMeasurements: UserMeasurementsByDate;\n measurementType: MeasurementType;\n backgroundColor: string;\n deleteMeasurementForDate: (id: number, measurementType: MeasurementType) => Promise;\n t: TFunction;\n isDesktop: boolean;\n}): JSX.Element {\n const createTableRow = (measurementArray: UserMeasurementArray, date: string): [string, JSX.Element, JSX.Element] => {\n const measurement = measurementArray?.[0];\n\n if (!measurement) {\n return [\"\", <>>, <>>];\n }\n\n const formattedDate = formatDateForDisplay(date);\n\n return [\n formattedDate,\n \n {formatMeasurementForDisplay(measurement, measurementType, t)}\n ,\n }\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n onPress={() => deleteMeasurementForDate(measurement.id, measurementType)}\n testID={`deleteProgressMeasurement-${measurementType}-${measurement.id}-button`}\n />,\n ];\n };\n\n const unsortedTableData = _.map(userMeasurements, createTableRow);\n const tableData = _.sortBy(unsortedTableData, ([dateString]) => -moment(dateString).unix());\n\n return (\n // NOTE: This padding is to leave room for the floating action button\n \n \n {tableData.map((rowData, index) => (\n \n ))}\n
\n \n );\n}\n","import { StyleSheet } from \"react-native\";\n\nimport { height, Scale, width } from \"../constants\";\nimport { FontFamily, FontSize } from \"../constants/fonts\";\n\nconst styles = StyleSheet.create({\n nameStyle: { color: \"white\", fontSize: Scale(25) },\n topTitleStyle: {\n fontWeight: \"500\",\n marginBottom: Scale(7),\n },\n headerStyle: {\n fontFamily: FontFamily.bold,\n fontSize: FontSize.h4,\n lineHeight: Scale(32),\n },\n separatorStyle: {\n width,\n // backgroundColor: Colors.disableButton,\n height: Scale(3),\n marginVertical: Scale(20),\n },\n profileCircle: {\n height: Scale(64),\n width: Scale(64),\n justifyContent: \"center\",\n alignItems: \"center\",\n // backgroundColor: Colors.blueColor,\n borderRadius: Scale(32),\n marginRight: Scale(20),\n marginVertical: Scale(20),\n marginLeft: Scale(20),\n },\n profileIconStyle: {\n height: Scale(22),\n width: Scale(22),\n resizeMode: \"contain\",\n },\n profileTitleStyle: {\n fontSize: Scale(16),\n fontWeight: \"700\",\n },\n titleStyle: {\n marginLeft: Scale(0),\n // width: 10,\n },\n listTopContainer: {\n flexDirection: \"row\",\n alignItems: \"center\",\n justifyContent: \"center\",\n },\n rightIconStyle: {\n height: Scale(15),\n width: Scale(15),\n resizeMode: \"contain\",\n },\n listContainer: {\n flexDirection: \"row\",\n marginVertical: Scale(7),\n alignItems: \"center\",\n },\n parentlistContainer: {\n flexDirection: \"row\",\n alignItems: \"center\",\n justifyContent: \"center\",\n marginTop: Scale(5),\n },\n iconStyle: { height: Scale(50), width: Scale(50), resizeMode: \"contain\" },\n container: {\n // backgroundColor: Colors.white,\n flex: 1,\n },\n progressTitleContainer: {\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n alignItems: \"center\",\n marginTop: Scale(10),\n marginHorizontal: Scale(20),\n },\n topContainer: {\n height: height / 4,\n },\n timeContainer: {\n marginRight: 0,\n width: Scale(200),\n fontSize: Scale(16),\n fontWeight: \"500\",\n // color: Colors.sectionTextColor,\n },\n plusIconContainer: {\n height: Scale(30),\n width: Scale(30),\n },\n wrapperStyle: { flexDirection: \"row\", alignItems: \"center\" },\n labelContainer: { flexDirection: \"row\", marginVertical: Scale(15) },\n timeLabelStyle: {\n marginRight: 0,\n width: Scale(150),\n fontWeight: \"600\",\n fontSize: Scale(17),\n // color: Colors.sectionTextColor,\n },\n innerTextStyle: {\n // color: Colors.textColor,\n },\n rightContainerStyle: {\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n width: width / 3,\n marginVertical: Scale(7),\n },\n mealBoxText: {\n fontSize: Scale(16),\n lineHeight: Scale(24),\n // color: Colors.greyTextColor,\n marginLeft: Scale(13.34),\n },\n mealBox: {\n marginTop: Scale(20),\n height: Scale(112),\n // backgroundColor: Colors.grey,\n justifyContent: \"center\",\n alignItems: \"center\",\n flexDirection: \"row\",\n marginHorizontal: Scale(20),\n },\n plusIconStyle: {\n // tintColor: Colors.greyTextColor,\n width: Scale(13),\n height: Scale(13),\n },\n\n progressContainer: { flexDirection: \"row\", alignItems: \"center\" },\n spinnerExternalStyle: { width: Scale(130), marginRight: Scale(20) },\n textStyleForProgress: {\n // color: Colors.largeTextColor,\n fontWeight: \"500\",\n fontSize: Scale(16),\n marginRight: Scale(4),\n },\n texContainer: {\n flexDirection: \"row\",\n alignItems: \"center\",\n marginBottom: Scale(15),\n marginTop: Scale(30),\n\n width: width - Scale(70),\n flexWrap: \"wrap\",\n },\n bottomContainer: {\n marginTop: Scale(40),\n },\n sideTextStyle: {\n // color: Colors.textColor,\n fontWeight: \"500\",\n },\n optionalStyle: {\n // color: Colors.textColor,\n fontSize: Scale(14),\n fontWeight: \"500\",\n },\n});\n\nexport default styles;\n","import { MaterialIcons } from \"@expo/vector-icons\";\nimport type { NativeStackScreenProps } from \"@react-navigation/native-stack\";\nimport { Formik } from \"formik\";\nimport _ from \"lodash\";\nimport moment from \"moment\";\nimport {\n Box,\n Button,\n Center,\n Fab,\n Flex,\n FormControl,\n Icon,\n Input,\n Modal,\n Row,\n ScrollView,\n Select,\n Text,\n useDisclose,\n useTheme,\n View,\n} from \"native-base\";\nimport React, { useEffect } from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { Dimensions, SafeAreaView } from \"react-native\";\nimport { Calendar } from \"react-native-calendars\";\nimport { BarChart, LineChart } from \"react-native-chart-kit\";\nimport type { ChartData } from \"react-native-chart-kit/dist/HelperTypes\";\nimport type { LineChartData } from \"react-native-chart-kit/dist/line-chart/LineChart\";\nimport { Row as TableRow, Table } from \"react-native-table-component\";\nimport { useDispatch, useSelector } from \"react-redux\";\nimport * as Yup from \"yup\";\n\nimport CustomBrandingMobileScreenHeader from \"../components/CustomBrandingMobileScreenHeader\";\nimport type { MarkedDatesType } from \"../components/GroceryListDatePicker\";\nimport { commonStyles, isDesktopScreen, KG_TO_LBS, LBS_TO_KG, Routes } from \"../constants\";\nimport { FontFamily } from \"../constants/fonts\";\nimport { formatMomentAsDateForApi } from \"../helpers/apiHelpers\";\nimport {\n BAR_CHART_CONFIG,\n createChartLabelsForBarChart,\n createChartLabelsForLineChart,\n createTableDisplayingMeasurements,\n getAverageChangeInMeasurementPerWeek,\n getDataPointIndicesWithNoData,\n getDataPointsForChart,\n getDataPointsForChartWithNullsPadded,\n getNumDaysInChart,\n getStressEmojis,\n getUserMeasurementsForTimePeriod,\n getYAxisMax,\n getYAxisMin,\n PROGRESS_CHART_CONFIG,\n TimePeriod,\n} from \"../helpers/chartHelpers\";\nimport { shouldWeUseImperialForThisUser } from \"../helpers/foodHelpers\";\nimport {\n formatMomentAsBackendFormatDateString,\n formatNumberAsDecimal,\n formatNumberAsPercentage,\n formatNumberToDecimalPlaces,\n isIosWeb,\n isMacOriOSWeb,\n} from \"../helpers/generalHelpers\";\nimport { doesTheUserHaveMenstrualPlanSet } from \"../helpers/userHelpers\";\nimport type { RootStackParamList } from \"../navigation/NavigationStackParams\";\nimport backendApi from \"../services/backendApi\";\nimport type { UserWeight, ValueEnum as StressValues } from \"../services/backendTypes\";\nimport {\n userSelector,\n userSleepMeasurementsSelector,\n userSlice,\n userStressMeasurementsSelector,\n userWaistCircumferenceMeasurementsSelector,\n userWeightMeasurementsSelector,\n} from \"../slices/userSlice\";\nimport { MeasurementType, Stress } from \"../types\";\nimport styles from \"./MyProfileScreenStyles\";\n\nconst screenWidth = Dimensions.get(\"window\").width;\nconst {\n useMeasurementsUserWeightCreateMutation,\n useMeasurementsUserWeightListQuery,\n useMeasurementsUserSleepCreateMutation,\n useMeasurementsUserSleepListQuery,\n useMeasurementsUserStressCreateMutation,\n useMeasurementsUserStressListQuery,\n useMeasurementsUserDistanceListQuery,\n useMeasurementsUserDistanceCreateMutation,\n useMeasurementsDeleteMeasurementCreateMutation,\n} = backendApi;\n\nconst MEASUREMENT_POLLING_INTERVAL = 1000 * 60;\n\ntype Props = NativeStackScreenProps;\nconst MyProgressScreen = ({ route: { params } }: Props): JSX.Element => {\n const { t } = useTranslation();\n const { colors } = useTheme();\n\n const isDesktop = isDesktopScreen();\n\n const dispatch = useDispatch();\n const userNotViewAs = useSelector(userSelector);\n const viewAsUser = params?.viewAsUser;\n const user = viewAsUser || userNotViewAs;\n\n const userUsesImperialMeasurements = user ? shouldWeUseImperialForThisUser(user) : false;\n\n const userWeightMeasurementsInKg = useSelector(userWeightMeasurementsSelector);\n const userWeightMeasurements = userUsesImperialMeasurements\n ? _.mapValues(userWeightMeasurementsInKg, (measurements): UserWeight[] =>\n measurements.map((measurement) => ({\n ...measurement,\n value: measurement.value * KG_TO_LBS,\n }))\n )\n : userWeightMeasurementsInKg;\n\n const userSleepMeasurements = useSelector(userSleepMeasurementsSelector);\n const userStressMeasurements = useSelector(userStressMeasurementsSelector);\n const userWaistCircumferenceMeasurements = useSelector(userWaistCircumferenceMeasurementsSelector);\n\n const {\n isOpen: isOpenAddUserMeasurementsModal,\n onOpen: onOpenAddUserMeasurementsModal,\n onClose: onCloseAddUserMeasurementsModal,\n } = useDisclose();\n\n // NOTE: We have a bug on Windows which I am unable to replicate.\n // The bug causes the screen to 'jitter' horizontally.\n // Some of the dropdown options do not work and so we default to the one that gives the coach the most information.\n const [selectedTimePeriod, setSelectedTimePeriod] = React.useState(TimePeriod.SINCE_BEGINNING);\n const [selectedMeasurementType, setSelectedMeasurementType] = React.useState(MeasurementType.WEIGHT);\n\n const [inputNewWeightMeasurementOnBackend] = useMeasurementsUserWeightCreateMutation();\n const [inputNewSleepMeasurementOnBackend] = useMeasurementsUserSleepCreateMutation();\n const [inputNewMoodMeasurementOnBackend] = useMeasurementsUserStressCreateMutation();\n const [inputNewUserDistanceMeasurementOnBackend] = useMeasurementsUserDistanceCreateMutation();\n const [deleteMeasurementOnBackend] = useMeasurementsDeleteMeasurementCreateMutation();\n const { data: userWeightMeasurementsResponse, refetch: refetchUserWeightMeasurements } =\n useMeasurementsUserWeightListQuery(\n { user: user?.id },\n { skip: !user, pollingInterval: MEASUREMENT_POLLING_INTERVAL }\n );\n const { data: userSleepMeasurementsResponse, refetch: refetchUserSleepMeasurements } =\n useMeasurementsUserSleepListQuery(\n { user: user?.id },\n { skip: !user, pollingInterval: MEASUREMENT_POLLING_INTERVAL }\n );\n const { data: userStressMeasurementsResponse, refetch: refetchUserStressMeasurements } =\n useMeasurementsUserStressListQuery(\n { user: user?.id },\n { skip: !user, pollingInterval: MEASUREMENT_POLLING_INTERVAL }\n );\n const { data: userDistanceMeasurementsResponse, refetch: refetchUserDistanceMeasurements } =\n useMeasurementsUserDistanceListQuery(\n { user: user?.id },\n { skip: !user, pollingInterval: MEASUREMENT_POLLING_INTERVAL }\n );\n\n // useEffects\n useEffect(() => {\n if (userWeightMeasurementsResponse && userWeightMeasurementsResponse.results) {\n dispatch(userSlice.actions.storeUserWeightMeasurements(userWeightMeasurementsResponse.results));\n }\n }, [userWeightMeasurementsResponse]);\n\n useEffect(() => {\n if (userSleepMeasurementsResponse && userSleepMeasurementsResponse.results) {\n dispatch(userSlice.actions.storeUserSleepMeasurements(userSleepMeasurementsResponse.results));\n }\n }, [userSleepMeasurementsResponse]);\n\n useEffect(() => {\n if (userStressMeasurementsResponse?.results) {\n dispatch(userSlice.actions.storeUserStressMeasurements(userStressMeasurementsResponse.results));\n }\n }, [userStressMeasurementsResponse]);\n\n useEffect(() => {\n if (userDistanceMeasurementsResponse?.results) {\n dispatch(userSlice.actions.storeUserDistanceMeasurements(userDistanceMeasurementsResponse.results));\n }\n }, [userDistanceMeasurementsResponse]);\n\n async function onDeleteProgressMeasurementForDate(\n measurementId: number,\n measurementType: MeasurementType\n ): Promise {\n if (!user) {\n throw new Error(\"User must be populated\");\n }\n\n // NOTE: We allow users to submit multiple measurements for a single day and just display the latest one.\n // As a result, if a user has 2 measurements for the same day and they do a deletion the old one will just come back\n // We should probably allow only 1 measurement for a single day\n await deleteMeasurementOnBackend({\n deleteMeasurementRequest: {\n measurement_id: measurementId,\n measurement_type: measurementType,\n user_id: user.id,\n },\n });\n\n alert(t(\"my_progress.delete_successful_message\"));\n }\n\n // Get emoji mapping for stress levels\n const stressEmojis = getStressEmojis(t);\n\n // Form config\n const formValidationSchema = Yup.object().shape({\n weight: Yup.number()\n // TODO This should be done properly\n // .transform(transformEuropeanStyleNumber)\n .positive()\n .min(1)\n .max(300)\n .typeError(t(\"general.form_errors.number_only\")),\n weight_in_lbs: Yup.number().positive().min(1).max(650),\n stress: Yup.mixed().oneOf(Object.values(Stress)),\n sleep: Yup.number()\n // .transform(transformEuropeanStyleNumber)\n .positive()\n .max(16),\n waistCircumference: Yup.number()\n // .transform(transformEuropeanStyleNumber)\n .positive()\n .max(300),\n // TODO: Translate error\n date: Yup.date().required().max(moment().endOf(\"day\").toDate(), \"Cannot be in future\"),\n });\n type UserMeasurementsSchema = Yup.InferType;\n\n const initialValues = formValidationSchema.cast({\n date: new Date(),\n // NOTE: There are no sensible defaults for sleep and stress unlike weight\n });\n\n const onSubmit = async (values: UserMeasurementsSchema): Promise => {\n if (!user) {\n throw new Error(\"User is not set\");\n }\n\n // NOTE: This is only the correct date in the user's current timezone\n // (it should not be strictly necessary as the client will interpret the ISO8601 date correctly)\n const createdAt = moment(values.date).toISOString();\n\n const requests = [];\n if (values.weight) {\n requests.push(\n inputNewWeightMeasurementOnBackend({\n userWeightRequest: {\n user: user.id,\n value: values.weight,\n created_at: createdAt,\n },\n })\n );\n }\n\n if (values.stress) {\n requests.push(\n inputNewMoodMeasurementOnBackend({\n userStressRequest: {\n user: user.id,\n value: values.stress,\n created_at: createdAt,\n },\n })\n );\n }\n\n if (values.sleep) {\n requests.push(\n inputNewSleepMeasurementOnBackend({\n userSleepRequest: {\n user: user.id,\n value: values.sleep,\n created_at: createdAt,\n },\n })\n );\n }\n\n if (values.waistCircumference) {\n requests.push(\n inputNewUserDistanceMeasurementOnBackend({\n userDistanceRequest: {\n user: user.id,\n body_area: \"WAIST\",\n value: values.waistCircumference,\n created_at: createdAt,\n },\n })\n );\n }\n\n // NOTE: The compiler wrongly thinks the heterogeneous array is a problem\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n await Promise.all(requests);\n\n onCloseAddUserMeasurementsModal();\n };\n\n const getMarkedDatesFromDate = (date: Date): MarkedDatesType => {\n const markedDates: MarkedDatesType = {};\n if (date) {\n markedDates[formatMomentAsBackendFormatDateString(moment(date))] = {\n selected: true,\n };\n }\n\n return markedDates;\n };\n\n const addMeasurementsModal = (\n \n \n \n \n {t(\"my_progress.add_measurement_modal.title\")}\n \n \n {/* `initialValues` is fine but the compiler complains for some reason. */}\n {/* eslint-disable-next-line @typescript-eslint/ban-ts-comment */}\n {/* @ts-ignore */}\n \n {({\n isSubmitting,\n handleChange,\n handleBlur,\n handleSubmit,\n values,\n setFieldValue,\n errors,\n dirty,\n isValid,\n }) => (\n \n handleChange(\"date\")(day.dateString)}\n markedDates={getMarkedDatesFromDate(values.date)}\n theme={{\n textDayFontFamily: FontFamily.medium,\n textMonthFontFamily: FontFamily.bold,\n textDayHeaderFontFamily: FontFamily.medium,\n arrowColor: colors.primary[\"600\"],\n }}\n renderArrow={(direction) => (\n \n )}\n firstDay={1}\n testID=\"progress-datepicker\"\n />\n {user && shouldWeUseImperialForThisUser(user) ? (\n \n {t(\"my_progress.add_measurement_modal.weight_label\")} \n {\n const kg = Number(lbs) * LBS_TO_KG;\n setFieldValue(\"weight_in_lbs\", lbs);\n setFieldValue(\"weight\", kg);\n }}\n value={values.weight ? String(values.weight_in_lbs) : \"\"}\n testID=\"userMeasurements-weight-input\"\n keyboardType={isIosWeb() ? \"decimal-pad\" : \"numeric\"}\n />\n {errors.weight} \n \n ) : (\n \n {t(\"my_progress.add_measurement_modal.weight_label\")} \n setFieldValue(\"weight\", weight.replace(\",\", \".\"))}\n value={values.weight ? String(values.weight) : \"\"}\n testID=\"userMeasurements-weight-input\"\n keyboardType={isIosWeb() ? \"decimal-pad\" : \"numeric\"}\n />\n {errors.weight} \n \n )}\n\n {t(\"my_progress.add_measurement_modal.stress_label\")} \n \n setFieldValue(\"stress\", itemValue)}\n // https://github.com/GeekyAnts/NativeBase/issues/5111\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n selection={isMacOriOSWeb() ? 1 : null}\n testID=\"userMeasurements-stress-input\"\n >\n {Object.keys(Stress).map((stressEnum) => (\n \n ))}\n \n {errors.stress} \n \n\n {/* FIXME: This is not yet hooked up to the backend */}\n {/* Menopause Sweating Tracking */}\n {/* {user && doesTheUserHaveMenstrualPlanSet(user) ? (\n <>\n {t(\"my_progress.add_measurement_modal.sweating_label\")} \n \n setFieldValue(\"sweating\", itemValue)}\n // https://github.com/GeekyAnts/NativeBase/issues/5111\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n selection={isMacOriOSWeb() ? 1 : null}\n testID=\"userMeasurements-sweating-input\"\n placeholder=\"Select sweating level\"\n >\n \n \n \n \n \n \n \n >\n ) : null} */}\n\n \n {t(\"my_progress.add_measurement_modal.sleep_label\")} \n setFieldValue(\"sleep\", sleep.replace(\",\", \".\"))}\n value={values.sleep ? String(values.sleep) : \"\"}\n testID=\"userMeasurements-sleep-input\"\n />\n {errors.sleep} \n \n\n \n \n {t(\"my_progress.add_measurement_modal.waist_circumference_label\")}\n \n \n setFieldValue(\"waistCircumference\", waistCircumference.replace(\",\", \".\"))\n }\n value={values.waistCircumference ? String(values.waistCircumference) : \"\"}\n testID=\"userMeasurements-waistCircumference-input\"\n />\n {errors.waistCircumference} \n \n\n \n handleSubmit()}\n isLoading={isSubmitting}\n isDisabled={!dirty || !isValid}\n testID={\"userMeasurements-submit-button\"}\n >\n {t(\"general.submit\")}\n \n \n \n )}\n \n \n \n \n );\n\n const floatingActionButton = (\n }\n testID={\"myProfilePreferences-addMeasurements-button\"}\n />\n );\n\n const chartConfig = {\n ...PROGRESS_CHART_CONFIG,\n color: () => colors.primary[\"600\"],\n labelColor: () => \"black\",\n };\n\n // Max history length is 60 days, min history length is 7 days\n const numDaysInChart = getNumDaysInChart(selectedTimePeriod, userWeightMeasurements);\n const userWeightsForTimePeriod = getUserMeasurementsForTimePeriod(selectedTimePeriod, userWeightMeasurements);\n\n const dataPointsForWeightChartWithNullsPadded = getDataPointsForChartWithNullsPadded(\n userWeightMeasurements,\n numDaysInChart\n );\n\n const xAxisLabelsForLineChart = createChartLabelsForLineChart(numDaysInChart);\n const xAxisLabelsForBarChart = createChartLabelsForBarChart(numDaysInChart);\n\n const yAxisMinWeightChart = getYAxisMin(dataPointsForWeightChartWithNullsPadded);\n const yAxisMaxWeightChart = getYAxisMax(dataPointsForWeightChartWithNullsPadded);\n const dataForWeightChart: LineChartData = {\n datasets: [\n {\n data: _.map(dataPointsForWeightChartWithNullsPadded, (v) => v || 0),\n },\n {\n // NOTE: There is no way to control the max and min y-axis range so we use a hidden dummy dataset as a hack\n key: \"dummy-range-padding\",\n data: [yAxisMinWeightChart, yAxisMaxWeightChart],\n color: () => \"transparent\",\n withDots: false,\n },\n ],\n // NOTE: We deliberately do not show labels because they are not shown if there is no corresponding datapoint and\n // this results in the label for the left hand side date of the X-axis not showing.\n labels: [],\n legend: [`${t(\"my_progress.weight_chart.legend\")} ${userUsesImperialMeasurements ? \"(lbs)\" : \"(kg)\"}`],\n };\n\n const dataPointsForWaistCircumferenceChartWithNullsPadded = getDataPointsForChartWithNullsPadded(\n userWaistCircumferenceMeasurements,\n numDaysInChart\n );\n const yAxisMinWaistCircumferenceChart = getYAxisMin(dataPointsForWaistCircumferenceChartWithNullsPadded);\n const yAxisMaxWaistCircumferenceChart = getYAxisMax(dataPointsForWaistCircumferenceChartWithNullsPadded);\n const dataForWaistCircumferenceChart: LineChartData = {\n datasets: [\n {\n data: _.map(dataPointsForWaistCircumferenceChartWithNullsPadded, (v) => v || 0),\n },\n {\n // NOTE: There is no way to control the max and min y-axis range so we use a hidden dummy dataset as a hack\n key: \"dummy-range-padding\",\n data: [yAxisMinWaistCircumferenceChart, yAxisMaxWaistCircumferenceChart],\n color: () => \"transparent\",\n withDots: false,\n },\n ],\n labels: [],\n legend: [t(\"my_progress.waist_circumference_chart.legend\")],\n };\n\n const dataPointsForSleepChart = getDataPointsForChart(userSleepMeasurements, numDaysInChart);\n const dataForSleepChart: ChartData = {\n datasets: [\n {\n data: _.map(dataPointsForSleepChart, (v) => v || 0),\n },\n ],\n labels: xAxisLabelsForBarChart,\n };\n\n const dataPointsForStressChart = getDataPointsForChart(userStressMeasurements, numDaysInChart);\n const dataForStressChart: ChartData = {\n datasets: [\n {\n data: _.map(dataPointsForStressChart, (v) => v || 0),\n },\n ],\n labels: xAxisLabelsForBarChart,\n };\n\n // Extra information accompanying weight chart\n const { averageWeeklyDeltaAsPercentage, averageWeeklyDelta } =\n getAverageChangeInMeasurementPerWeek(userWeightsForTimePeriod);\n\n const firstWeightValue = _.head(dataPointsForWeightChartWithNullsPadded);\n const latestWeightValue = _.last(dataPointsForWeightChartWithNullsPadded);\n\n const tableOfWeightMeasurementsComponent = createTableDisplayingMeasurements({\n userMeasurements: userWeightsForTimePeriod,\n measurementType: MeasurementType.WEIGHT,\n backgroundColor: colors.primary[\"200\"],\n deleteMeasurementForDate: onDeleteProgressMeasurementForDate,\n t,\n isDesktop,\n });\n\n const weightChartInfoComponent = (\n \n {firstWeightValue && latestWeightValue ? (\n <>\n \n {t(\"my_progress.weight_delta_label\", {\n weight_change: formatNumberAsDecimal(latestWeightValue - firstWeightValue),\n unit: userUsesImperialMeasurements ? \"lbs\" : \"kg\",\n })}\n \n >\n ) : null}\n <>\n \n {t(\"my_progress.average_per_week_label\", {\n absolute_change: formatNumberAsDecimal(averageWeeklyDelta),\n percentage_change: formatNumberAsPercentage(averageWeeklyDeltaAsPercentage),\n unit: userUsesImperialMeasurements ? \"lbs\" : \"kg\",\n })}\n \n >\n {tableOfWeightMeasurementsComponent}\n \n );\n\n const sleepValuesTable = createTableDisplayingMeasurements({\n userMeasurements: userSleepMeasurements,\n measurementType: MeasurementType.SLEEP,\n backgroundColor: colors.primary[\"200\"],\n deleteMeasurementForDate: onDeleteProgressMeasurementForDate,\n t,\n isDesktop,\n });\n\n const sleepChart = _.some(dataForSleepChart?.datasets?.[0]?.data) ? (\n // NOTE: The `mt` is to make up for the lack of legend in the chart\n \n `${formatNumberAsDecimal(parseInt(value, 10), 1)}`,\n }}\n yAxisSuffix={t(\"my_progress.sleep_chart.suffix\")}\n yAxisLabel=\"\"\n fromZero={true}\n // NOTE: This is required to have a fixed y-axis range\n // (otherwise the y-axis range is determined by the data)\n fromNumber={10}\n />\n {sleepValuesTable}\n \n ) : (\n \n {t(\"my_progress.no_data_for_period_label\")} \n {/* Add empty space to ensure the FAB has empty space to be shown in */}\n \n \n );\n\n const stressValuesTable = createTableDisplayingMeasurements({\n userMeasurements: userStressMeasurements,\n measurementType: MeasurementType.STRESS,\n backgroundColor: colors.primary[\"200\"],\n deleteMeasurementForDate: onDeleteProgressMeasurementForDate,\n t,\n isDesktop,\n });\n\n const stressChart = _.some(dataForStressChart?.datasets?.[0]?.data) ? (\n \n \n {stressValuesTable} \n \n ) : (\n \n {t(\"my_progress.no_data_for_period_label\")} \n {/* Add empty space */}\n \n \n );\n\n const dataPointIndicesWithNoDataForWeightChart = getDataPointIndicesWithNoData(\n getDataPointsForChart(userWeightMeasurements, numDaysInChart)\n );\n\n const doesWeightChartContainAnyData = _.some(dataPointsForWeightChartWithNullsPadded);\n const weightChart = doesWeightChartContainAnyData ? (\n <>\n formatNumberToDecimalPlaces(Number(value), 1)}\n />\n \n {xAxisLabelsForLineChart.map((label, index) => (\n {label} \n ))}\n \n\n {weightChartInfoComponent} \n >\n ) : (\n \n {t(\"my_progress.no_data_for_period_label\")} \n {/* Add empty space */}\n \n \n );\n\n const dataPointIndicesWithNoDataForWaistCircumferenceChart = getDataPointIndicesWithNoData(\n getDataPointsForChart(userWaistCircumferenceMeasurements, numDaysInChart)\n );\n\n const waistCircumferencesValuesTable = createTableDisplayingMeasurements({\n userMeasurements: userWaistCircumferenceMeasurements,\n measurementType: MeasurementType.WAIST_CIRCUMFERENCE,\n backgroundColor: colors.primary[\"200\"],\n deleteMeasurementForDate: onDeleteProgressMeasurementForDate,\n t,\n isDesktop,\n });\n\n const waistCircumferenceChart = _.some(dataForWaistCircumferenceChart?.datasets?.[0]?.data) ? (\n <>\n formatNumberToDecimalPlaces(Number(value), 1)}\n />\n \n {xAxisLabelsForLineChart.map((label, index) => (\n {label} \n ))}\n \n {waistCircumferencesValuesTable}\n >\n ) : (\n \n {t(\"my_progress.no_data_for_period_label\")} \n {/* Add empty space */}\n \n \n );\n\n const getRelevantChart = (measurementType: MeasurementType): JSX.Element => {\n switch (measurementType) {\n case MeasurementType.WEIGHT:\n return weightChart;\n case MeasurementType.SLEEP:\n return sleepChart;\n case MeasurementType.STRESS:\n return stressChart;\n case MeasurementType.WAIST_CIRCUMFERENCE:\n return waistCircumferenceChart;\n default:\n return <>>;\n }\n };\n\n const selectedChart = getRelevantChart(selectedMeasurementType);\n\n const chartComponent = (\n <>\n \n \n setSelectedTimePeriod(itemValue as TimePeriod)}\n width={isDesktop ? \"150\" : \"32\"}\n ml=\"3\"\n testID=\"time-period-select\"\n >\n {Object.values(TimePeriod).map((option, index) => (\n \n ))}\n \n\n setSelectedMeasurementType(itemValue as MeasurementType)}\n width={isDesktop ? \"150\" : \"32\"}\n ml=\"3\"\n testID=\"measurement-type-select\"\n >\n {Object.values(MeasurementType).map((option, index) => (\n \n ))}\n \n
\n \n\n {selectedChart}\n >\n );\n\n return (\n \n \n {!isDesktop && !viewAsUser ? : null}\n {viewAsUser ? null : (\n \n {t(\"my_progress.screen_title\")} \n \n )}\n {chartComponent}\n {addMeasurementsModal}\n \n {floatingActionButton}\n \n );\n};\n\nexport default MyProgressScreen;\n","import type { NativeStackScreenProps } from \"@react-navigation/native-stack\";\n// NOTE: Adding @sentry/react to the dependencies causes an error because of dependencies it installs.\n// Our other sentry dependencies (@sentry/react-native) already install @sentry/react so we can ignore this error.\n// eslint-disable-next-line import/no-extraneous-dependencies\nimport * as Sentry from \"@sentry/react\";\nimport { Formik } from \"formik\";\nimport _ from \"lodash\";\nimport moment from \"moment\";\nimport {\n AlertDialog,\n Button,\n Center,\n Column,\n Divider,\n Flex,\n FormControl,\n HStack,\n Image,\n Input,\n Modal,\n Row,\n ScrollView,\n Spinner,\n Switch,\n Text,\n theme,\n useDisclose,\n View,\n} from \"native-base\";\nimport React, { useEffect, useRef, useState } from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { ImageSourcePropType, SafeAreaView, StyleProp, useWindowDimensions, ViewStyle } from \"react-native\";\nimport { NavigationState, Route, SceneMap, SceneRendererProps, TabBar, TabView } from \"react-native-tab-view\";\nimport { useDispatch, useSelector } from \"react-redux\";\nimport * as Yup from \"yup\";\nimport type { RequiredArraySchema } from \"yup/lib/array\";\nimport type { MixedSchema } from \"yup/lib/mixed\";\nimport type { Assign, ObjectShape, TypeOfShape } from \"yup/lib/object\";\nimport type { RequiredStringSchema } from \"yup/lib/string\";\nimport type { AnyObject } from \"yup/lib/types\";\n\nimport { CommonIconButton } from \"../commons\";\nimport { commonStyles, Images, isDesktopScreen, KG_TO_LBS, Routes, Scale, VerticalScale } from \"../constants\";\nimport { calculateDailyTotalForMacro, getNutritionDayPlanOverviewComponent } from \"../helpers/coachHelpers\";\nimport { shouldWeUseImperialForThisUser } from \"../helpers/foodHelpers\";\nimport {\n formatNumberAsDecimal,\n formatNumberAsPercentage,\n formatNumberAsWholeNumber,\n formatUserForDisplay,\n isMobilePlatform,\n} from \"../helpers/generalHelpers\";\nimport type { RootStackParamList } from \"../navigation/NavigationStackParams\";\nimport backendApi from \"../services/backendApi\";\nimport type { NutritionDayPlan, User, UserProfile } from \"../services/backendTypes\";\nimport type { DaysForNutritionPlan } from \"../services/legacyNutritionCalculations7\";\nimport logger from \"../services/logger\";\nimport { calculateEnergyExpenditure } from \"../services/nutritionCalculations\";\nimport {\n DEFAULT_NUTRITION_PLAN_NAME,\n getDefaultLegacyInput,\n getLegacyInputFromNutritionPlan,\n} from \"../services/nutritionCalculations7\";\nimport { plannerSlice } from \"../slices/plannerSlice\";\nimport { clientsSelector, userSelector, userSlice } from \"../slices/userSlice\";\nimport type { DayOfWeekString } from \"../types\";\nimport styles from \"./CoachModeClientInfoScreenStyle\";\nimport MyProgressScreen from \"./MyProgressScreen\";\n\nconst {\n useUsersClientsRetrieveQuery,\n useUsersClientsPartialUpdateMutation,\n useUsersWeeklyNutritionPlanUpdateMutation,\n} = backendApi;\n\n// TODO: Use native-base instead\nconst nutritionCardStyle: StyleProp = {\n backgroundColor: \"white\",\n borderRadius: 8,\n borderWidth: 1,\n borderStyle: \"solid\",\n padding: Scale(12),\n marginTop: VerticalScale(24),\n};\n\n// TODO: This should be in a helpers/constants file\nconst ALL_DAYS: DayOfWeekString[] = [\"monday\", \"tuesday\", \"wednesday\", \"thursday\", \"friday\", \"saturday\", \"sunday\"];\n\nconst daysSchema = Yup.object().shape({\n name: Yup.string().required(),\n daysInNutritionPlan: Yup.array()\n .of(Yup.mixed().oneOf(ALL_DAYS).default(\"monday\"))\n .required()\n .min(1)\n .default([]),\n});\n\n// NOTE: Yup recommends using empty interfaces instead of types\n// eslint-disable-next-line @typescript-eslint/no-empty-interface\ninterface DaysSchema extends Yup.InferType {}\n\nconst EVERY_DAY: DaysForNutritionPlan = {\n monday: true,\n tuesday: true,\n wednesday: true,\n thursday: true,\n friday: true,\n saturday: true,\n sunday: true,\n};\n\nconst convertDaysArrayToDaysForNutritionPlan = (days: DayOfWeekString[]): DaysForNutritionPlan => {\n const daysForNutritionPlan: DaysForNutritionPlan = {\n monday: false,\n tuesday: false,\n wednesday: false,\n thursday: false,\n friday: false,\n saturday: false,\n sunday: false,\n };\n\n days.forEach((day) => {\n daysForNutritionPlan[day] = true;\n });\n\n return daysForNutritionPlan;\n};\n\n// TODO: Put in helpers\nconst dayOfWeekStringToIndex = (dayOfWeekString: DayOfWeekString): number => {\n switch (dayOfWeekString) {\n case \"monday\":\n return 1;\n case \"tuesday\":\n return 2;\n case \"wednesday\":\n return 3;\n case \"thursday\":\n return 4;\n case \"friday\":\n return 5;\n case \"saturday\":\n return 6;\n case \"sunday\":\n return 0;\n default:\n throw new Error(\"This should never happen\");\n }\n};\n\nconst createUserProfileFieldComponent = (fieldName: string, fieldValue: string): JSX.Element => (\n \n {`${fieldName}: `} \n \n {fieldValue}\n \n
\n);\n\nconst NutritionDayPlanInfoForm = ({\n initialValues,\n onSubmit,\n nutritionDayPlan,\n isCreateNewPlanForm,\n disableDaySwitches = true,\n isLoadingBackendUpdateCall = false,\n}: {\n initialValues: TypeOfShape<\n Assign<\n ObjectShape,\n {\n name: RequiredStringSchema;\n daysInNutritionPlan: RequiredArraySchema<\n MixedSchema,\n AnyObject,\n DayOfWeekString[]\n >;\n }\n >\n >;\n onSubmit: (values: DaysSchema, nutritionDayPlan: NutritionDayPlan) => Promise | void;\n nutritionDayPlan?: NutritionDayPlan;\n isCreateNewPlanForm: boolean;\n disableDaySwitches?: boolean;\n isLoadingBackendUpdateCall?: boolean;\n}): JSX.Element => {\n const { t } = useTranslation();\n\n if (isLoadingBackendUpdateCall) {\n return ;\n }\n\n return (\n onSubmit(values, nutritionDayPlan)}\n >\n {({ isSubmitting, handleChange, handleBlur, handleSubmit, values, setFieldValue, errors, dirty, isValid }) => (\n \n \n \n \n {/* NOTE: This does not work. When the error message appears it causes a re-render\n of the form in its original state */}\n {/* {errors.name} */}\n \n \n\n \n {ALL_DAYS.map((day) => (\n \n {moment().day(dayOfWeekStringToIndex(day)).format(\"ddd\")} \n {\n const updatedDays = values.daysInNutritionPlan.includes(day)\n ? values.daysInNutritionPlan.filter((d) => d !== day)\n : [...values.daysInNutritionPlan, day];\n\n setFieldValue(\"daysInNutritionPlan\", updatedDays);\n }}\n mr=\"-1\"\n testID={`${day}-switch-${nutritionDayPlan?.id || \"NULL\"}`}\n />\n \n ))}\n
\n\n \n handleSubmit()}\n isDisabled={isSubmitting || !isValid || !dirty}\n isLoading={isLoadingBackendUpdateCall}\n mt=\"2\"\n width=\"40%\"\n testID={`updateDaysOnNutritionPlan-${nutritionDayPlan?.id || \"NULL\"}-button`}\n >\n \n {t(\n isCreateNewPlanForm\n ? \"nutrition_day_plan.create_new_nutrition_plan_button_text\"\n : \"nutrition_day_plan.update_nutrition_plan_button_text\"\n )}\n \n \n \n \n )}\n \n );\n};\n\nconst NutritionPlansComponent = ({\n client,\n onPressUpdateOrCreateNutritionDayPlan,\n onOpenAddAdditionalNDPDialog,\n onPressDeleteNutritionPlan,\n onSubmitUpdateNameAndDaysForm,\n isLoadingBackendUpdateCall,\n}: {\n client: User;\n onPressUpdateOrCreateNutritionDayPlan: (\n daysForNutritionPlan: DaysForNutritionPlan,\n name: string,\n nutritionDayPlan?: NutritionDayPlan\n ) => void;\n onOpenAddAdditionalNDPDialog: () => void;\n onSubmitUpdateNameAndDaysForm: (values: DaysSchema, nutritionDayPlan: NutritionDayPlan) => Promise;\n onPressDeleteNutritionPlan: (nutritionPlanId: number) => void;\n isLoadingBackendUpdateCall?: boolean;\n}): JSX.Element => {\n const { t } = useTranslation();\n\n if (!client.intake) return <>>;\n\n if (!client.intake?.weekly_nutrition_plan) return <>>;\n\n const mondayId = client.intake?.weekly_nutrition_plan?.monday.id;\n if (!mondayId) {\n throw new Error(\"client.intake?.weekly_nutrition_plan?.monday.id was undefined\");\n }\n const getDayId = (day: DayOfWeekString, intake: UserProfile): number =>\n intake.weekly_nutrition_plan?.[day]?.id || mondayId;\n const nutritionPlans: { [D in DayOfWeekString]: number } = {\n monday: mondayId,\n tuesday: getDayId(\"tuesday\", client.intake),\n wednesday: getDayId(\"wednesday\", client.intake),\n thursday: getDayId(\"thursday\", client.intake),\n friday: getDayId(\"friday\", client.intake),\n saturday: getDayId(\"saturday\", client.intake),\n sunday: getDayId(\"sunday\", client.intake),\n };\n\n const nutritionPlanGroupsRaw = _.groupBy(Object.entries(nutritionPlans), ([, nutritionPlanId]) => nutritionPlanId);\n const nutritionPlanGroups = _.mapValues(nutritionPlanGroupsRaw, (array) =>\n _.map(array, ([day]) => day as DayOfWeekString)\n );\n const moreThanOneNutritionPlan = _.size(nutritionPlanGroups) > 1;\n\n const addAnAdditionalNutritionPlanComponent = (\n \n \n {`+ ${t(\"nutrition_day_plan.add_an_additional_nutrition_plan\")}`} \n \n \n );\n\n const createNutritionPlanGroupComponent = (days: DayOfWeekString[], nutritionPlanId: string): JSX.Element => {\n const firstDay = days[0];\n\n if (!firstDay) {\n throw new Error(`No first day found in days array: ${_.toString(days)}`);\n }\n\n if (!client.intake) {\n return <>>;\n }\n\n const nutritionDayPlan = client.intake.weekly_nutrition_plan?.[firstDay];\n\n if (!nutritionDayPlan) {\n return <>>;\n }\n\n const initialValues = daysSchema.cast({\n name: nutritionDayPlan.name,\n daysInNutritionPlan: days,\n });\n\n return nutritionDayPlan ? (\n \n {t(\"coach_mode_top_tabs.nutrition_plan_tab_name\")} \n \n \n \n\n \n {getNutritionDayPlanOverviewComponent(nutritionDayPlan.meal_slot_specifications)}\n \n\n \n onPressUpdateOrCreateNutritionDayPlan(\n convertDaysArrayToDaysForNutritionPlan(days),\n nutritionDayPlan?.name || t(\"nutrition_day_plan.default_nutrition_plan_name\"),\n nutritionDayPlan\n )\n }\n testID={\"editNutritionPlan-button\"}\n >\n {t(\"nutrition_day_plan.edit_button_text\")}\n \n\n {moreThanOneNutritionPlan ? (\n onPressDeleteNutritionPlan(parseInt(nutritionPlanId, 10))}\n testID={`deleteNutritionPlan-${nutritionDayPlan.id || \"THIS_SHOULD_NEVER_HAPPEN\"}-button`}\n >\n {t(\"nutrition_day_plan.delete_nutrition_plan_button_text\")}\n \n ) : null}\n \n ) : (\n <>>\n );\n };\n\n const sortedKeys = _.sortBy(_.keys(nutritionPlanGroups));\n\n const calculateTotalEnergyOfNutritionPlan = (daysArray: DayOfWeekString[]): number => {\n if (daysArray.length === 0) {\n return 0;\n }\n const day = daysArray[0];\n\n if (!day) throw new Error(\"day was undefined, this should never happen\");\n\n const nutritionPlan = client?.intake?.weekly_nutrition_plan?.[day];\n\n if (!nutritionPlan?.meal_slot_specifications) return 0;\n const totalEnergyOfNutritionPlan = calculateDailyTotalForMacro(\"kcal\", nutritionPlan?.meal_slot_specifications);\n\n return totalEnergyOfNutritionPlan * _.size(daysArray);\n };\n const averageEnergyIntakeAcrossWeek = _.sum(_.map(nutritionPlanGroups, calculateTotalEnergyOfNutritionPlan)) / 7;\n\n const tdee = calculateEnergyExpenditure(client.intake)?.daily.total;\n\n const averageEnergyIntakeComponent = tdee ? (\n \n \n \n {t(\"nutrition_day_plan.average_energy_across_week_label\", {\n weekly_average: formatNumberAsWholeNumber(averageEnergyIntakeAcrossWeek),\n })}\n \n \n {t(\"nutrition_day_plan.average_energy_balance_across_week_label\", {\n energy_balance_percentage: formatNumberAsPercentage(averageEnergyIntakeAcrossWeek / tdee),\n })}\n \n \n \n ) : (\n <>>\n );\n\n return (\n <>\n {moreThanOneNutritionPlan ? averageEnergyIntakeComponent : null}\n {_.map(sortedKeys, (nutritionPlanId) => {\n const daysArray = nutritionPlanGroups[nutritionPlanId];\n\n if (!daysArray) {\n return <>>;\n }\n\n return createNutritionPlanGroupComponent(daysArray, nutritionPlanId);\n })}\n {_.size(nutritionPlanGroups) < 2 ? addAnAdditionalNutritionPlanComponent : null}\n >\n );\n};\n\ntype Props = NativeStackScreenProps;\nconst CoachModeClientInfoScreen = ({\n navigation,\n route: {\n params: { clientId },\n },\n}: Props): JSX.Element => {\n const { t } = useTranslation();\n const dispatch = useDispatch();\n\n const {\n isOpen: isOpenDeactivateDialog,\n onOpen: onOpenDeactivateDialog,\n onClose: onCloseDeactivateDialog,\n } = useDisclose();\n\n const {\n isOpen: isOpenAddAdditionalNDPDialog,\n onOpen: onOpenAddAdditionalNDPDialog,\n onClose: onCloseAddAdditionalNDPDialog,\n } = useDisclose();\n\n const layout = useWindowDimensions();\n\n const coach = useSelector(userSelector);\n\n const [patchUserBackendCall, { isLoading: isLoadingUpdateUserOnBackend }] = useUsersClientsPartialUpdateMutation();\n const {\n isLoading: isLoadingClientRetrieveQuery,\n error: clientRetrieveQueryError,\n data: client,\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n } = useUsersClientsRetrieveQuery({ id: clientId });\n\n const [updateWeeklyNutritionPlanOnBackend, { isLoading: isLoadingUpdateWnpOnBackend }] =\n useUsersWeeklyNutritionPlanUpdateMutation();\n const isLoadingBackendUpdateCall = isLoadingUpdateUserOnBackend || isLoadingUpdateWnpOnBackend;\n\n const deactivateClientDialogRef = React.useRef(null);\n\n const [nutritionPlanDeletionId, setNutritionPlanDeletionId] = useState();\n const {\n onOpen: onOpenNutritionPlanDeleteConfirmationModal,\n onClose: onCloseNutritionPlanDeleteConfirmationModal,\n isOpen: isNutritionPlanDeleteConfirmationModalOpen,\n } = useDisclose();\n const nutritionPlanDeleteRef = useRef(null);\n\n const isDesktop = isDesktopScreen();\n\n enum ClientViewTab {\n NUTRITION_PLAN = 0,\n ABOUT = 1,\n PROGRESS = 2,\n SETTINGS = 3,\n }\n const [index, setIndex] = React.useState(ClientViewTab.NUTRITION_PLAN);\n const routes: Route[] = [\n {\n key: String(ClientViewTab.NUTRITION_PLAN),\n title: t(\"coach_mode_top_tabs.nutrition_plan_tab_name\"),\n testID: \"viewClientTab-nutritionPlan\",\n },\n {\n key: String(ClientViewTab.PROGRESS),\n title: t(\"coach_mode_top_tabs.progress_tab_name\"),\n testID: \"viewClientTab-progress\",\n },\n {\n key: String(ClientViewTab.SETTINGS),\n title: t(\"coach_mode_top_tabs.settings_tab_name\"),\n testID: \"viewClientTab-settings\",\n },\n ];\n\n if (!client) {\n // NOTE: This should never happen - send an error to Sentry\n if (isLoadingClientRetrieveQuery && !clientRetrieveQueryError) {\n return ;\n }\n return {\"coach_mode_client_settings.client_not_found_error_text\"} ;\n }\n\n const DailyEnergyItem = ({\n label,\n value,\n imgSrc,\n }: {\n label: string;\n value: string;\n imgSrc?: ImageSourcePropType;\n }): JSX.Element => (\n \n \n {label} \n {value} \n \n );\n\n const onPressUpdateOrCreateNutritionDayPlan = (\n daysForNutritionPlan: DaysForNutritionPlan,\n name: string,\n nutritionDayPlan?: NutritionDayPlan\n ): void => {\n if (!client) {\n throw new Error(\"Client not found\");\n }\n\n if (!client.intake) {\n throw new Error(\"Client intake not found\");\n }\n\n const initialLegacyInput = nutritionDayPlan\n ? getLegacyInputFromNutritionPlan(client.intake, nutritionDayPlan, daysForNutritionPlan)\n : getDefaultLegacyInput(client.intake, daysForNutritionPlan, name);\n\n dispatch(userSlice.actions.storeClientNutritionPlan({ clientId, plan: initialLegacyInput }));\n\n navigation.navigate(Routes.EditNutritionDayPlanStack, {\n screen: Routes.EnergyBalanceTab1,\n params: { client, nutritionPlanId: initialLegacyInput.id },\n });\n };\n\n const onViewClientPlan = (): void => {\n dispatch(plannerSlice.actions.resetCalendarDays());\n dispatch(userSlice.actions.setViewAsUser(client));\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n navigation.push(Routes.DiaryViewScreen);\n };\n\n let tdee = -1;\n let rmr = -1;\n if (client.intake) {\n // TODO: Add in exercise calories in later MR\n const energyExpenditure = calculateEnergyExpenditure(client.intake);\n\n if (!energyExpenditure) {\n throw new Error(\"No energy expenditure calculated\");\n }\n\n tdee = energyExpenditure.daily.total;\n rmr = energyExpenditure.daily.bmr;\n }\n\n function onPressUpdateUserProfile(): void {\n if (!client) {\n throw new Error(\"Client not found\");\n }\n\n navigation.navigate(Routes.EditUserProfileScreen, { client });\n }\n\n function convertAndFormatWeight(weight: number, usesImperialMeasurements: boolean): string {\n const convertedWeight = weight * (usesImperialMeasurements ? KG_TO_LBS : 1);\n return convertedWeight.toFixed(2);\n }\n\n const MacroProfileRoute = (): JSX.Element => {\n if (!client) {\n throw new Error(\"No client found\");\n }\n\n if (!client.intake) {\n return (\n \n {\"No intake completed\"} \n\n \n {t(\"coach_mode_view_client.create_user_profile_button_text\")}\n \n \n );\n }\n\n const userProfileInfoComponent = (\n <>\n \n {t(\"coach_mode_view_client.user_profile_view_heading\")}\n \n\n {createUserProfileFieldComponent(\n t(\"coach_mode_create_new_client.full_name_label_text\"),\n `${client.first_name || \"\"} ${client.last_name || \"\"}`\n )}\n\n {createUserProfileFieldComponent(t(\"coach_mode_create_new_client.email_label_text\"), client?.email || \"\")}\n\n {createUserProfileFieldComponent(\n t(\"coach_mode_create_new_client.gender_title_text\"),\n t(`general.gender.${client.intake.gender}`)\n )}\n\n {createUserProfileFieldComponent(\n t(\"coach_mode_create_new_client.diet_title_text\"),\n t(`general.diets.${client.intake.diet}`)\n )}\n\n {createUserProfileFieldComponent(\n t(\"coach_mode_create_new_client.activity_title_text\"),\n t(`general.activity.${client.intake.activity}`)\n )}\n\n {createUserProfileFieldComponent(\n t(\"coach_mode_create_new_client.weight_title_text\"),\n convertAndFormatWeight(client.intake.weight, coach?.uses_imperial_measurements || false)\n )}\n\n {createUserProfileFieldComponent(\n t(\"coach_mode_create_new_client.body_fat_percentage_title_text\"),\n formatNumberAsPercentage(client.intake.body_fat_percentage)\n )}\n >\n );\n\n const onSubmitUpdateNameAndDaysForm = async (\n values: DaysSchema,\n nutritionDayPlan: NutritionDayPlan\n ): Promise => {\n const weeklyNutritionPlanId = client?.intake?.weekly_nutrition_plan?.id;\n\n if (!weeklyNutritionPlanId) {\n throw new Error(\"weeklyNutritionPlanId is not set\");\n }\n\n if (!nutritionDayPlan) {\n throw new Error(\"nutritionDayPlan is not set\");\n }\n\n await updateWeeklyNutritionPlanOnBackend({\n id: weeklyNutritionPlanId,\n weeklyNutritionPlanUpdateRequest: {\n name: values.name,\n nutrition_day_plan_id: nutritionDayPlan.id,\n days_to_update_to_nutrition_day_plan_id: values.daysInNutritionPlan,\n },\n });\n };\n\n const onPressDeleteNutritionPlan = (nutritionPlanId: number): void => {\n setNutritionPlanDeletionId(nutritionPlanId);\n onOpenNutritionPlanDeleteConfirmationModal();\n };\n\n const onPressDeleteNutritionPlanAfterConfirmation = async (nutritionPlanId: number): Promise => {\n const weeklyNutritionPlanId = client?.intake?.weekly_nutrition_plan?.id;\n\n if (!weeklyNutritionPlanId) {\n throw new Error(\"weeklyNutritionPlanId is not set\");\n }\n\n await updateWeeklyNutritionPlanOnBackend({\n id: weeklyNutritionPlanId,\n weeklyNutritionPlanUpdateRequest: {\n nutrition_day_plan_id: nutritionPlanId,\n days_to_update_to_nutrition_day_plan_id: [],\n },\n });\n };\n\n const nutritionPlanDeleteConfirmationModal = (\n \n \n \n {t(\"general.dialog_confirmation_question\")} \n\n \n => {\n onCloseNutritionPlanDeleteConfirmationModal();\n\n if (!nutritionPlanDeletionId) {\n throw new Error(\"nutritionPlanDeletionId is not set\");\n }\n\n setNutritionPlanDeletionId(undefined);\n try {\n await onPressDeleteNutritionPlanAfterConfirmation(nutritionPlanDeletionId);\n } catch (error) {\n Sentry.captureException(error);\n\n alert(t(\"nutrition_day_plan.error_while_deleting_nutrition_plan_message\"));\n }\n }}\n bg=\"red.600\"\n testID={\"nutritionPlanDeleteConfirmationModal-confirm-button\"}\n >\n {t(\"nutrition_day_plan.delete_nutrition_plan_button_text\")}\n \n \n \n \n );\n\n const addAdditionalNutritionDayPlanDialog = (\n \n \n \n {t(\"nutrition_day_plan.add_an_additional_nutrition_plan\")} \n\n \n {\n onCloseAddAdditionalNDPDialog();\n\n onPressUpdateOrCreateNutritionDayPlan(\n convertDaysArrayToDaysForNutritionPlan(values.daysInNutritionPlan),\n values.name\n );\n }}\n nutritionDayPlan={undefined}\n disableDaySwitches={false}\n isCreateNewPlanForm={true}\n />\n \n \n \n );\n\n const clientHasNoWeeklyNutritionPlan = !client?.intake?.weekly_nutrition_plan;\n const createFirstNutritionPlanComponent = (\n \n onPressUpdateOrCreateNutritionDayPlan(EVERY_DAY, DEFAULT_NUTRITION_PLAN_NAME)}\n testID={\"createNutritionPlan-button\"}\n nativeID={\"createNutritionPlanButton\"}\n >\n {`+ ${t(\"nutrition_day_plan.create_button_text\")}`} \n \n \n {t(\"nutrition_day_plan.precreation_comment_text\")}\n \n \n );\n\n const NutritionDayPlanOverviewComponent = (): JSX.Element => (\n \n \n \n \n {t(\"general.daily_energy_calculation.daily_energy_expenditure\")}\n \n {/* Note: Not in scope */}\n {/* {!isDesktop && (\n \n )} */}\n \n\n {/* TODO: We need to create the element (Nowak did not create it properly). Perhaps something less fancy? */}\n \n {/* eslint-disable-next-line max-len */}\n {/* */}\n {/* NOTE: Is it really necessary to break this out? */}\n {/* \n \n */}\n \n \n\n \n\n {userProfileInfoComponent}\n\n \n \n {t(\"coach_mode_view_client.update_user_profile_button_text\")}\n \n \n \n\n {!client.intake || clientHasNoWeeklyNutritionPlan ? (\n createFirstNutritionPlanComponent\n ) : (\n \n )}\n\n {addAdditionalNutritionDayPlanDialog}\n \n );\n\n return isDesktop ? (\n \n \n \n {nutritionPlanDeleteConfirmationModal}\n \n \n ) : (\n <>\n \n {nutritionPlanDeleteConfirmationModal}\n >\n );\n };\n const ProgressRoute = (): JSX.Element => (\n \n \n \n {/* This component is in NavigationStackParams as it is navigated to by the BottomNavigationStack */}\n {/* eslint-disable-next-line @typescript-eslint/ban-ts-comment */}\n {/* @ts-ignore */}\n \n \n \n \n );\n\n const deactivateClientComponent = (\n <>\n \n {t(\n client.account_enabled\n ? \"coach_mode_client_settings.open_deactivate_client_modal_button_text\"\n : \"coach_mode_client_settings.open_activate_client_modal_button_text\"\n )}\n \n {client.account_enabled ? (\n \n {t(\"coach_mode_client_settings.deactivate_client_confirmation_message\")}\n \n ) : null}\n >\n );\n\n const isViewingSelf = coach && client.id === coach.id;\n\n const SettingViewMobile = (): JSX.Element => (\n \n {/* TODO: Decide what content is required in here and then delete commented code */}\n {/* */}\n {/* \n {t(\"Only the client can change their allergy and diet settings in the profile of their app.\")}\n \n \n {t(\"Personal information\")}\n */}\n \n \n \n {`${t(\"general.email_address\")}: `} \n \n {client.email}\n \n
\n\n \n {`${t(\n \"coach_mode_client_settings.client_active_status_modal.title_text\"\n )}: `} \n \n {`${client.account_enabled ? \"Active\" : \"Inactive\"}`}\n \n
\n \n \n\n {isViewingSelf ? null : deactivateClientComponent}\n \n \n );\n\n // TODO: Decide what settings are required and then delete commented code. Ideally reuse the mobile component\n // const SettingViewDesktop = (): JSX.Element => (\n // \n // \n // \n // {t(\"Personal information\")}\n // \n // \n // {t(\"E-mail address\")}\n // \n // \n // \n // {t(\"This button will archive the client and de-activate their macro profile:\")}\n // \n // \n // \n // \n // \n // {t(\"Dietary settings\")}\n // \n // \n // {t(\"Only the client can change their allergy and diet settings in the profile of their app.\")}\n // \n // \n // \n // );\n\n const renderScene = SceneMap({\n [ClientViewTab.SETTINGS]: SettingViewMobile,\n [ClientViewTab.NUTRITION_PLAN]: MacroProfileRoute,\n [ClientViewTab.PROGRESS]: ProgressRoute,\n });\n\n // TODO: Not currently in scope. If in scope then replace this with native-base action sheet from the bottom\n // const ModalContent = (): JSX.Element => (\n // \n // \n // \n // {t(\"Calculation method\")} \n // {\n // console.log(\"Inside ModalContent onPress\");\n\n // if (modalizeRef && typeof modalizeRef === \"object\" && modalizeRef.current) {\n // modalizeRef.current.close();\n // } else {\n // logger.error(\"modalizeRef Error\");\n // }\n // }}\n // >\n // \n // \n // \n // \n // \n // \n // \n // {t(\n // eslint-disable-next-line max-len\n // \"Based on the current personal details of the client. With the Katch & McArdle formula we estimated total calorie expenditure (based on total lean mass).\"\n // )}\n // \n // \n // \n // );\n\n const shouldViewClientPlanOptionBeAvailable = Boolean(client.intake?.weekly_nutrition_plan?.tuesday);\n\n const Header = (): JSX.Element => (\n \n \n navigation.popToTop()}\n source={Images.BackIcon}\n size={24}\n containerStyle={{ marginHorizontal: Scale(20) }}\n testID={\"clientInfoScreen-back-button\"}\n />\n\n {formatUserForDisplay(client)} \n \n\n {shouldViewClientPlanOptionBeAvailable ? (\n \n \n {t(\"coach_mode_view_client.view_plan_button_text\")}\n \n \n ) : null}\n \n );\n\n const TabsView = (): JSX.Element => {\n const TabBarView = (\n props: SceneRendererProps & {\n navigationState: NavigationState<{\n key: string;\n title: string;\n }>;\n }\n ): JSX.Element => (\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n (\n \n {tabRoute.title}\n \n )}\n />\n );\n\n return (\n (\n <>\n {isDesktop ? (\n \n \n \n {/* NOTE: The Route type has `title: string | undefined` but we always define it */}\n {/* eslint-disable-next-line @typescript-eslint/ban-ts-comment */}\n {/* @ts-ignore */}\n \n \n \n ) : (\n // NOTE: The Route type has `title: string | undefined` but we always define it\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n \n )}\n >\n )}\n style={{\n marginTop: VerticalScale(32),\n // backgroundColor: Colors.greyBgColor\n backgroundColor: theme.colors.gray[\"100\"],\n }}\n initialLayout={{ width: layout.width }}\n />\n );\n };\n\n const SelectViewButton = ({ tab, lastButton = false }: { tab: ClientViewTab; lastButton?: boolean }): JSX.Element => (\n {\n setIndex(tab);\n }}\n variant={index === tab ? \"solid\" : \"subtle\"}\n mr={lastButton ? \"0\" : \"2\"}\n testID={`viewClientTab-${_.camelCase(ClientViewTab[tab])}`}\n >\n {/* This works but I am unsure of how to get the compiler to realise it */}\n {/* eslint-disable-next-line @typescript-eslint/ban-ts-comment */}\n {/* @ts-ignore */}\n {t(`coach_mode_client_settings.select_view_button.${ClientViewTab[tab]}`)} \n \n );\n\n const ClientInfoWithoutUsingTabs = (): JSX.Element => (\n \n \n \n \n \n\n \n \n \n \n \n \n\n <>\n {index === ClientViewTab.NUTRITION_PLAN ? : null}\n {index === ClientViewTab.SETTINGS ? : null}\n {index === ClientViewTab.PROGRESS ? : null}\n >\n \n );\n\n const headerComponent = isDesktop ? (\n \n \n \n ) : (\n \n {\n logger.debug(\"onPress back button\");\n navigation.popToTop();\n }}\n source={Images.BackIcon}\n size={Scale(20)}\n testID={\"clientInfoScreen-back-button\"}\n />\n {shouldViewClientPlanOptionBeAvailable ? (\n \n \n {t(\"coach_mode_view_client.view_plan_button_text\")}\n \n \n ) : null}\n \n );\n\n const tabsComponent = isDesktop ? (\n \n ) : (\n <>\n \n {/* TODO: Decide if we will implement this */}\n {/* eslint-disable-next-line max-len */}\n {/* */}\n {formatUserForDisplay(client)} \n \n \n >\n );\n\n const deactivateClientModal = (\n \n \n \n {t(\"coach_mode_client_settings.client_active_status_modal.title_text\")} \n\n \n {client.account_enabled ? (\n \n {t(\"general.dialog_confirmation_question\")}{\" \"}\n {t(\"coach_mode_client_settings.deactivate_client_confirmation_message\")}\n \n ) : null}\n\n \n {\n logger.debug(\"on press Cancel\");\n onCloseDeactivateDialog();\n }}\n variant={\"subtle\"}\n >\n {t(\"general.cancel\")}\n \n\n {\n logger.debug(\"Inside onPress for activate dialog\");\n\n await patchUserBackendCall({\n id: client.id,\n patchedUserRequest: {\n account_enabled: !client.account_enabled,\n },\n });\n\n onCloseDeactivateDialog();\n }}\n ml=\"2\"\n colorScheme={\"danger\"}\n testID={\"deactivateClient-button\"}\n isLoading={isLoadingUpdateUserOnBackend}\n >\n {client.account_enabled\n ? t(\"coach_mode_client_settings.client_active_status_modal.deactivate_button_text\")\n : t(\"coach_mode_client_settings.client_active_status_modal.activate_button_text\")}\n \n \n \n \n \n );\n\n const commonContainerStyle = {\n backgroundColor: \"white\",\n };\n\n const mobileContainerStyle = {\n ...commonContainerStyle,\n flex: 1,\n };\n\n return (\n \n {headerComponent}\n {tabsComponent}\n {deactivateClientModal}\n \n );\n};\nexport default CoachModeClientInfoScreen;\n","import { Divider } from \"native-base\";\nimport React from \"react\";\n\nconst CommonHeaderDivider = (): JSX.Element => ;\n\nexport default CommonHeaderDivider;\n","import type { NativeStackNavigationProp } from \"@react-navigation/native-stack\";\nimport { useTheme } from \"native-base\";\nimport React, { useState } from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport type { ImageSourcePropType, Platform, StyleProp, ViewStyle } from \"react-native\";\nimport { FAB, Portal, Provider } from \"react-native-paper\";\nimport { useSelector } from \"react-redux\";\n\nimport { Routes, Scale } from \"../constants\";\nimport Images from \"../constants/images\";\nimport { isMobilePlatform } from \"../helpers/generalHelpers\";\nimport type { OnChooseProduct, RootStackParamList } from \"../navigation/NavigationStackParams\";\nimport type { MealSlotSpecification } from \"../services/backendTypes\";\nimport logger from \"../services/logger\";\nimport { viewAsUserSelector } from \"../slices/userSlice\";\n\ntype FABGroupAction = {\n icon: ImageSourcePropType;\n label?: string;\n color?: string;\n labelTextColor?: string;\n accessibilityLabel?: string;\n style?: StyleProp;\n labelStyle?: StyleProp;\n small?: boolean;\n onPress: () => void;\n testID?: string;\n};\n\ntype Props = {\n navigation: NativeStackNavigationProp;\n // FIXME: This should be renamed as it has the same name as another function\n addSingleFoodMealToPlanner: OnChooseProduct;\n displayQuickAddModal: () => void;\n mealSlotSpecifications?: MealSlotSpecification[];\n};\n\nconst getQuickOptionsAction = (\n label: string,\n image: ImageSourcePropType,\n onClick: () => void,\n testID: string\n): FABGroupAction => ({\n icon: image,\n label,\n onPress: onClick,\n small: false,\n labelStyle: { backgroundColor: \"transparent\", marginHorizontal: 0 },\n labelTextColor: \"white\",\n style: {\n width: Scale(45),\n height: Scale(45),\n alignItems: \"center\",\n justifyContent: \"center\",\n },\n testID,\n});\n\n// TODO: Rename this to PlannerQuickOptions\nconst FloatingButton = ({\n addSingleFoodMealToPlanner,\n displayQuickAddModal,\n navigation,\n mealSlotSpecifications,\n}: Props): JSX.Element => {\n const { t } = useTranslation();\n const [open, setOpen] = useState(false);\n\n const theme = useTheme();\n\n const viewAsUser = useSelector(viewAsUserSelector);\n\n const onChoose: OnChooseProduct = async (product, suggestedServing, quantity, mealSlotSpecificationId) => {\n setOpen(false);\n await addSingleFoodMealToPlanner(product, suggestedServing, quantity, mealSlotSpecificationId);\n\n if (viewAsUser) {\n navigation.pop(1);\n } else {\n navigation.popToTop();\n }\n };\n\n const foodChooseScreenParams = {\n // TODO: This onChoose is passed down many levels: is there a better architecture?\n onChoose,\n chooseMealMoment: true,\n mealSlotSpecifications,\n };\n\n const handleAddProduct = (): void => {\n navigation.push(Routes.AddProductStack, {\n screen: Routes.FoodSearchScreen,\n params: foodChooseScreenParams,\n });\n };\n\n const handleScanProduct = (): void => {\n navigation.push(Routes.AddProductByBarcodeStack, {\n screen: Routes.BarcodeScannerScreen,\n params: foodChooseScreenParams,\n });\n };\n\n const actions = [\n getQuickOptionsAction(\n t(\"planner.quick_options.quick_add_title\"),\n // eslint-disable-next-line @typescript-eslint/no-unsafe-argument\n Images.ForkKnifeWhiteIcon,\n displayQuickAddModal,\n \"addQuickMeal-button\"\n ),\n getQuickOptionsAction(\n t(\"planner.quick_options.add_product_title\"),\n // eslint-disable-next-line @typescript-eslint/no-unsafe-argument\n Images.AddProductIcon,\n handleAddProduct,\n \"addSingleFoodMeal-button\"\n ),\n ];\n if (isMobilePlatform()) {\n actions.push(\n getQuickOptionsAction(\n t(\"planner.quick_options.scan_barcode_title\"),\n // eslint-disable-next-line @typescript-eslint/no-unsafe-argument\n Images.ScanProductIcon,\n handleScanProduct,\n \"addSingleFoodMealByScanningBarcode-button\"\n )\n );\n }\n\n return (\n \n \n {\n setOpen(!open);\n }}\n testID=\"quickAction-button\"\n />\n \n \n );\n};\n\nexport default FloatingButton;\n","import { StyleSheet } from \"react-native\";\n\nimport { Scale } from \"../constants\";\nimport { FontFamily } from \"../constants/fonts\";\n\nconst styles = StyleSheet.create({\n container: { flex: 1, marginBottom: Scale(2) },\n nutrientDiv: {\n width: \"100%\",\n paddingHorizontal: Scale(20),\n height: Scale(30),\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n },\n nutrientHead: {\n fontFamily: FontFamily.medium,\n fontSize: 16,\n lineHeight: Scale(28),\n // color: Colors.darkGreyTextColor,\n },\n nutrientTextDiv: {\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n },\n nutrientText1: {\n fontFamily: FontFamily.medium,\n fontSize: 12,\n // color: Colors.largeTextColor,\n lineHeight: Scale(28),\n },\n nutrientText2: {\n fontFamily: FontFamily.medium,\n fontSize: 12,\n // color: Colors.darkGreyTextColor,\n lineHeight: Scale(28),\n },\n progressBarDiv: { paddingLeft: 20, width: Scale(10), marginTop: Scale(5) },\n progressBarContainer: { paddingHorizontal: Scale(20) },\n});\n\nexport default styles;\n","import { useTheme } from \"native-base\";\nimport React from \"react\";\nimport { StyleProp, Text, TextStyle, View, ViewStyle } from \"react-native\";\n\nimport ProgressBar from \"../commons/ProgressBar\";\nimport { formatNumberAsWholeNumber } from \"../helpers/generalHelpers\";\nimport styles from \"./MacroTargetInfoStyle\";\n\ntype MacroTargetInfoProps = {\n title: string;\n style?: StyleProp | StyleProp;\n targetValue?: number;\n actualValue?: number;\n showProgressBar?: boolean;\n showTarget?: boolean;\n};\n\nconst MacroTargetInfo = ({\n title,\n style,\n targetValue,\n actualValue,\n showProgressBar = true,\n showTarget = true,\n}: MacroTargetInfoProps): JSX.Element => {\n const theme = useTheme();\n\n return (\n \n \n {title} \n \n \n {formatNumberAsWholeNumber(actualValue || 0)}\n \n {showTarget ? (\n \n /{formatNumberAsWholeNumber(targetValue || 0)}\n \n ) : null}\n \n \n\n {showProgressBar && showTarget ? (\n \n \n \n ) : null}\n \n );\n};\nexport default MacroTargetInfo;\n","import { StyleSheet } from \"react-native\";\n\nimport { Scale } from \"../constants\";\nimport { FontFamily } from \"../constants/fonts\";\n\nconst style = StyleSheet.create({\n addMoreContainer: {\n flexDirection: \"row\",\n alignItems: \"center\",\n justifyContent: \"center\",\n borderRadius: Scale(5),\n paddingVertical: Scale(8),\n borderWidth: StyleSheet.hairlineWidth,\n },\n mainContainer: {\n paddingVertical: Scale(20),\n paddingHorizontal: Scale(15),\n // backgroundColor: Colors.whiteColor,\n },\n textContainer: {\n display: \"flex\",\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n marginTop: Scale(5),\n marginBottom: Scale(20),\n },\n head: {\n fontSize: Scale(20),\n // color: Colors.largeTextColor,\n lineHeight: Scale(28),\n fontWeight: \"600\",\n },\n mealBox: {\n marginTop: Scale(20),\n height: Scale(112),\n width: \"100%\",\n // backgroundColor: Colors.grey,\n justifyContent: \"center\",\n alignItems: \"center\",\n flexDirection: \"row\",\n },\n mealBoxText: {\n fontSize: Scale(16),\n lineHeight: Scale(24),\n // color: Colors.greyTextColor,\n marginLeft: Scale(13.34),\n },\n text: {\n fontSize: Scale(12),\n // color: Colors.largeTextColor,\n lineHeight: Scale(16),\n },\n nutrientTextDiv: {\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n },\n nutrientText1: {\n fontFamily: FontFamily.medium,\n fontSize: 12,\n // color: Colors.largeTextColor,\n lineHeight: Scale(25),\n },\n nutrientText2: {\n fontFamily: FontFamily.medium,\n fontSize: 12,\n // color: Colors.darkGreyTextColor,\n lineHeight: Scale(25),\n },\n titleDiv: { flex: 1, display: \"flex\", flexDirection: \"row\" },\n});\n\nexport default style;\n","import type { Dispatch } from \"@reduxjs/toolkit\";\nimport type { PrefetchOptions } from \"@reduxjs/toolkit/dist/query/core/module\";\nimport _ from \"lodash\";\nimport type { Moment } from \"moment\";\n// eslint-disable-next-line import/no-named-default\nimport { default as MomentLib } from \"moment\";\nimport { extendMoment } from \"moment-range\";\nimport { useDispatch, useSelector } from \"react-redux\";\n\nimport { USER_LOGOUT_ACTION } from \"../../../store\";\nimport backendApi from \"../services/backendApi\";\nimport type {\n CalendarDay,\n CalendarItem,\n CalendarItemContentTypeEnum,\n Food,\n IngredientPostRequest,\n Meal,\n MealMomentEnum,\n MealSlotSpecification,\n NutritionDayPlan,\n PaginatedCalendarDayList,\n PlannerCalendarDayListApiArg,\n SuggestedServing,\n User,\n WeeklyNutritionPlan,\n} from \"../services/backendTypes\";\nimport logger from \"../services/logger\";\nimport { FoodById, foodSlice } from \"../slices/foodSlice\";\nimport { CalendarDayByDate, currentDayInPlannerSelector, plannerSlice } from \"../slices/plannerSlice\";\nimport { authTokenSelector, userSelector, viewAsUserSelector } from \"../slices/userSlice\";\nimport type {\n CreateSingleFoodMeal,\n DayOfWeekString,\n FoodIngredientCreate,\n MacroName,\n PlannerCalendarDayCreate,\n PlannerCalendarItemCreate,\n PlannerPlanSingleFoodMealCreateMutation,\n} from \"../types\";\nimport { formatMomentAsBackendFormatDateString } from \"./generalHelpers\";\nimport { logout } from \"./logout\";\nimport { isUserLoggedIn } from \"./userHelpers\";\n\nconst { usePlannerCalendarDayCreateMutation, usePlannerCalendarDayListQuery, useUsersAuthUsersMeRetrieveQuery } =\n backendApi;\n\n// eslint-disable-next-line @typescript-eslint/ban-ts-comment\n// @ts-ignore\nexport const moment = extendMoment(MomentLib);\n\nconst getPlannerArgs = (\n startDate: Moment\n): {\n dateGte?: string | undefined;\n dateLt?: string | undefined;\n} => ({\n dateGte: formatMomentAsBackendFormatDateString(startDate),\n dateLt: formatMomentAsBackendFormatDateString(moment(startDate).add(1, \"days\")),\n});\n\nfunction createBlankCalendarDay(date: Moment, user: User, weeklyNutritionPlan: WeeklyNutritionPlan): CalendarDay {\n return {\n user: user?.id,\n date: formatMomentAsBackendFormatDateString(date),\n calendar_items: [],\n };\n}\n\n// FIXME: Make this function take an object parameter, not individual parameters\nexport const createCalendarDay = async (\n date: Moment,\n createNewCalendarDay: PlannerCalendarDayCreate,\n dispatch: Dispatch,\n user: User,\n weeklyNutritionPlan: WeeklyNutritionPlan,\n calendarDaysInStore: CalendarDayByDate,\n isLoadingCreateNewCalendarDay: boolean,\n isLoadingCalendarDayList: boolean\n): Promise => {\n logger.debug(\"Inside createCalendarDay\");\n const calendarDayToBeCreated = createBlankCalendarDay(date, user, weeklyNutritionPlan);\n\n const isCalendarDayNotInStore = calendarDaysInStore[calendarDayToBeCreated.date] === undefined;\n logger.debug(\n `isCalendarDayNotInStore for ${moment(calendarDayToBeCreated.date).format(\"DD-MM-YYYY\")}:`,\n isCalendarDayNotInStore\n );\n\n const isPayloadValid = calendarDayToBeCreated.user !== undefined;\n\n const notInFlight = !isLoadingCreateNewCalendarDay || !isLoadingCalendarDayList;\n\n logger.debug(\"Before usePlannerCalendarDayCreateMutation()\");\n if (isPayloadValid && isCalendarDayNotInStore && notInFlight) {\n // logger.debug(\"Creating new calendarDay for date: \", calendarDayToBeCreated.date);\n logger.debug(\"Creating new calendar day:\", calendarDayToBeCreated);\n const calendarDay = await createNewCalendarDay({\n calendarDayRequest: calendarDayToBeCreated,\n }).unwrap();\n logger.debug(\"Got calendarDay: \", calendarDay);\n dispatch(plannerSlice.actions.storeCalendarDay(calendarDay));\n }\n logger.debug(\"After usePlannerCalendarDayCreateMutation()\");\n return undefined;\n};\n\nconst CALENDAR_DAY_POLLING_INTERVAL_MS = 30 * 1000;\nexport function getPlannerData(): {\n isLoadingCalendarDayList: boolean;\n isFetchingCalendarDayList: boolean;\n isLoadingCreateNewCalendarDay: boolean;\n refetchCalendarDays: () => void;\n calendarDayListResponse: PaginatedCalendarDayList | undefined;\n plannerArgs: PlannerCalendarDayListApiArg;\n createNewCalendarDay: PlannerCalendarDayCreate;\n user: User | null;\n} {\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n const calendarFetchStartDate = useSelector(currentDayInPlannerSelector);\n\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n const viewAsUser = useSelector(viewAsUserSelector);\n // eslint-disable-next-line react-hooks/rules-of-hooks\n const realUser = useSelector(userSelector);\n const user = viewAsUser || realUser;\n\n const plannerArgs = getPlannerArgs(calendarFetchStartDate);\n\n // TODO: To avoid awkward logic and race condition we should create a getOrCreate endpoint for the CalendarDay model\n const {\n isLoading: isLoadingCalendarDayList,\n isFetching: isFetchingCalendarDayList,\n data: calendarDayListResponse,\n error: errorRetrivingCalendarDayList,\n refetch: refetchCalendarDays,\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n } = usePlannerCalendarDayListQuery(\n { ...plannerArgs, user: user?.id },\n { skip: !isUserLoggedIn(user), pollingInterval: CALENDAR_DAY_POLLING_INTERVAL_MS }\n );\n\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n const [createNewCalendarDay, { isLoading: isLoadingCreateNewCalendarDay }] = usePlannerCalendarDayCreateMutation();\n\n return {\n isLoadingCalendarDayList,\n isFetchingCalendarDayList,\n refetchCalendarDays,\n calendarDayListResponse,\n plannerArgs,\n createNewCalendarDay,\n user,\n isLoadingCreateNewCalendarDay,\n };\n}\n\nexport async function createCalendarDays(\n calendarDayListResponse: PaginatedCalendarDayList,\n dispatch: Dispatch,\n plannerArgs: PlannerCalendarDayListApiArg,\n createNewCalendarDay: PlannerCalendarDayCreate,\n user: User,\n weeklyNutritionPlan: WeeklyNutritionPlan,\n isLoadingCreateNewCalendarDay: boolean,\n isLoadingCalendarDayList: boolean,\n calendarDaysInStore: CalendarDayByDate\n): Promise {\n if (isLoadingCalendarDayList) {\n return;\n }\n\n _.forEach(calendarDayListResponse?.results, (calendarDay) => {\n dispatch(plannerSlice.actions.storeCalendarDay(calendarDay));\n });\n // TODO: The calendar logic should be separated into a different function\n const { dateGte, dateLt } = plannerArgs;\n const rangeByDate = moment.range(moment(dateGte), moment(dateLt).subtract(1, \"days\")).by(\"days\");\n const days = Array.from(rangeByDate);\n const dates = days.map((m) => moment(m.format(\"YYYY-MM-DD\")));\n logger.trace(\"dates from planner args: \", dates);\n // TODO: Abstract this logic into a function\n const datesWithoutCalendarDays: Moment[] = _.filter(\n dates,\n (date: Moment) =>\n !_.find(\n calendarDayListResponse?.results,\n (calendarDay: CalendarDay) => calendarDay.date === formatMomentAsBackendFormatDateString(date)\n )\n );\n logger.trace(\"datesWithoutCalendarDays: \", datesWithoutCalendarDays);\n // TODO: Make sure the days are separate days and there is no overlap\n // eslint-disable-next-line no-restricted-syntax\n for (const date of datesWithoutCalendarDays) {\n logger.debug(\"Creating calendarDay for date: \", date.format(\"YYYY-MM-DD\"));\n // eslint-disable-next-line no-await-in-loop\n await createCalendarDay(\n date,\n createNewCalendarDay,\n dispatch,\n user,\n weeklyNutritionPlan,\n // TODO: Just pass in useSelector so the function can fetch its own data\n calendarDaysInStore,\n isLoadingCreateNewCalendarDay,\n isLoadingCalendarDayList\n );\n }\n}\n\n// TODO: This should be in a userHelpers or generalHelpers file\nexport function getUserData(): { user: User | undefined; isLoadingUserQuery: boolean; refetchUser: () => void } {\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n const authToken = useSelector(authTokenSelector);\n\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n const dispatch = useDispatch();\n\n const {\n isLoading: isLoadingUserQuery,\n error,\n data: returnedUser,\n refetch: refetchUser,\n // TODO: This should be removed to avoid potential errors but it is working at the moment\n // eslint-disable-next-line react-hooks/rules-of-hooks\n } = useUsersAuthUsersMeRetrieveQuery(undefined, { skip: !authToken });\n\n const is401Error = error && \"status\" in error && error.status === 401;\n if (is401Error) {\n logger.debug(\"Error retrieving current user: \", error);\n logout(dispatch);\n }\n\n return { isLoadingUserQuery, user: returnedUser, refetchUser };\n}\n\n// TODO: moment.js uses capitalised day strings by default, should we follow this convention in our code?\nexport const getDayOfWeekAsString = (day: Moment): DayOfWeekString =>\n day.locale(\"en\").format(\"dddd\").toLowerCase() as DayOfWeekString;\n\nexport async function addMealToPlanner({\n currentCalendarDay,\n mealSlot,\n meal,\n mealContentType,\n createCalendarItem,\n refetchCalendarDays,\n}: {\n currentCalendarDay: CalendarDay;\n meal: Meal;\n mealContentType: CalendarItemContentTypeEnum;\n mealSlot: MealSlotSpecification;\n createCalendarItem: PlannerCalendarItemCreate;\n refetchCalendarDays: () => void;\n}): Promise {\n if (!currentCalendarDay) {\n throw new Error(\"No calendarDay provided\");\n }\n if (!mealSlot) {\n throw new Error(\"No mealSlot provided\");\n }\n\n if (!meal.id) {\n throw new Error(\"No meal.id provided\");\n }\n\n if (!currentCalendarDay.id) {\n throw new Error(\"No currentCalendarDay.id provided\");\n }\n\n const calendarItemToCreate: CalendarItem = {\n meal_slot: mealSlot.id,\n meal_moment: mealSlot.meal_moment,\n meal,\n object_id: meal.id,\n content_type: mealContentType,\n calendar_day: currentCalendarDay.id,\n // NOTE: This is just to make the type compiler happy, the backend will auto-populate this field\n modified: \"\",\n };\n await createCalendarItem({ calendarItemRequest: calendarItemToCreate }).unwrap();\n refetchCalendarDays();\n}\n\nexport async function addSingleFoodMealToPlanner({\n food,\n currentCalendarDay,\n suggestedServing,\n quantity,\n mealSlot,\n planSingleFoodMealBackendCall,\n dispatch,\n}: {\n food: Food;\n suggestedServing: SuggestedServing;\n quantity: number;\n currentCalendarDay: CalendarDay;\n mealSlot: MealSlotSpecification;\n refetchCalendarDays: () => void;\n dispatch: Dispatch;\n planSingleFoodMealBackendCall: PlannerPlanSingleFoodMealCreateMutation;\n}): Promise {\n if (currentCalendarDay === undefined) {\n logger.error(\"calendarDay is undefined\");\n // TODO: Surface error to user\n }\n\n dispatch(foodSlice.actions.storeFood(food));\n\n if (!currentCalendarDay.id) {\n return Promise.reject(new Error(\"No calendar day id\"));\n }\n if (!suggestedServing.id) {\n return Promise.reject(new Error(\"No suggested serving id\"));\n }\n\n await planSingleFoodMealBackendCall({\n planSingleFoodMealRequest: {\n calendar_day_id: currentCalendarDay.id,\n meal_slot_id: mealSlot.id,\n quantity,\n suggested_serving_id: suggestedServing.id,\n },\n });\n return Promise.resolve();\n}\n\nexport const getActualValueForMacro = (calendarItems: CalendarItem[], macro: MacroName): number =>\n _.sumBy(calendarItems, (calendarItem) => _.get(calendarItem.meal, macro, 0));\n\nexport const getTargetValueForMacro = (nutritionPlan: NutritionDayPlan, macro: MacroName): number =>\n _.sumBy(nutritionPlan?.meal_slot_specifications, (mealSlotSpecification) => mealSlotSpecification[macro] || 0);\n\nexport const findMatchingSuggestedServing = (f: Food, suggestedServingId: number): SuggestedServing | undefined =>\n _.find(f?.suggested_servings, { id: suggestedServingId });\n\nexport const findFoodBySuggestedServingId = (suggestedServingId: number, foodsById: FoodById): Food | undefined =>\n _.find(foodsById, (f) => Boolean(findMatchingSuggestedServing(f, suggestedServingId)));\n\nconst RANKED_MEAL_MOMENTS: { [M in MealMomentEnum]: number } = {\n BREAKFAST: 1,\n MORNING_SNACK: 2,\n LUNCH: 3,\n AFTERNOON_SNACK: 4,\n DINNER: 5,\n SNACK: 6,\n LATE_SNACK: 7,\n};\n\nexport const sortMealSlotSpecificationsByMealMoment = (\n mealSlotSpecifications: MealSlotSpecification[]\n): MealSlotSpecification[] => _.sortBy(mealSlotSpecifications, (mss) => RANKED_MEAL_MOMENTS[mss.meal_moment]);\n\nexport const generateMealsPrefetchOptions: PrefetchOptions = {\n ifOlderThan: 60 * 60 * 1000, // 1 hour\n};\n\n/**\n * Returns a date string, format \"YYYY-MM-DD\",\n * of the last date there are meals planned with the same nutrition day plan id\n */\nexport const findLastDateThereAreMealsPlannedWithThisNutritionDayPlan = (\n nutritionPlanForCurrentDay: NutritionDayPlan | undefined,\n weeklyNutritionPlan: WeeklyNutritionPlan | null | undefined,\n currentDayInPlanner: Moment,\n calendarDaysInStore: CalendarDayByDate\n): CalendarDay | undefined => {\n const maximumHowManyDaysToLookBack = 14;\n\n const todaysNutritionDayPlanId = nutritionPlanForCurrentDay?.id;\n if (!todaysNutritionDayPlanId) {\n return undefined;\n }\n\n if (!weeklyNutritionPlan) {\n return undefined;\n }\n\n // use a while loop to loop over the past maximumHowManyDaysToLookBack days\n // and check if there are any days with the same nutrition day plan id\n // if there are then return that day\n\n let i = 1;\n while (i < maximumHowManyDaysToLookBack) {\n const dateToCheck = moment(currentDayInPlanner).subtract(i, \"days\");\n const dateToCheckFormattedAsString = formatMomentAsBackendFormatDateString(dateToCheck);\n const calendarDayToCheck = calendarDaysInStore[dateToCheckFormattedAsString];\n\n const dayOfWeekForDate = getDayOfWeekAsString(moment(dateToCheck));\n\n const isThisDayTheSameNDPAsToday = weeklyNutritionPlan[dayOfWeekForDate]?.id === todaysNutritionDayPlanId;\n\n if (isThisDayTheSameNDPAsToday) {\n if (calendarDayToCheck?.calendar_items && calendarDayToCheck?.calendar_items.length > 0) {\n return calendarDayToCheck;\n }\n }\n\n i += 1;\n }\n\n return undefined;\n};\n","import type { RecipeMeal } from \"../services/backendTypes\";\n\n// eslint-disable-next-line import/prefer-default-export\nexport function getTestIDForRecipeMeal(recipeMeal: RecipeMeal): string {\n return `planned-recipeMeal-${recipeMeal.recipe_template.source_provider}-${\n recipeMeal.recipe_template.id || \"MISSING_ID\"\n }`;\n}\n","import { AntDesign, Ionicons, MaterialCommunityIcons, MaterialIcons } from \"@expo/vector-icons\";\nimport { Button, Icon, IconButton, Image, Spinner, useTheme } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { Pressable, Text, TouchableOpacity, View } from \"react-native\";\nimport { useSelector } from \"react-redux\";\n\nimport { isDesktopScreen, Scale } from \"../constants\";\nimport { HORMONE_HEX_COLOR } from \"../constants/theme\";\nimport { findFoodBySuggestedServingId, findMatchingSuggestedServing } from \"../helpers/diaryHelpers\";\nimport { FeatureFlag, isFeatureFlagActive } from \"../helpers/featureFlags\";\nimport { getServingDescriptionText } from \"../helpers/foodHelpers\";\nimport { getRecipeMealImage } from \"../helpers/generalHelpers\";\nimport { getTestIDForRecipeMeal } from \"../helpers/testHelpers\";\nimport { doesOrganisationHaveManagedPlanning, getOrganisation } from \"../helpers/userHelpers\";\nimport styles from \"../screens/DiaryViewScreenStyles\";\nimport type {\n CalendarItemContentTypeEnum,\n CalendarItemStatusEnum,\n Meal,\n QuickAddMeal,\n RecipeMeal,\n SingleFoodMeal,\n} from \"../services/backendTypes\";\nimport { FoodById, foodSelector } from \"../slices/foodSlice\";\nimport { userSelector, viewAsUserSelector } from \"../slices/userSlice\";\n\ntype CalendarItemComponentBaseProps = {\n onPress: () => void;\n onLongPress: () => void;\n // NOTE: This is kept because it may be used in the near future\n // eslint-disable-next-line react-redux/no-unused-prop-types\n testID?: string;\n onPressCalendarItemPlannedStatus?: () => void;\n editable?: boolean;\n};\n\ninterface CalendarItemComponentProps extends CalendarItemComponentBaseProps {\n meal: Meal;\n status: CalendarItemStatusEnum;\n onSwap?: () => Promise;\n contentType: CalendarItemContentTypeEnum;\n isLoading: boolean;\n editable?: boolean;\n onListAlternativesPress: () => void;\n}\n\ninterface SingleFoodOrQuickAddMealPlannerItemProps extends CalendarItemComponentBaseProps {\n isEaten: boolean;\n title: string;\n description: string;\n}\n\ninterface RecipeMealPlannerItemProps extends CalendarItemComponentBaseProps {\n isEaten: boolean;\n recipeMeal: RecipeMeal;\n isLoading: boolean;\n onSwap?: () => void;\n onPressCalendarItemPlannedStatus: () => void;\n onListAlternativesPress: () => void;\n}\n\nconst CheckboxComponent = ({\n onPress,\n checked,\n testID,\n}: {\n onPress: () => void;\n checked: boolean;\n testID?: string;\n}): JSX.Element => {\n const theme = useTheme();\n\n const [submitted, setSubmitted] = React.useState(false);\n\n const onPressCheckbox = (): void => {\n setSubmitted(true);\n onPress();\n\n setTimeout(() => {\n setSubmitted(false);\n }, 750);\n };\n\n return (\n // NOTE: The Checkbox does not update when the checked prop changes\n // (probably something to do with it being a controlled form component).\n // As such, we wrap it in a View for use in the tests\n <>\n {!submitted ? (\n \n \n \n ) : (\n \n )}\n >\n );\n};\n\nconst RecipeMealPlannerItem = ({\n isEaten,\n recipeMeal,\n onPress,\n onSwap,\n onLongPress,\n onPressCalendarItemPlannedStatus,\n onListAlternativesPress,\n isLoading = false,\n editable = true,\n}: RecipeMealPlannerItemProps): JSX.Element => {\n const theme = useTheme();\n const { t } = useTranslation();\n const user = useSelector(userSelector);\n\n const hasHormoneTag = recipeMeal.recipe_template.tags?.some((tag) => tag.name === \"HORMONE\");\n const showHormoneIndicator = hasHormoneTag && isFeatureFlagActive(user, FeatureFlag.FF_FEMALE_HORMONES);\n\n return (\n \n \n \n\n {/* Hormone indicator */}\n {showHormoneIndicator ? (\n \n \n \n ) : null}\n\n {/* Dark overlay for text readability */}\n \n\n {/* Loading spinner overlay */}\n {isLoading ? (\n \n \n \n ) : null}\n\n {/* Text overlay */}\n \n \n {recipeMeal.recipe_template.name}\n \n \n {`${Math.round(recipeMeal.kcal)} kcal • ${recipeMeal.recipe_template.preparation_time_min} min`}\n \n \n \n\n {/* Buttons below the image */}\n \n }\n isLoading={isLoading}\n testID={`delete-recipeMeal-${recipeMeal.id}`}\n variant=\"outline\"\n flex={1}\n colorScheme=\"gray\"\n size=\"md\"\n borderRadius={8}\n _text={{ fontWeight: \"medium\", color: \"gray.600\" }}\n >\n {t(\"general.delete\")}\n \n\n }\n isLoading={isLoading}\n testID={`swap-recipeMeal-${recipeMeal.id}`}\n variant=\"solid\"\n flex={1}\n colorScheme=\"primary\"\n size=\"md\"\n borderRadius={8}\n _text={{ fontWeight: \"medium\" }}\n >\n {t(\"planner.recipe.replace\")}\n \n \n \n );\n};\n\nconst SingleFoodOrQuickAddMealPlannerItem = ({\n isEaten,\n title,\n description,\n onLongPress,\n onPress,\n onPressCalendarItemPlannedStatus,\n testID,\n editable = true,\n}: SingleFoodOrQuickAddMealPlannerItemProps): JSX.Element => {\n const theme = useTheme();\n return (\n \n \n \n {title}\n \n \n {description}\n \n \n {editable ? (\n \n onPressCalendarItemPlannedStatus && onPressCalendarItemPlannedStatus()}\n checked={isEaten}\n testID={`calendarItem-${isEaten ? \"EATEN\" : \"PLANNED\"}-singleFoodMealOrQuickAddMeal-NO_ID_PROVIDED`}\n />\n \n ) : null}\n\n }\n onPress={onLongPress}\n accessibilityLabel=\"Delete item\"\n style={{ marginHorizontal: 10 }}\n />\n \n );\n};\n\nconst CalendarItemComponent = ({\n meal,\n status,\n contentType,\n onPress,\n onSwap,\n onLongPress,\n onPressCalendarItemPlannedStatus,\n onListAlternativesPress,\n editable = true,\n isLoading = false,\n}: CalendarItemComponentProps): JSX.Element | null => {\n const { t } = useTranslation();\n const foodsById: FoodById = useSelector(foodSelector);\n const checkIsEatenStatus = (statusValue: CalendarItemStatusEnum): boolean => statusValue === \"EATEN\";\n\n const createSingleFoodMealPlannerItem = (): JSX.Element | null => {\n const singleFoodMeal: SingleFoodMeal = meal as SingleFoodMeal;\n let suggestedServing = singleFoodMeal.ingredient.suggested_serving;\n let foodName = singleFoodMeal.ingredient.name;\n\n if (typeof suggestedServing === \"number\") {\n const suggestedServingId = suggestedServing;\n // NOTE: Food is sometimes undefined when diaryscreen loads\n const food = findFoodBySuggestedServingId(suggestedServingId, foodsById);\n if (food) {\n foodName = food.name;\n suggestedServing = findMatchingSuggestedServing(food, suggestedServingId);\n }\n }\n\n if (suggestedServing) {\n const { nonEditableDescription } = getServingDescriptionText(suggestedServing, singleFoodMeal.ingredient);\n\n return (\n \n );\n }\n return null;\n };\n\n const createQuickAddMealPlannerItem = (): JSX.Element | null => {\n const quickAddMeal: QuickAddMeal = meal as QuickAddMeal;\n\n return (\n \n );\n };\n\n switch (contentType) {\n case \"singlefoodmeal\":\n return createSingleFoodMealPlannerItem();\n case \"recipemeal\":\n // eslint-disable-next-line no-case-declarations\n const recipeMeal: RecipeMeal = meal as RecipeMeal;\n\n if (!onPressCalendarItemPlannedStatus) {\n throw new Error(\"onPressCalendarItemPlannedStatus is required for RecipeMeal CalendarItem\");\n }\n\n return (\n \n );\n case \"quickaddmeal\":\n return createQuickAddMealPlannerItem();\n default:\n return null;\n }\n};\n\nexport default CalendarItemComponent;\n","import { Entypo } from \"@expo/vector-icons\";\nimport type { NativeStackNavigationProp } from \"@react-navigation/native-stack\";\nimport _ from \"lodash\";\nimport { AlertDialog, Button, useTheme } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { Button as NativeButton, Text, View } from \"react-native\";\nimport { useSelector } from \"react-redux\";\n\nimport ProgressBar from \"../commons/ProgressBar\";\nimport { Routes, Scale } from \"../constants\";\nimport { formatMomentAsBackendFormatDateString, formatNumberAsWholeNumber, isIos } from \"../helpers/generalHelpers\";\nimport {\n doesOrganisationHaveManagedPlanning,\n FeatureFlag,\n getOrganisation,\n isFeatureFlagEnabled,\n} from \"../helpers/userHelpers\";\nimport type { RootStackParamList } from \"../navigation/NavigationStackParams\";\nimport backendApi from \"../services/backendApi\";\nimport type {\n CalendarDay,\n CalendarItem,\n CalendarItemStatusEnum,\n Meal,\n MealSlotSpecification,\n RecipeMeal,\n SingleFoodMeal,\n} from \"../services/backendTypes\";\nimport logger from \"../services/logger\";\nimport { currentDayInPlannerSelector } from \"../slices/plannerSlice\";\nimport { userSelector, viewAsUserSelector } from \"../slices/userSlice\";\nimport styles from \"./MacroTargetInfoStyle\";\nimport style from \"./MealsCategoryCardStyles\";\nimport CalendarItemComponent from \"./PlannerItem\";\n\nconst {\n usePlannerCalendarItemDestroyMutation,\n usePlannerCalendarItemPartialUpdateMutation,\n useFoodIngredientPartialUpdateMutation,\n usePlannerAutoPlanDayCreateMutation,\n} = backendApi;\n\ntype Props = {\n title?: string;\n color?: string;\n actualValue: number;\n targetValue: number;\n currentCalendarDay: CalendarDay;\n calendarItems?: CalendarItem[];\n mealSlotSpecification: MealSlotSpecification;\n navigation: NativeStackNavigationProp;\n onPressPlannedStatus: (arg0: number, arg1?: string) => void;\n refetchCalendarDays: () => void;\n onPressAddMoreComponent: () => void;\n onPressPlanNewMeal: () => void;\n onPressMenu: () => void;\n showTarget?: boolean;\n};\n\nconst MealSlotInPlanner = ({\n title,\n color,\n actualValue,\n targetValue,\n currentCalendarDay,\n calendarItems,\n mealSlotSpecification,\n navigation,\n onPressPlannedStatus,\n refetchCalendarDays,\n onPressAddMoreComponent,\n onPressPlanNewMeal,\n onPressMenu,\n showTarget = true,\n}: Props): JSX.Element => {\n const { t } = useTranslation();\n\n const theme = useTheme();\n\n const [autoPlanDay, { isLoading: isLoadingAutoPlanDay }] = usePlannerAutoPlanDayCreateMutation();\n const currentDayInPlanner = useSelector(currentDayInPlannerSelector);\n const viewAsUser = useSelector(viewAsUserSelector);\n const realUser = useSelector(userSelector);\n const user = viewAsUser || realUser;\n\n const organisation = user ? getOrganisation(user) : null;\n const productLoggingIsDisabled = isFeatureFlagEnabled(organisation || null, FeatureFlag.DisableProductLogging);\n\n const [updateCalendarItem, { isLoading: isLoadingUpdateCalendarItem }] =\n usePlannerCalendarItemPartialUpdateMutation();\n const [updateSingleFoodMealIngredient, { isLoading: isLoadingUpdateSingleFoodMealIngredient }] =\n useFoodIngredientPartialUpdateMutation();\n\n const [calendarItemToDeleteId, setCalendarItemToDeleteId] = React.useState(undefined);\n const [isOpenDeleteMenu, setIsOpenDeleteMenu] = React.useState(false);\n\n const createPlannerItemFromCalendarItem = ({\n content_type: contentType,\n meal,\n meal_slot: mealSlot,\n status,\n id,\n }: CalendarItem): JSX.Element => {\n const onPressCalendarItemPlannedStatus = async (): Promise => {\n if (!id) {\n throw new Error(\"id is undefined\");\n }\n if (!meal.id) {\n throw new Error(\"meal.id is undefined\");\n }\n\n onPressPlannedStatus(meal.id, title);\n\n const newStatus: CalendarItemStatusEnum = status === \"PLANNED\" ? \"EATEN\" : \"PLANNED\";\n await updateCalendarItem({ id, patchedCalendarItemRequest: { status: newStatus } }).unwrap();\n return refetchCalendarDays();\n };\n\n const onSwapCalendarItem = async (): Promise => {\n // Note: We only swap recipemeals\n if (contentType !== \"recipemeal\") {\n return;\n }\n\n if (!user) {\n throw new Error(\"user is undefined\");\n }\n\n await autoPlanDay({\n autoPlannerRequest: {\n date: formatMomentAsBackendFormatDateString(currentDayInPlanner),\n user: user.id,\n meal_slot_ids: [mealSlot],\n },\n });\n };\n\n const onPressCalendarItem = (): void => {\n if (contentType === \"recipemeal\") {\n const recipeMealEditable = !isFeatureFlagEnabled(organisation || null, FeatureFlag.DisableProductLogging);\n\n navigation.push(Routes.AddRecipeTemplateStack, {\n // NOTE: We are probably defining the screen types wrong\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n screen: Routes.RecipeDetailScreen,\n params: {\n recipeMeal: meal,\n mealSlotSpecification,\n mealType: \"RecipeMeal\",\n viewOnly: true,\n editable: recipeMealEditable,\n portionsEditable: true,\n },\n });\n } else if (contentType === \"singlefoodmeal\") {\n if (!(meal as SingleFoodMeal).ingredient || !(meal as SingleFoodMeal).ingredient.id) {\n throw new Error(\"meal.ingredient.id is undefined\");\n }\n\n navigation.push(Routes.AddProductStack, {\n screen: Routes.AddIngredientScreen,\n params: {\n onChoose: async (product, suggestedServing, quantity) => {\n await updateSingleFoodMealIngredient({\n // We explicitly check that id is not undefined above\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n id: (meal as SingleFoodMeal).ingredient.id,\n patchedIngredientRequest: {\n suggested_serving: suggestedServing,\n quantity,\n },\n }).unwrap();\n navigation.pop(1);\n refetchCalendarDays();\n },\n ingredient: (meal as SingleFoodMeal).ingredient,\n },\n });\n }\n };\n\n const handleListAlternativesPress = (): void => {\n navigation.push(Routes.RecipeSearchScreen, {\n mealSlotSpecification,\n currentCalendarDay,\n calendarItemToReplace: id,\n });\n };\n\n const onLongPressCalendarItem = (): void => {\n logger.debug(\"onLongPressCalendarItem\");\n setIsOpenDeleteMenu(true);\n\n setCalendarItemToDeleteId(id);\n };\n\n // TODO: Memoize this (but it is difficult to use the useCallback\n // hook because we are inside a function (not a react component))\n return (\n handleListAlternativesPress()}\n isLoading={isLoadingAutoPlanDay || isLoadingUpdateCalendarItem}\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n onPressCalendarItemPlannedStatus={onPressCalendarItemPlannedStatus}\n status={status || \"PLANNED\"}\n contentType={contentType}\n editable={!productLoggingIsDisabled}\n />\n );\n };\n const [deleteCalendarItemOnBackend, { isLoading: isLoadingDeleteCalendarItemOnBackend }] =\n usePlannerCalendarItemDestroyMutation();\n const deleteCalendarItem = async (calendarItemId: number): Promise => {\n if (!calendarItemId) {\n throw new Error(\"calendarItemId is undefined\");\n }\n\n if (calendarItemId) {\n await deleteCalendarItemOnBackend({ id: calendarItemId }).unwrap();\n setIsOpenDeleteMenu(false);\n refetchCalendarDays();\n }\n };\n\n const onClose = (): void => setIsOpenDeleteMenu(false);\n const cancelRef = React.useRef(null);\n const deleteMealComponent = (\n \n \n \n {t(\"planner.delete_meal_confirm_button_text\")} \n \n \n \n {t(\"general.cancel\")}\n \n {\n if (!calendarItemToDeleteId) throw new Error(\"calendarItemToDeleteId is undefined\");\n await deleteCalendarItem(calendarItemToDeleteId);\n }}\n testID=\"delete-planned-meal-modal-confirm-button\"\n >\n {t(\"general.delete\")}\n \n \n \n \n \n );\n\n const disablePlanMealAction = !currentCalendarDay;\n\n const planMealComponent = (\n \n \n \n );\n\n // TODO: memo() or useCallback()?\n const renderItemFunction = (index: number, calendarItem: CalendarItem): JSX.Element =>\n createPlannerItemFromCalendarItem(calendarItem);\n\n // TODO: We should consider sorting by created_at but this property does not exist on the model\n const headerComponent = (\n \n <>\n \n {title} \n \n \n >\n {/* NOTE: This View is necessary for the styling */}\n \n \n {formatNumberAsWholeNumber(actualValue)} \n \n {showTarget ? `/${formatNumberAsWholeNumber(targetValue)} ${t(\"general.kcal\")}` : ` ${t(\"general.kcal\")}`}\n \n \n {showTarget ? (\n \n \n \n ) : null}\n \n \n );\n\n const sortedCalendarItems = _.sortBy(calendarItems, [(item) => (item.content_type === \"recipemeal\" ? 0 : 1), \"id\"]);\n\n return (\n \n {headerComponent}\n {!_.isEmpty(calendarItems) ? (\n <>\n {sortedCalendarItems.map((item, index) => renderItemFunction(index, item))}\n\n {organisation && doesOrganisationHaveManagedPlanning(organisation) ? null : (\n \n \n \n )}\n >\n ) : (\n planMealComponent\n )}\n {deleteMealComponent}\n \n );\n};\n\nexport default MealSlotInPlanner;\n","import { Formik } from \"formik\";\nimport { Button, FormControl, Input, Select, View } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport * as Yup from \"yup\";\n\nimport { formatMealType } from \"../helpers/generalHelpers\";\nimport type { MealSlotSpecification } from \"../services/backendTypes\";\nimport styles from \"./QuickAddModalStyles\";\n\nconst QuickAddModal = ({\n mealSlotSpecifications,\n createQuickAddMeal,\n}: {\n mealSlotSpecifications: MealSlotSpecification[];\n createQuickAddMeal: ({\n mealSlotSpecificationId,\n calories,\n protein,\n fat,\n carbohydrates,\n }: {\n mealSlotSpecificationId: number;\n calories: number;\n protein: number;\n fat: number;\n carbohydrates: number;\n }) => Promise;\n}): JSX.Element => {\n const { t } = useTranslation();\n // TODO: We should improve the logic for this default at a later date\n const defaultSelectedMealSlotSpecificationId = mealSlotSpecifications?.[0]?.id || 0;\n\n const quickAddSchema = Yup.object().shape({\n // NOTE: Description is not in scope for the initial release\n // description: Yup.string().required(\"Required\"),\n mealSlotSpecificationId: Yup.number().positive().integer().required(t(\"general.required\")),\n calories: Yup.number().positive().required(t(\"general.required\")),\n protein: Yup.number().positive(),\n fat: Yup.number().positive(),\n carbohydrates: Yup.number().positive(),\n });\n\n interface QuickAddFormValues {\n mealSlotSpecificationId: number;\n calories: string;\n protein: string;\n fat: string;\n carbohydrates: string;\n }\n\n const onSubmitWrapper = async ({\n mealSlotSpecificationId,\n calories,\n protein,\n fat,\n carbohydrates,\n }: QuickAddFormValues): Promise =>\n createQuickAddMeal({\n mealSlotSpecificationId,\n calories: Number(calories),\n protein: Number(protein),\n fat: Number(fat),\n carbohydrates: Number(carbohydrates),\n });\n\n return (\n \n \n {({ isSubmitting, handleChange, handleBlur, handleSubmit, values, setFieldValue, errors, dirty, isValid }) => (\n <>\n {/* NOTE: Description is not in scope for the initial release */}\n {/* \n {t(\"Description\")} \n \n {errors.description} \n */}\n \n setFieldValue(\"mealSlotSpecificationId\", itemValue)}\n >\n {mealSlotSpecifications?.map((mealSlotSpecification) => (\n \n ))}\n \n {errors.mealSlotSpecificationId} \n \n \n {t(\"planner.quick_add_modal.input_form_title\")} \n \n {errors.calories} \n \n\n \n \n {errors.protein} \n \n\n \n \n {errors.fat} \n \n\n \n \n {errors.carbohydrates} \n \n\n handleSubmit()}\n testID=\"quickMealSubmit\"\n >\n {t(\"general.add\")}\n \n >\n )}\n \n \n );\n};\n\nexport default QuickAddModal;\n","import { StyleSheet } from \"react-native\";\n\nimport { Scale } from \"../constants\";\n\nexport default StyleSheet.create({\n calendar: { flex: 1 },\n dropDown: { position: \"absolute\", top: Scale(55), right: Scale(108) },\n dropDownImg: { width: Scale(10), height: Scale(5) },\n grid: { position: \"absolute\", top: Scale(45), right: Scale(24) },\n gridImg: { width: Scale(24), height: Scale(24) },\n dateNumberStyle: {\n marginTop: Scale(3),\n fontSize: 12,\n },\n dayContainerStyle: {\n borderRadius: Scale(8),\n width: Scale(30),\n height: Scale(44),\n marginBottom: Scale(20),\n backgroundColor: \"white\",\n },\n highlightDateContainerStyle: {\n borderRadius: 8,\n },\n highlightDateNumberStyle: {\n marginTop: Scale(3),\n fontSize: 13,\n color: \"white\",\n },\n dateNameStyle: {\n // color: Colors.greyTextColor,\n fontSize: 12,\n },\n});\n","import type moment from \"moment\";\nimport { useTheme, View } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { StyleSheet } from \"react-native\";\nimport CalendarStrip from \"react-native-calendar-strip\";\nimport { useDispatch, useSelector } from \"react-redux\";\n\nimport { Scale } from \"../constants\";\nimport { currentDayInPlannerSelector, plannerSlice } from \"../slices/plannerSlice\";\nimport baseStyles from \"./SlidingCalendarStyle\";\n\nconst CalenderView = ({\n // TODO: This should be picked up from the state\n leaveRoomForCustomBrandingHeader = false,\n currentDayInPlanner,\n}: {\n leaveRoomForCustomBrandingHeader?: boolean;\n currentDayInPlanner: moment.Moment;\n}): JSX.Element => {\n const { i18n } = useTranslation();\n const dispatch = useDispatch();\n\n const theme = useTheme();\n\n const styles = StyleSheet.create({\n ...baseStyles,\n calendarStripStyle: { padding: Scale(1), height: Scale(115), marginTop: leaveRoomForCustomBrandingHeader ? 15 : 0 },\n calendarHeaderStyle: { color: theme.colors.gray[\"400\"] },\n dateNumberStyle: { ...baseStyles.dateNumberStyle, color: theme.colors.gray[\"400\"] },\n dateNameStyle: { ...baseStyles.dateNameStyle, color: theme.colors.gray[\"400\"] },\n highlightDateNameStyle: { color: \"white\" },\n highlightDateContainerStyle: {\n ...baseStyles.highlightDateContainerStyle,\n backgroundColor: theme.colors.primary[\"600\"],\n },\n iconStyle: { tintColor: theme.colors.gray[\"400\"] },\n });\n\n const onDateSelected = (date: moment.Moment): void => {\n if (date) {\n dispatch(plannerSlice.actions.setCurrentDayInPlanner(date.format()));\n }\n };\n\n return (\n <>\n \n\n {/* NOTE: This is functionality that has been removed from the initial release */}\n {/* \n {\n navigation.navigate(Routes.ThreeDaysScreen as keyof RootStackParamList);\n }}\n source={Images.GridIcon}\n size={24}\n />\n */}\n >\n );\n};\nexport default CalenderView;\n","import { MaterialIcons } from \"@expo/vector-icons\";\nimport { Formik } from \"formik\";\nimport _ from \"lodash\";\nimport { Button, useTheme } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { Calendar, DateData } from \"react-native-calendars\";\nimport type { MarkingProps } from \"react-native-calendars/src/calendar/day/marking\";\nimport * as Yup from \"yup\";\n\nimport type { MarkedDatesType } from \"../components/GroceryListDatePicker\";\nimport { Scale } from \"../constants\";\nimport { FontFamily } from \"../constants/fonts\";\nimport backendApi from \"../services/backendApi\";\nimport type { CalendarDay, User } from \"../services/backendTypes\";\n\nconst { usePlannerCopyMealsFromDateCreateMutation } = backendApi;\n\ntype Props = {\n user: User | null;\n onClose: () => void;\n currentCalendarDay: CalendarDay | undefined;\n};\n\n// eslint-disable-next-line import/prefer-default-export\nexport const CopyDayModal = ({ user, onClose, currentCalendarDay }: Props): JSX.Element => {\n const { t } = useTranslation();\n const theme = useTheme();\n\n const [copyFromDate, { isLoading: isLoadingCopyFromDate }] = usePlannerCopyMealsFromDateCreateMutation();\n\n interface CopyDayToValues {\n toCalendarDays: string[];\n }\n\n const onSubmitWrapper = async ({ toCalendarDays }: CopyDayToValues): Promise => {\n if (!user) {\n throw new Error(\"User is not set\");\n }\n if (!currentCalendarDay) {\n throw new Error(\"Current calendar day is not set\");\n }\n if (!currentCalendarDay.id) {\n throw new Error(\"Current calendar day id is not set\");\n }\n\n // Store the id in a variable that will be captured in the closure\n const fromCalendarDayId = currentCalendarDay.id;\n\n const copyDayPromises = _.map(toCalendarDays, (toCalendarDay: string) =>\n copyFromDate({\n copyFromDateRequest: {\n user: user.id,\n from_calendar_day_id: fromCalendarDayId,\n to_date: toCalendarDay,\n },\n })\n );\n\n await Promise.all(copyDayPromises);\n onClose();\n };\n\n const copyDayToSchema = Yup.object().shape({\n toCalendarDays: Yup.array(Yup.string()).required(t(\"general.required\")),\n });\n\n const markedDateBaseProperties: MarkingProps = {\n color: theme.colors.primary[\"600\"],\n textColor: \"white\",\n };\n\n const defaultSelectedDates: string[] = [];\n\n const getMarkedDates = (dates: string[]): MarkedDatesType => {\n const markedDates: MarkedDatesType = {};\n dates.forEach((dateString) => {\n markedDates[dateString] = markedDateBaseProperties;\n });\n return markedDates;\n };\n\n return (\n <>\n \n {({ isSubmitting, handleSubmit, values, isValid, setFieldValue }) => (\n <>\n {\n const toCalendarDays = new Set(values.toCalendarDays);\n if (toCalendarDays.has(toCalendarDay.dateString)) {\n toCalendarDays.delete(toCalendarDay.dateString);\n } else {\n toCalendarDays.add(toCalendarDay.dateString);\n }\n\n setFieldValue(\"toCalendarDays\", [...toCalendarDays]);\n }}\n renderArrow={(direction) => (\n \n )}\n theme={{\n textDayFontFamily: FontFamily.medium,\n textMonthFontFamily: FontFamily.bold,\n textDayHeaderFontFamily: FontFamily.medium,\n textDayFontSize: Scale(14),\n textMonthFontSize: Scale(16),\n textDayHeaderFontSize: Scale(16),\n arrowColor: theme.colors.primary[\"600\"],\n }}\n />\n handleSubmit()}\n testID=\"copyDaySubmitButton\"\n >\n {t(\"planner.copy_meals_to_modal.copy_to\")}\n \n >\n )}\n \n >\n );\n};\n","import type { Moment } from \"moment\";\n\n// eslint-disable-next-line import/prefer-default-export\nexport const formatMomentAsDateForApi = (moment: Moment): string => moment.format(\"YYYY-MM-DD\");\n","import { MaterialIcons } from \"@expo/vector-icons\";\nimport { Formik } from \"formik\";\nimport _ from \"lodash\";\nimport moment, { Moment } from \"moment\";\nimport { Button, useTheme } from \"native-base\";\nimport React from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { Calendar, DateData } from \"react-native-calendars\";\nimport type { MarkingProps } from \"react-native-calendars/src/calendar/day/marking\";\nimport * as Yup from \"yup\";\n\nimport type { MarkedDatesType } from \"../components/GroceryListDatePicker\";\nimport { Scale } from \"../constants\";\nimport { FontFamily } from \"../constants/fonts\";\nimport { formatMomentAsDateForApi } from \"../helpers/apiHelpers\";\nimport backendApi from \"../services/backendApi\";\nimport type { CalendarDay, MealMomentEnum, User } from \"../services/backendTypes\";\n\nconst { usePlannerCopyMealsToMealMomentCreateMutation } = backendApi;\n\ntype Props = {\n user: User | null;\n onClose: () => void;\n currentCalendarDay: CalendarDay | undefined;\n mealMoment: MealMomentEnum;\n};\n\n// eslint-disable-next-line import/prefer-default-export\nexport const CopyMealsModal = ({ user, onClose, currentCalendarDay, mealMoment }: Props): JSX.Element => {\n const { t } = useTranslation();\n const theme = useTheme();\n\n const [copyMealMomentToDate, { isLoading: isCopyingMealMomentToDate }] =\n usePlannerCopyMealsToMealMomentCreateMutation();\n\n interface CopyMealMomentToValues {\n toCalendarDays: string[];\n }\n\n const onSubmitWrapper = async ({ toCalendarDays }: CopyMealMomentToValues): Promise => {\n if (!user) {\n throw new Error(\"User is not set\");\n }\n if (!currentCalendarDay) {\n throw new Error(\"Current calendar day is not set\");\n }\n if (!currentCalendarDay.id) {\n throw new Error(\"Current calendar day id is not set\");\n }\n if (currentCalendarDay.id === undefined) {\n throw new Error(\"Current calendar day id is undefined\");\n }\n\n // ts-ignore\n const copyMealMomentToPromises = _.map(toCalendarDays, (toCalendarDay: string) =>\n copyMealMomentToDate({\n copyMealsToMealMomentRequest: {\n user: user.id,\n // NOTE: the conditional checks above should prevent currentCalendarDay.id from being undefined\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n from_calendar_day_id: currentCalendarDay.id,\n to_calendar_day: toCalendarDay,\n meal_moment: mealMoment,\n },\n })\n );\n\n // NOTE: This array has different types and th typescript compiled complains.\n // However, this does not matter as they are all promises\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n await Promise.all(copyMealMomentToPromises);\n onClose();\n };\n\n const copyMealMomentToSchema = Yup.object().shape({\n toCalendarDays: Yup.array(Yup.string()).required(t(\"general.required\")),\n });\n\n const markedDateBaseProperties: MarkingProps = {\n color: theme.colors.primary[\"600\"],\n textColor: \"white\",\n };\n\n const defaultSelectedDates: string[] = [];\n\n const getMarkedDates = (dates: string[]): MarkedDatesType => {\n const markedDates: MarkedDatesType = {};\n dates.forEach((dateString) => {\n const dateToMark = moment(dateString);\n markedDates[formatMomentAsDateForApi(dateToMark)] = markedDateBaseProperties;\n });\n return markedDates;\n };\n\n return (\n <>\n \n {({ isSubmitting, handleChange, handleSubmit, values, isValid, setFieldValue }) => (\n <>\n {\n const toCalendarDays = new Set(values.toCalendarDays);\n if (toCalendarDays.has(toCalendarDay.dateString)) {\n toCalendarDays.delete(toCalendarDay.dateString);\n } else {\n toCalendarDays.add(toCalendarDay.dateString);\n }\n\n setFieldValue(\"toCalendarDays\", [...toCalendarDays]);\n }}\n renderArrow={(direction) => (\n /* eslint-disable-next-line @typescript-eslint/ban-ts-comment */\n /* @ts-ignore */\n \n )}\n theme={{\n textDayFontFamily: FontFamily.medium,\n textMonthFontFamily: FontFamily.bold,\n textDayHeaderFontFamily: FontFamily.medium,\n textDayFontSize: Scale(14),\n textMonthFontSize: Scale(16),\n textDayHeaderFontSize: Scale(16),\n arrowColor: theme.colors.primary[\"600\"],\n }}\n />\n handleSubmit()}\n testID=\"copyMealMomentFromSubmit\"\n >\n {t(\"planner.copy_meals_to_modal.copy_meals\")}\n \n >\n )}\n \n >\n );\n};\n","import { StyleSheet } from \"react-native\";\n\nimport { Scale, width } from \"../constants/helperFunction\";\n\nconst styles = StyleSheet.create({\n checkedSmallCircle: {\n height: Scale(6),\n width: Scale(6),\n // backgroundColor: \"primary.300\",\n borderRadius: Scale(5),\n // textDecorationLine: \"line-through\",\n marginHorizontal: Scale(10),\n },\n unCheckedSmallCircle: {\n height: Scale(6),\n width: Scale(6),\n // backgroundColor: Colors.textColor,\n borderRadius: Scale(5),\n\n marginHorizontal: Scale(10),\n },\n checkboxStyle: {\n height: Scale(26),\n resizeMode: \"contain\",\n width: Scale(26),\n },\n flexContainer: {\n flexDirection: \"row\",\n\n marginBottom: Scale(15),\n justifyContent: \"space-between\",\n alignItems: \"center\",\n },\n imageStyle: {\n height: Scale(70),\n width: Scale(70),\n resizeMode: \"contain\",\n marginRight: Scale(10),\n },\n singleProductMealWrapper: {\n flexDirection: \"row\",\n marginBottom: Scale(10),\n justifyContent: \"space-between\",\n },\n recipeImage: { width: 80, height: 80, borderRadius: 5, marginRight: 10 },\n recipeMealPlannerItem: {\n flex: 1,\n flexDirection: \"row\",\n justifyContent: \"space-between\",\n marginBottom: 10,\n alignItems: \"center\",\n },\n macroOverviewTargetContainer: { flexDirection: \"row\", marginTop: 8 },\n proteinForTheDayText: { fontSize: 14 },\n});\n\nexport default styles;\n","import { Ionicons, MaterialCommunityIcons, MaterialIcons, SimpleLineIcons } from \"@expo/vector-icons\";\nimport type { NativeStackScreenProps } from \"@react-navigation/native-stack\";\n// NOTE: Adding @sentry/react to the dependencies causes an error because of dependencies it installs.\n// Our other sentry dependencies (@sentry/react-native) already install @sentry/react so we can ignore this error.\n// eslint-disable-next-line import/no-extraneous-dependencies\nimport * as Sentry from \"@sentry/react\";\nimport { Formik } from \"formik\";\nimport type { TFunction } from \"i18next\";\nimport _ from \"lodash\";\n// eslint-disable-next-line import/no-named-default\nimport { default as MomentLib } from \"moment\";\nimport { extendMoment } from \"moment-range\";\nimport {\n Actionsheet,\n Badge,\n Button,\n Center,\n Flex,\n Icon,\n IconButton,\n Modal,\n Spinner,\n TextArea,\n useDisclose,\n useTheme,\n} from \"native-base\";\nimport React, { useEffect, useState } from \"react\";\nimport { useTranslation } from \"react-i18next\";\nimport { SafeAreaView, ScrollView, Text, View, ViewStyle } from \"react-native\";\nimport { useDispatch, useSelector } from \"react-redux\";\nimport * as Yup from \"yup\";\n\nimport CommonHeaderDivider from \"../commons/CommonHeaderDivider\";\nimport CustomBrandingMobileScreenHeader from \"../components/CustomBrandingMobileScreenHeader\";\nimport FloatingButton from \"../components/FloatingButton\";\nimport MacroTargetInfo from \"../components/MacroTargetInfo\";\nimport MealSlotInPlanner from \"../components/MealSlotInPlanner\";\nimport QuickAddModal from \"../components/QuickAddModal\";\nimport CalendarStripComponent from \"../components/SlidingCalendar\";\nimport { commonStyles, isDesktopScreen, Routes, Scale } from \"../constants\";\nimport { HORMONE_HEX_COLOR } from \"../constants/theme\";\nimport {\n addMealToPlanner,\n addSingleFoodMealToPlanner,\n createCalendarDays,\n findLastDateThereAreMealsPlannedWithThisNutritionDayPlan,\n generateMealsPrefetchOptions,\n getActualValueForMacro,\n getDayOfWeekAsString,\n getPlannerData,\n getTargetValueForMacro,\n} from \"../helpers/diaryHelpers\";\nimport { FeatureFlag as FeatureFlagProper, isFeatureFlagActive } from \"../helpers/featureFlags\";\nimport {\n formatMealType,\n formatMomentAsBackendFormatDateString,\n formatUserForDisplay,\n getLocalizedDay,\n getNumberOfDaysUntilNextMonday,\n isDateInCurrentWeek,\n} from \"../helpers/generalHelpers\";\nimport {\n areWeAnOpinionatedRecipeInspirationApp,\n doesOrganisationHaveManagedPlanning,\n doesTheUserHaveMenstrualPlanSet,\n FeatureFlag,\n getCurrentMenstrualCyclePhaseFromUser,\n getOrganisation,\n isFeatureFlagEnabled,\n isUserDiy,\n isUserInPaymentRequiredOrganisation,\n MenstrualCyclePhase,\n shouldB2CCustomerHavePaidAccess,\n shouldHaveAccessToGenerateMeals,\n} from \"../helpers/userHelpers\";\nimport { useExternalLink } from \"../hooks/useExternalLink\";\nimport type { RootStackParamList } from \"../navigation/NavigationStackParams\";\nimport backendApi from \"../services/backendApi\";\nimport type {\n CalendarDay,\n CalendarItem,\n Food,\n FoodGenerateMealsListApiArg,\n MealMomentEnum,\n MealSlotSpecification,\n Organisation,\n SuggestedServing,\n User,\n} from \"../services/backendTypes\";\nimport logger from \"../services/logger\";\nimport { calendarDaysSelector, currentDayInPlannerSelector, plannerSlice } from \"../slices/plannerSlice\";\nimport {\n localeSelector,\n userSlice,\n viewAsUserSelector,\n viewAsUserWeeklyNutritionPlanSelector,\n weeklyNutritionPlanSelector,\n} from \"../slices/userSlice\";\nimport { CopyDayModal } from \"./CopyDayModal\";\nimport { CopyMealsModal } from \"./CopyMealsModal\";\nimport styles from \"./DiaryViewScreenStyles\";\n\nconst {\n useFoodQuickAddMealCreateMutation,\n usePlannerCalendarItemCreateMutation,\n // NOTE: There is a scoping problem with usePrefetch, I don't know why\n // eslint-disable-next-line @typescript-eslint/unbound-method\n usePrefetch,\n usePlannerCalendarDayPartialUpdateMutation,\n usePlannerPlanSingleFoodMealCreateMutation,\n usePlannerAutoPlanDayCreateMutation,\n usePlannerCopyMealsFromDateCreateMutation,\n} = backendApi;\n\n// NOTE: The library has a typescript error in it which we cannot fix\n// eslint-disable-next-line @typescript-eslint/ban-ts-comment\n// @ts-ignore\nexport const moment = extendMoment(MomentLib);\n\nconst noteSchema = Yup.object().shape({\n // NOTE: A workaround for this issue: https://github.com/jquense/yup/issues/1367\n note: Yup.string().trim().required().nullable(false) as Yup.StringSchema,\n});\ntype NoteFormSchema = Yup.InferType;\n\nconst areTwoCalendarItemsEqual = (a: CalendarItem, b: CalendarItem): boolean => {\n if (\"ingredient\" in a.meal && \"ingredient\" in b.meal) {\n // SingleFoodMeal\n if (a.meal.ingredient.modified !== b.meal.ingredient.modified) {\n return false;\n }\n }\n\n return Boolean(a.id === b.id && a.modified && b.modified && a.modified === b.modified);\n};\n\nconst areTwoCalendarItemsArraysEqual = (a: CalendarItem[], b: CalendarItem[]): boolean =>\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n a.every((ci, i) => b && b[i] && areTwoCalendarItemsEqual(ci, b[i]));\n\nconst MemoizedMealSlotInPlanner = React.memo(MealSlotInPlanner, (prevProps, nextProps) =>\n Boolean(\n prevProps.mealSlotSpecification.id === nextProps.mealSlotSpecification.id &&\n prevProps.calendarItems?.length === nextProps.calendarItems?.length &&\n prevProps.currentCalendarDay === nextProps.currentCalendarDay &&\n prevProps.calendarItems &&\n nextProps.calendarItems &&\n areTwoCalendarItemsArraysEqual(prevProps.calendarItems, nextProps.calendarItems)\n )\n);\n\nconst NutritionOverviewForTheDay = ({\n actualKcalsForTheDay,\n targetKcalsForTheDay,\n actualProteinForTheDay,\n targetProteinForTheDay,\n actualFatForTheDay,\n targetFatForTheDay,\n actualCarbsForTheDay,\n targetCarbsForTheDay,\n t,\n shouldShowTargetMacros,\n}: {\n actualKcalsForTheDay: number;\n targetKcalsForTheDay: number;\n actualProteinForTheDay: number;\n targetProteinForTheDay: number;\n actualFatForTheDay: number;\n targetFatForTheDay: number;\n actualCarbsForTheDay: number;\n targetCarbsForTheDay: number;\n t: TFunction;\n shouldShowTargetMacros: boolean;\n}): JSX.Element => (\n \n \n \n \n \n\n \n \n \n \n \n);\n\nconst MemoizedNutritionOverviewForTheDay = React.memo(NutritionOverviewForTheDay);\n\ntype Props = NativeStackScreenProps;\n\nconst MenstrualCyclePhaseIndicator = ({\n user,\n date,\n}: {\n user: User | null;\n date: moment.Moment;\n}): JSX.Element | null => {\n const { openLink } = useExternalLink();\n const { t } = useTranslation();\n\n if (!user) return null;\n\n // Convert moment date to JavaScript Date object\n const jsDate = date.toDate();\n\n // Pass the date to getCurrentMenstrualCyclePhaseFromUser\n const phase = getCurrentMenstrualCyclePhaseFromUser(user, jsDate);\n if (!phase) return null;\n\n const getPhaseInfoUrl = (cyclePhase: MenstrualCyclePhase): string =>\n \"https://killerbodyfood.com/blogs/voedingstips/tagged/menstruatiecyclus\";\n\n const phaseColor = HORMONE_HEX_COLOR;\n const phaseInfoUrl = getPhaseInfoUrl(phase);\n\n return (\n \n {/* Empty view for left side spacing */}\n \n\n {/* Phase indicator with background - centered */}\n \n \n \n {t(`general.menstrual_cycle_phases.${phase}`)}\n \n \n\n {/* Information button with outline style - right aligned */}\n {\n openLink(phaseInfoUrl).catch((err) => {\n console.error(\"Failed to open cycle phase info URL:\", err);\n Sentry.captureException(err);\n });\n }}\n testID=\"cycle-phase-info-button\"\n />\n \n );\n};\n\n// Create a reusable button style object with fixed height and width\nconst mealActionButtonStyle: ViewStyle = {\n borderRadius: 10,\n paddingVertical: 10,\n paddingHorizontal: 20,\n alignSelf: \"center\",\n marginTop: 20,\n flexDirection: \"row\",\n alignItems: \"center\",\n justifyContent: \"center\",\n height: 48,\n width: \"95%\",\n};\n\nconst DiaryViewScreen = ({ navigation, route }: Props): JSX.Element => {\n const { t } = useTranslation();\n\n const getOrganisationForBrandingPreview = route?.params?.getOrganisationForBrandingPreview;\n\n const theme = useTheme();\n\n const dispatch = useDispatch();\n const isDesktop = isDesktopScreen();\n\n const [createCalendarItem] = usePlannerCalendarItemCreateMutation();\n const [createQuickAddMealBackendCall] = useFoodQuickAddMealCreateMutation();\n const [partialUpdateCalendarDayBackendCall, { isLoading: isLoadingPartialUpdateCalendarDay }] =\n usePlannerCalendarDayPartialUpdateMutation();\n const [planSingleFoodMealBackendCall] = usePlannerPlanSingleFoodMealCreateMutation();\n const [autoPlanDay, { isLoading: isLoadingAutoPlanDay }] = usePlannerAutoPlanDayCreateMutation();\n const [copyFromDate, { isLoading: isLoadingCopyFromDate }] = usePlannerCopyMealsFromDateCreateMutation();\n\n const [mealSlotForActionSheetItems, setMealSlotForActionSheetItems] = useState(\"BREAKFAST\");\n\n const { isOpen: isOpenQuickAdd, onOpen: onOpenQuickAdd, onClose: onCloseQuickAdd } = useDisclose();\n const { isOpen: isOpenNoteDialog, onOpen: onOpenNoteDialog, onClose: onCloseNoteDialog } = useDisclose();\n const { isOpen: isOpenCopyMealsTo, onOpen: onOpenCopyMealsTo, onClose: onCloseCopyMealsTo } = useDisclose();\n const { isOpen: isOpenCopyDay, onOpen: onOpenCopyDay, onClose: onCloseCopyDay } = useDisclose();\n const {\n isOpen: isOpenMealSlotAddMore,\n onOpen: onOpenMealSlotAddMore,\n onClose: onCloseMealSlotAddMore,\n } = useDisclose();\n const { isOpen: isOpenMealSlotMenu, onOpen: onOpenMealSlotMenu, onClose: onCloseMealSlotMenu } = useDisclose();\n\n const viewAsUser = useSelector(viewAsUserSelector);\n const weeklyNutritionPlan = useSelector(\n viewAsUser ? viewAsUserWeeklyNutritionPlanSelector : weeklyNutritionPlanSelector\n );\n\n const currentDayInPlanner = useSelector(currentDayInPlannerSelector);\n\n const calendarDaysInStore = useSelector(calendarDaysSelector);\n\n const userLocaleFromStore = useSelector(localeSelector);\n\n // TODO: Refactor the below to make it more readable\n const {\n refetchCalendarDays,\n calendarDayListResponse,\n plannerArgs,\n createNewCalendarDay,\n user,\n isLoadingCreateNewCalendarDay,\n isLoadingCalendarDayList,\n isFetchingCalendarDayList,\n } = getPlannerData();\n\n // Put the returned data for the CalendarDays in the store\n _.forEach(calendarDayListResponse?.results, (calendarDay) => {\n dispatch(plannerSlice.actions.storeCalendarDay(calendarDay));\n });\n\n // TODO: Prefetch USER_GENERATED meals search\n const foodGenerateMealsListPrefetch = usePrefetch(\"foodGenerateMealsList\");\n\n useEffect(() => {\n // NOTE: Do not to call this on every time appLastOpenedDateString is updated - this will trigger an infinite loop\n dispatch(userSlice.actions.storeAppLastOpened(moment().toISOString()));\n }, [dispatch]);\n\n const currentCalendarDay = calendarDaysInStore[formatMomentAsBackendFormatDateString(currentDayInPlanner)];\n\n const day = getDayOfWeekAsString(currentDayInPlanner);\n if (weeklyNutritionPlan && !(day in weeklyNutritionPlan)) {\n throw new Error(`\"${day}\" not found in weekly nutrition plan`);\n }\n const nutritionPlanForCurrentDay = _.get(weeklyNutritionPlan, day);\n\n // NOTE: We need to find all MealSlotSpecification (MSS) objects with the same meal_moment as\n // there can be multiple (same) MSS due to when the NutritionDayPlan (NDP)\n // is updated it will result in entirely new MSS objects. Doing it this way prevents CalendarItems from being lost\n const getCalendarItemsForSlot = (\n mealSlotSpecification: MealSlotSpecification,\n calendarDay: CalendarDay\n ): CalendarItem[] => _.filter(calendarDay.calendar_items, { meal_moment: mealSlotSpecification.meal_moment });\n\n let nutritionOverviewForTheDay = null;\n\n let orderedMealSlotsForTheDay: MealSlotSpecification[] = [];\n if (currentCalendarDay && nutritionPlanForCurrentDay) {\n if (!user) {\n logger.warn(\"No user found\");\n } else {\n const createGenerateMealsArgs = (mss: MealSlotSpecification): FoodGenerateMealsListApiArg => ({\n mealSlotSpecification: mss.id,\n ingredientSearch: \"\",\n favourite: false,\n sourceProvider: [\"WEEKMEALS\"],\n tags: [],\n page: 1,\n user: user.id,\n mealTypes: [mss.meal_type],\n kcal: mss.kcal || 0, // NOTE: this included only for cache busting\n protein: mss.protein || 0, // NOTE: this is included only for cache busting\n });\n\n const createGenerateMealsPrefetchPromise = (mss: MealSlotSpecification): Promise =>\n Promise.resolve(foodGenerateMealsListPrefetch(createGenerateMealsArgs(mss), generateMealsPrefetchOptions));\n\n const prefetchPromises = nutritionPlanForCurrentDay.meal_slot_specifications.map(\n createGenerateMealsPrefetchPromise\n );\n\n Promise.all(prefetchPromises).catch((e) => {\n logger.warn(\"Error prefetching foodGenerateMealsList\", e);\n });\n }\n\n // TODO: Put this in a helper\n const MEAL_MOMENT_TO_ORDERING: { [MME in MealMomentEnum]: number } = {\n BREAKFAST: 0,\n MORNING_SNACK: 1,\n LUNCH: 2,\n AFTERNOON_SNACK: 3,\n DINNER: 4,\n SNACK: 5,\n LATE_SNACK: 6,\n };\n\n const orderMealSlotByMealMoment = (mealSlotSpecification: MealSlotSpecification): number =>\n mealSlotSpecification.meal_moment ? MEAL_MOMENT_TO_ORDERING[mealSlotSpecification.meal_moment] : 100;\n\n orderedMealSlotsForTheDay = _.orderBy(\n nutritionPlanForCurrentDay.meal_slot_specifications,\n orderMealSlotByMealMoment\n );\n\n const getCalendarItemsForSlotCurried = (mealSlotSpecification: MealSlotSpecification): CalendarItem[] =>\n getCalendarItemsForSlot(mealSlotSpecification, currentCalendarDay);\n\n const calendarItemsForToday = _.map(\n nutritionPlanForCurrentDay.meal_slot_specifications,\n getCalendarItemsForSlotCurried\n ).flat();\n\n const actualKcalsForTheDay = getActualValueForMacro(calendarItemsForToday, \"kcal\");\n const actualProteinForTheDay = getActualValueForMacro(calendarItemsForToday, \"protein\");\n\n const targetKcalsForTheDay = getTargetValueForMacro(nutritionPlanForCurrentDay, \"kcal\");\n const targetProteinForTheDay = getTargetValueForMacro(nutritionPlanForCurrentDay, \"protein\");\n\n const actualFatForTheDay = getActualValueForMacro(calendarItemsForToday, \"fat\");\n const targetFatForTheDay = getTargetValueForMacro(nutritionPlanForCurrentDay, \"fat\");\n\n const actualCarbsForTheDay = getActualValueForMacro(calendarItemsForToday, \"carbohydrates\");\n const targetCarbsForTheDay = getTargetValueForMacro(nutritionPlanForCurrentDay, \"carbohydrates\");\n\n let shouldShowTargetMacros = true;\n if (user) {\n const organisation = getOrganisation(user || viewAsUser);\n if (organisation) {\n shouldShowTargetMacros = !areWeAnOpinionatedRecipeInspirationApp(organisation);\n }\n }\n\n nutritionOverviewForTheDay = (\n \n );\n }\n\n /** The if statement if(user || viewAsUser) does not prevent a type error\n * when calling getOrganisation. Only by assigning the variable does the type checker realise\n * that the result of If(user || viewAsUser) cannot be null. * */\n let organisation: Organisation | undefined;\n const orgUser = user || viewAsUser;\n if (orgUser) {\n organisation = getOrganisation(orgUser);\n }\n\n const findMealSlotSpecification = (mealMoment: MealMomentEnum): MealSlotSpecification | undefined =>\n nutritionPlanForCurrentDay\n ? _.find(nutritionPlanForCurrentDay.meal_slot_specifications, {\n meal_moment: mealMoment,\n })\n : undefined;\n\n const onPressPlanNewMeal = (mealMoment: MealMomentEnum): void => {\n const mealSlotSpecification = findMealSlotSpecification(mealMoment);\n if (!mealSlotSpecification) {\n throw new Error(\"Could not find meal slot specification\");\n }\n\n navigation.push(Routes.AddRecipeTemplateStack, {\n // NOTE: We are probably defining the types wrong\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n screen: Routes.RecipeSearchScreen,\n params: { mealSlotSpecification, currentCalendarDay },\n });\n };\n\n const createMealSlotInPlanner = (mealSlot: MealSlotSpecification): JSX.Element | null => {\n // NOTE: The same number of hooks must be created every time so the return statement must go after\n if (!currentCalendarDay) {\n return null;\n }\n\n const calendarItemsForMealSlot = getCalendarItemsForSlot(mealSlot, currentCalendarDay);\n let shouldShowTargetMacros = true;\n if (user) {\n if (organisation) {\n shouldShowTargetMacros = !areWeAnOpinionatedRecipeInspirationApp(organisation);\n }\n }\n\n return (\n logger.debug(\"onPress MealCategoryCard with item:\", item)}\n refetchCalendarDays={refetchCalendarDays}\n onPressAddMoreComponent={() => {\n if (!mealSlot.meal_moment) throw new Error(\"meal_moment is not defined\");\n\n setMealSlotForActionSheetItems(mealSlot.meal_moment);\n onOpenMealSlotAddMore();\n }}\n onPressPlanNewMeal={() => {\n if (!mealSlot.meal_moment) throw new Error(\"meal_moment is not defined\");\n onPressPlanNewMeal(mealSlot.meal_moment);\n }}\n onPressMenu={() => {\n if (!mealSlot.meal_moment) throw new Error(\"Meal slot has no meal moment\");\n\n setMealSlotForActionSheetItems(mealSlot.meal_moment);\n onOpenMealSlotMenu();\n }}\n showTarget={shouldShowTargetMacros}\n />\n );\n };\n\n const diaryComponent = _.map(orderedMealSlotsForTheDay, createMealSlotInPlanner);\n\n const noWeeklyNutritionPlanMessage = (\n // TODO: center not working\n \n \n {t(\"planner.no_weekly_nutrition_plan_message\")} \n \n \n );\n\n // FIXME: This should not be hardcoded but chosen based on logic for what time of day it is\n const getMealSlotForQuickButtons = (): MealSlotSpecification | undefined =>\n nutritionPlanForCurrentDay ? nutritionPlanForCurrentDay.meal_slot_specifications[0] : undefined;\n\n const addSingleFoodMealToPlannerWrapper = (\n food: Food,\n suggestedServing: SuggestedServing,\n quantity: number,\n mealSlot: MealSlotSpecification | undefined = getMealSlotForQuickButtons()\n ): Promise => {\n if (!currentCalendarDay) {\n return Promise.reject(new Error(\"No current calendar day\"));\n }\n if (!mealSlot) {\n return Promise.reject(new Error(\"No meal slot\"));\n }\n\n return addSingleFoodMealToPlanner({\n food,\n suggestedServing,\n quantity,\n currentCalendarDay,\n mealSlot,\n refetchCalendarDays,\n dispatch,\n planSingleFoodMealBackendCall,\n });\n };\n\n const floatingButton = !isFeatureFlagEnabled(organisation || null, FeatureFlag.DisableProductLogging) ? (\n \n ) : null;\n const resetViewAsUser = (): void => {\n dispatch(plannerSlice.actions.resetCalendarDays());\n dispatch(userSlice.actions.setViewAsUser(null));\n navigation.goBack();\n };\n\n const viewAsUserBackButtonIcon = {\n as: MaterialIcons,\n name: \"arrow-back\",\n color: \"white\",\n };\n\n const viewAsUserHeaderComponent = viewAsUser ? (\n \n \n \n\n {/* TODO: Ideally this banner would appear above all screens\n while performing a view as user, but the diary screen is fine for now */}\n \n \n