All files / src/components DateSelectField.tsx

79.16% Statements 57/72
42.85% Branches 18/42
83.33% Functions 15/18
79.71% Lines 55/69

Press n or j to go to the next uncovered block, b, p or k for the previous block.

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265                                                                    3x                       8x   8x                   8x 8x 8x 8x   8x 24x 24x 24x 24x     8x 6x 6x 6x 6x 756x 756x       8x 8x 96x 96x       8x 6x 6x 6x     6x 186x 186x       8x                                                                 8x   8x 6x 6x           8x 6x 6x 6x         8x 6x 4x   2x 2x                   8x                                                                                                                                   3x     3x 1038x     3x                 2x 2x 2x 2x   2x 2x                      
import { useCallback, useEffect, useMemo, useRef, useState } from 'react'
 
import { getDaysInMonth, isExists } from 'date-fns'
import { useTranslation } from 'next-i18next'
 
import DateSelect, {
  DateSelectOnChangeEvent,
  DateSelectOption,
} from './DateSelect'
import FieldSetLegend from './FieldSetLegend'
import InputErrorMessage from './InputErrorMessage'
 
export type DateSelectFieldOnChangeEvent = (dateString: string) => void
 
export interface DateSelectFieldProps {
  errorMessage?: string
  firstYear?: number
  helpMessage?: string
  id: string
  label: string
  lastYear?: number
  onChange: DateSelectFieldOnChangeEvent
  required?: boolean
  textRequired?: string
  value: string
}
 
interface DateSelectState {
  dateString: string
  dayValue: string
  monthValue: string
  yearValue: string
}
 
const DateSelectField = ({
  errorMessage,
  firstYear,
  helpMessage,
  id,
  label,
  lastYear,
  onChange,
  required,
  textRequired,
  value,
}: DateSelectFieldProps) => {
  const { t } = useTranslation()
 
  const [state, setState] = useState<DateSelectState & { changeCount: number }>(
    {
      dateString: '',
      dayValue: '',
      monthValue: '',
      yearValue: '',
      changeCount: 0, // HACK: Use this state as a dependency of the `useEffect` below so that `onChange` is called only when it should be.
    },
  )
 
  const dateSelectErrorMessageId = `date-select-${id}-error`
  const dateSelectHelpMessageId = `date-select-${id}-help`
  const dateSelectWrapperId = `date-select-${id}`
  const dateSelectLabelId = `date-select-${id}-label`
 
  const getAriaDescribedby = () => {
    const ariaDescribedby: string[] = []
    Iif (errorMessage) ariaDescribedby.push(dateSelectErrorMessageId)
    if (helpMessage) ariaDescribedby.push(dateSelectHelpMessageId)
    return ariaDescribedby.length > 0 ? ariaDescribedby.join(' ') : undefined
  }
 
  const yearOptions = useMemo(() => {
    const first = firstYear ?? 1900
    const last = Math.max(first, lastYear ?? new Date().getFullYear())
    const years = last - first + 1
    return [...Array(years).keys()].reverse().map<DateSelectOption>((i) => {
      const value = padZero(i + first, 4)
      return { label: value, value }
    })
  }, [firstYear, lastYear])
 
  const monthOptions = useMemo(() => {
    return [...Array(12).keys()].map<DateSelectOption>((i) => {
      const value = padZero(i + 1, 2)
      return { label: t(`date-months.` + value), value }
    })
  }, [t])
 
  const dayOptions = useMemo(() => {
    const year = parseInt(state.yearValue)
    const month = parseInt(state.monthValue)
    const days = isExists(year, month - 1, 1)
      ? getDaysInMonth(new Date(year, month - 1))
      : 31
    return [...Array(days).keys()].map<DateSelectOption>((i) => {
      const value = padZero(i + 1, 2)
      return { label: value, value }
    })
  }, [state.monthValue, state.yearValue])
 
  const handleOnDateSelectChange: DateSelectOnChangeEvent = useCallback(
    (event, type) => {
      const newValue = event.target.value
      setState((curState) => {
        const yearValue = type === 'year' ? newValue : curState.yearValue
        const yearNumber = parseInt(yearValue)
 
        const monthValue = type === 'month' ? newValue : curState.monthValue
        const monthNumber = parseInt(monthValue)
 
        // dayValue can be set if year or month is NaN OR if the year-month-day convert to an existing date
        const day = type === 'day' ? newValue : curState.dayValue
        const isDayExists =
          isNaN(yearNumber) || isNaN(monthNumber)
            ? true
            : isExists(yearNumber, monthNumber - 1, parseInt(day))
        const dayValue = isDayExists ? day : ''
 
        const dateString = toDateStringOrEmpty(yearValue, monthValue, dayValue)
        return {
          ...curState,
          yearValue,
          monthValue,
          dayValue,
          dateString,
          changeCount: curState.changeCount + 1, // `updateDate` changes `state.changeCount` so that `onChange` is triggered.
        }
      })
    },
    [],
  )
 
  // Sync from the state to the upper component through onChange when necessary.
  const mountedRef = useRef(false)
 
  useEffect(() => {
    Eif (!mountedRef.current) {
      return
    }
    onChange(state.dateString)
    // eslint-disable-next-line react-hooks/exhaustive-deps
  }, [state.changeCount])
 
  useEffect(() => {
    mountedRef.current = true
    return () => {
      mountedRef.current = false
    }
  }, [])
 
  // Sync from the passed value to the state when necessary.
  useEffect(() => {
    if (state.dateString === value) {
      return
    }
    const { year, month, day } = parseDateString(value)
    setState((curState) => ({
      yearValue: year,
      monthValue: month,
      dayValue: day,
      dateString: value,
      changeCount: curState.changeCount, // This method does not update `state.changeCount` so that `onChange` is not triggered.
    }))
    // eslint-disable-next-line react-hooks/exhaustive-deps
  }, [value])
 
  return (
    <div className="mb-4" id={dateSelectWrapperId} data-testid={id}>
      <fieldset>
        <FieldSetLegend
          id={dateSelectLabelId}
          required={required}
          label={label}
          textRequired={textRequired}
        />
        {errorMessage && (
          <InputErrorMessage
            id={dateSelectErrorMessageId}
            message={errorMessage}
          />
        )}
        {helpMessage && (
          <div
            className="mb-1.5 max-w-prose text-base text-gray-600"
            id={dateSelectHelpMessageId}
          >
            {helpMessage}
          </div>
        )}
        <div className="flex flex-col space-y-2 sm:flex-row sm:space-x-2 sm:space-y-0">
          <DateSelect
            ariaDescribedby={getAriaDescribedby()}
            dateSelectLabelId={dateSelectLabelId}
            error={!!errorMessage}
            id={`${id}-month`}
            label={t('common:date-select-field.month')}
            onChange={handleOnDateSelectChange}
            options={monthOptions}
            required={required}
            type="month"
            value={state.monthValue}
          />
          <DateSelect
            ariaDescribedby={getAriaDescribedby()}
            dateSelectLabelId={dateSelectLabelId}
            error={!!errorMessage}
            id={`${id}-day`}
            label={t('common:date-select-field.day')}
            onChange={handleOnDateSelectChange}
            options={dayOptions}
            required={required}
            type="day"
            value={state.dayValue}
          />
          <DateSelect
            ariaDescribedby={getAriaDescribedby()}
            dateSelectLabelId={dateSelectLabelId}
            error={!!errorMessage}
            id={`${id}-year`}
            label={t('common:date-select-field.year')}
            onChange={handleOnDateSelectChange}
            options={yearOptions}
            required={required}
            type="year"
            value={state.yearValue}
          />
        </div>
      </fieldset>
    </div>
  )
}
 
const toDateStringOrEmpty = (year: string, month: string, day: string) =>
  year && month && day ? `${year}-${month}-${day}` : ''
 
const padZero = (value: number, maxLength: number): string => {
  return value.toString().padStart(maxLength, '0')
}
 
const parseDateString = (
  dateString: string,
): {
  year: string
  month: string
  day: string
} => {
  //  ONE DAY OFF depending on YOUR timezone and current time.
  // ref.: https://stackoverflow.com/a/31732581
  const date = new Date(dateString.replace(/-/g, '/').replace(/T.+/, ''))
  const year = date.getFullYear()
  const month = date.getMonth() + 1
  const day = date.getDate()
 
  Eif (isNaN(year) || isNaN(month) || isNaN(day)) {
    return { year: '', month: '', day: '' }
  }
 
  return {
    year: padZero(year, 4),
    month: padZero(month, 2),
    day: padZero(day, 2),
  }
}
 
export default DateSelectField