Code styling

Added brackets for const lambdas
Converted const lambdas with multiple instructions to functions
This commit is contained in:
Dmitriy Shishkov 2023-07-15 12:55:25 +03:00
parent 99d2b92b03
commit 0218cdced5
Signed by: dm1sh
GPG Key ID: 027994B0AA357688
24 changed files with 106 additions and 69 deletions

View File

@ -17,7 +17,8 @@ type AnnouncementResponse = {
booked_by: number booked_by: number
} }
const isAnnouncementResponse = (obj: unknown): obj is AnnouncementResponse => isObject(obj, { const isAnnouncementResponse = (obj: unknown): obj is AnnouncementResponse => (
isObject(obj, {
'id': 'number', 'id': 'number',
'user_id': 'number', 'user_id': 'number',
'name': 'string', 'name': 'string',
@ -31,7 +32,8 @@ const isAnnouncementResponse = (obj: unknown): obj is AnnouncementResponse => is
'metro': 'string', 'metro': 'string',
'trashId': 'number?', 'trashId': 'number?',
'booked_by': 'number' 'booked_by': 'number'
}) })
)
type Announcement = { type Announcement = {
id: number, id: number,

View File

@ -5,8 +5,9 @@ import { AnnouncementsResponse } from './types'
const initialAnnouncements: Announcement[] = [] const initialAnnouncements: Announcement[] = []
const composeAnnouncementsURL = (filters: FiltersType) => const composeAnnouncementsURL = (filters: FiltersType) => (
API_URL + '/announcements?' + new URLSearchParams(URLEncodeFilters(filters)).toString() API_URL + '/announcements?' + new URLSearchParams(URLEncodeFilters(filters)).toString()
)
const processAnnouncements = (data: AnnouncementsResponse): Announcement[] => { const processAnnouncements = (data: AnnouncementsResponse): Announcement[] => {
const annList = data.list_of_announcements const annList = data.list_of_announcements

View File

@ -6,10 +6,12 @@ type AnnouncementsResponse = {
Success: boolean Success: boolean
} }
const isAnnouncementsResponse = (obj: unknown): obj is AnnouncementsResponse => isObject(obj, { const isAnnouncementsResponse = (obj: unknown): obj is AnnouncementsResponse => (
isObject(obj, {
'list_of_announcements': obj => isArrayOf<AnnouncementResponse>(obj, isAnnouncementResponse), 'list_of_announcements': obj => isArrayOf<AnnouncementResponse>(obj, isAnnouncementResponse),
'Success': 'boolean' 'Success': 'boolean'
}) })
)
export type { export type {
AnnouncementsResponse, AnnouncementsResponse,

View File

@ -3,10 +3,12 @@ import { OsmAddressResponse } from './types'
const initialOsmAddress = '' const initialOsmAddress = ''
const composeOsmAddressURL = (addressPosition: LatLng) => const composeOsmAddressURL = (addressPosition: LatLng) => (
`${location.protocol}//nominatim.openstreetmap.org/reverse?format=json&accept-language=ru&lat=${addressPosition.lat}&lon=${addressPosition.lng}` `${location.protocol}//nominatim.openstreetmap.org/reverse?format=json&accept-language=ru&lat=${addressPosition.lat}&lon=${addressPosition.lng}`
)
const processOsmAddress = (data: OsmAddressResponse): string => const processOsmAddress = (data: OsmAddressResponse): string => (
data.display_name data.display_name
)
export { initialOsmAddress, composeOsmAddressURL, processOsmAddress } export { initialOsmAddress, composeOsmAddressURL, processOsmAddress }

View File

@ -4,9 +4,11 @@ type OsmAddressResponse = {
display_name: string display_name: string
} }
const isOsmAddressResponse = (obj: unknown): obj is OsmAddressResponse => isObject(obj, { const isOsmAddressResponse = (obj: unknown): obj is OsmAddressResponse => (
isObject(obj, {
'display_name': 'string', 'display_name': 'string',
}) })
)
export type { export type {
OsmAddressResponse, OsmAddressResponse,

View File

@ -2,10 +2,11 @@ import { LatLng } from 'leaflet'
import { API_URL } from '../../config' import { API_URL } from '../../config'
const composeTrashboxURL = (position: LatLng) => const composeTrashboxURL = (position: LatLng) => (
API_URL + '/trashbox?' + new URLSearchParams({ API_URL + '/trashbox?' + new URLSearchParams({
lat: position.lat.toString(), lat: position.lat.toString(),
lng: position.lng.toString() lng: position.lng.toString()
}).toString() }).toString()
)
export { composeTrashboxURL } export { composeTrashboxURL }

View File

@ -7,16 +7,20 @@ type Trashbox = {
Categories: string[] Categories: string[]
} }
const isTrashbox = (obj: unknown): obj is Trashbox => isObject(obj, { const isTrashbox = (obj: unknown): obj is Trashbox => (
isObject(obj, {
'Lat': 'number', 'Lat': 'number',
'Lng': 'number', 'Lng': 'number',
'Address': 'string', 'Address': 'string',
'Categories': obj => isArrayOf<string>(obj, isString) 'Categories': obj => isArrayOf<string>(obj, isString)
}) })
)
type TrashboxResponse = Trashbox[] type TrashboxResponse = Trashbox[]
const isTrashboxResponse = (obj: unknown): obj is Trashbox[] => isArrayOf(obj, isTrashbox) const isTrashboxResponse = (obj: unknown): obj is Trashbox[] => (
isArrayOf(obj, isTrashbox)
)
export type { Trashbox, TrashboxResponse } export type { Trashbox, TrashboxResponse }
export { isTrashbox, isTrashboxResponse } export { isTrashbox, isTrashboxResponse }

View File

@ -4,7 +4,9 @@ const categories = ['PORRIDGE', 'conspects', 'milk', 'bred', 'wathing', 'cloth',
'fruits_vegatables', 'soup', 'dinner', 'conserves', 'pens', 'other_things'] as const 'fruits_vegatables', 'soup', 'dinner', 'conserves', 'pens', 'other_things'] as const
type Category = typeof categories[number] type Category = typeof categories[number]
const isCategory = (obj: unknown): obj is Category => isLiteralUnion(obj, categories) const isCategory = (obj: unknown): obj is Category => (
isLiteralUnion(obj, categories)
)
const categoryGraphics: Record<Category, string> = { const categoryGraphics: Record<Category, string> = {
'PORRIDGE': 'static/PORRIDGE.jpg', 'PORRIDGE': 'static/PORRIDGE.jpg',

View File

@ -101,9 +101,9 @@ const lineNames: Record<Lines, string> = {
violet: 'Фиолетовая', violet: 'Фиолетовая',
} }
const lineByName = (name: string) => const lineByName = (name: string) => (
lines.find(line => stations[line].has(name)) lines.find(line => stations[line].has(name))
)
export type { Lines } export type { Lines }
export { lines, stations, colors, lineNames, lineByName } export { lines, stations, colors, lineNames, lineByName }

View File

@ -8,8 +8,9 @@ type AuthFormProps = {
error: string error: string
} }
const AuthForm = ({ handleAuth, register, loading, error }: AuthFormProps) => { function AuthForm ({ handleAuth, register, loading, error }: AuthFormProps) {
const buttonText = loading ? 'Загрузка...' : (error || (register ? 'Зарегистрироваться' : 'Войти')) const buttonText = loading ? 'Загрузка...' : (error || (register ? 'Зарегистрироваться' : 'Войти'))
return ( return (
<Form onSubmit={handleAuth}> <Form onSubmit={handleAuth}>
<Form.Group className='mb-3' controlId='email'> <Form.Group className='mb-3' controlId='email'>

View File

@ -10,7 +10,7 @@ type LocationMarkerProps = {
setPosition: SetState<LatLng> setPosition: SetState<LatLng>
} }
const LocationMarker = ({ address, position, setPosition }: LocationMarkerProps) => { function LocationMarker({ address, position, setPosition }: LocationMarkerProps) {
const map = useMapEvents({ const map = useMapEvents({
dragend: () => { dragend: () => {

View File

@ -8,7 +8,7 @@ type TrashboxMarkersProps = {
selectTrashbox: ({ index, category }: { index: number, category: string }) => void selectTrashbox: ({ index, category }: { index: number, category: string }) => void
} }
const TrashboxMarkers = ({ trashboxes, selectTrashbox }: TrashboxMarkersProps) => { function TrashboxMarkers({ trashboxes, selectTrashbox }: TrashboxMarkersProps) {
return ( return (
<>{trashboxes.map((trashbox, index) => ( <>{trashboxes.map((trashbox, index) => (
<Marker icon={iconTrash} key={`${trashbox.Lat}${trashbox.Lng}`} position={[trashbox.Lat, trashbox.Lng]}> <Marker icon={iconTrash} key={`${trashbox.Lat}${trashbox.Lng}`} position={[trashbox.Lat, trashbox.Lng]}>

View File

@ -7,7 +7,9 @@ import { handleHTTPErrors } from '../../utils'
const addErrors = ['Не удалось опубликовать объявление', 'Неверный ответ от сервера', 'Неизвестная ошибка'] as const const addErrors = ['Не удалось опубликовать объявление', 'Неверный ответ от сервера', 'Неизвестная ошибка'] as const
type AddError = typeof addErrors[number] type AddError = typeof addErrors[number]
const isAddError = (obj: unknown): obj is AddError => isLiteralUnion(obj, addErrors) const isAddError = (obj: unknown): obj is AddError => (
isLiteralUnion(obj, addErrors)
)
const buttonStates = ['Опубликовать', 'Загрузка...', 'Опубликовано', 'Отменено'] as const const buttonStates = ['Опубликовать', 'Загрузка...', 'Опубликовано', 'Отменено'] as const
type ButtonState = typeof buttonStates[number] | AddError type ButtonState = typeof buttonStates[number] | AddError
@ -16,9 +18,9 @@ type AddResponse = {
Answer: boolean Answer: boolean
} }
const isAddResponse = (obj: unknown): obj is AddResponse => const isAddResponse = (obj: unknown): obj is AddResponse => (
typeof obj === 'object' && obj !== null && typeof Reflect.get(obj, 'Answer') === 'boolean' typeof obj === 'object' && obj !== null && typeof Reflect.get(obj, 'Answer') === 'boolean'
)
const useAddAnnouncement = () => { const useAddAnnouncement = () => {
const [status, setStatus] = useState<ButtonState>('Опубликовать') const [status, setStatus] = useState<ButtonState>('Опубликовать')

View File

@ -4,7 +4,7 @@ import { composeAnnouncementsURL, initialAnnouncements, processAnnouncements } f
import { isAnnouncementsResponse } from '../../api/announcements/types' import { isAnnouncementsResponse } from '../../api/announcements/types'
const useAnnouncements = (filters: FiltersType) => const useAnnouncements = (filters: FiltersType) => (
useFetch( useFetch(
composeAnnouncementsURL(filters), composeAnnouncementsURL(filters),
'GET', 'GET',
@ -13,6 +13,6 @@ const useAnnouncements = (filters: FiltersType) =>
processAnnouncements, processAnnouncements,
initialAnnouncements initialAnnouncements
) )
)
export default useAnnouncements export default useAnnouncements

View File

@ -38,16 +38,18 @@ interface LogInResponse {
token_type: 'bearer' token_type: 'bearer'
} }
const isLogInResponse = (obj: unknown): obj is LogInResponse => isObject(obj, { const isLogInResponse = (obj: unknown): obj is LogInResponse => (
isObject(obj, {
'access_token': 'string', 'access_token': 'string',
'token_type': isConst('bearer') 'token_type': isConst('bearer')
}) })
)
function useAuth() { function useAuth() {
const [loading, setLoading] = useState(false) const [loading, setLoading] = useState(false)
const [error, setError] = useState('') const [error, setError] = useState('')
const doAuth = async (data: AuthData, newAccount: boolean) => { async function doAuth(data: AuthData, newAccount: boolean) {
setLoading(true) setLoading(true)
if (newAccount) { if (newAccount) {

View File

@ -10,9 +10,11 @@ type BookResponse = {
Success: boolean Success: boolean
} }
const isBookResponse = (obj: unknown): obj is BookResponse => isObject(obj, { const isBookResponse = (obj: unknown): obj is BookResponse => (
isObject(obj, {
'Success': 'boolean' 'Success': 'boolean'
}) })
)
type BookStatus = '' | 'Загрузка...' | 'Забронировано' | 'Ошибка бронирования' type BookStatus = '' | 'Загрузка...' | 'Забронировано' | 'Ошибка бронирования'

View File

@ -20,11 +20,13 @@ type UseFetchErrored = {
data: undefined data: undefined
} & UseFetchShared } & UseFetchShared
const gotError = <T>(res: UseFetchErrored | UseFetchSucced<T>): res is UseFetchErrored => const gotError = <T>(res: UseFetchErrored | UseFetchSucced<T>): res is UseFetchErrored => (
typeof res.error === 'string' typeof res.error === 'string'
)
const fallbackError = <T>(res: UseFetchSucced<T> | UseFetchErrored) => const fallbackError = <T>(res: UseFetchSucced<T> | UseFetchErrored) => (
gotError(res) ? res.error : res.data gotError(res) ? res.error : res.data
)
type UseFetchReturn<T> = ({ type UseFetchReturn<T> = ({
error: null, error: null,

View File

@ -4,7 +4,7 @@ import useFetch from './useFetch'
import { composeOsmAddressURL, processOsmAddress } from '../../api/osmAddress' import { composeOsmAddressURL, processOsmAddress } from '../../api/osmAddress'
import { isOsmAddressResponse } from '../../api/osmAddress/types' import { isOsmAddressResponse } from '../../api/osmAddress/types'
const useOsmAddresses = (addressPosition: LatLng) => const useOsmAddresses = (addressPosition: LatLng) => (
useFetch( useFetch(
composeOsmAddressURL(addressPosition), composeOsmAddressURL(addressPosition),
'GET', 'GET',
@ -13,5 +13,6 @@ const useOsmAddresses = (addressPosition: LatLng) =>
processOsmAddress, processOsmAddress,
'' ''
) )
)
export default useOsmAddresses export default useOsmAddresses

View File

@ -4,7 +4,7 @@ import useFetch from './useFetch'
import { composeTrashboxURL } from '../../api/trashbox' import { composeTrashboxURL } from '../../api/trashbox'
import { isTrashboxResponse } from '../../api/trashbox/types' import { isTrashboxResponse } from '../../api/trashbox/types'
const useTrashboxes = (position: LatLng) => const useTrashboxes = (position: LatLng) => (
useFetch( useFetch(
composeTrashboxURL(position), composeTrashboxURL(position),
'GET', 'GET',
@ -13,6 +13,6 @@ const useTrashboxes = (position: LatLng) =>
(data) => data, (data) => data,
[] []
) )
)
export default useTrashboxes export default useTrashboxes

View File

@ -6,7 +6,7 @@ const getToken = () => {
return token return token
} }
const setToken = (token: string) => { function setToken(token: string) {
localStorage.setItem('Token', token) localStorage.setItem('Token', token)
} }

View File

@ -7,10 +7,12 @@ type FiltersType = Partial<Pick<Announcement, FilterNames>>
const defaultFilters: FiltersType = { userId: undefined, category: undefined, metro: undefined, bookedBy: undefined } const defaultFilters: FiltersType = { userId: undefined, category: undefined, metro: undefined, bookedBy: undefined }
const URLEncodeFilters = (filters: FiltersType) => Object.fromEntries( const URLEncodeFilters = (filters: FiltersType) => (
Object.fromEntries(
filterNames.map( filterNames.map(
fName => [fName, filters[fName]?.toString()] fName => [fName, filters[fName]?.toString()]
).filter((p): p is [string, string] => typeof p[1] !== 'undefined') ).filter((p): p is [string, string] => typeof p[1] !== 'undefined')
)
) )
export type { FilterNames, FiltersType } export type { FilterNames, FiltersType }

View File

@ -1,6 +1,8 @@
const isAborted = (err: Error) => err.name === 'AbortError' const isAborted = (err: Error) => (
err.name === 'AbortError'
)
const handleHTTPErrors = (res: Response) => { function handleHTTPErrors(res: Response) {
if (!res.ok) { if (!res.ok) {
switch (res.status) { switch (res.status) {
case 401: case 401:

View File

@ -20,7 +20,9 @@ const isObject = <T>(obj: unknown, properties: PropertiesGuards): obj is T => (
Object.entries(properties).every(([name, guard]) => { Object.entries(properties).every(([name, guard]) => {
const param: unknown = Reflect.get(obj, name) const param: unknown = Reflect.get(obj, name)
if (import.meta.env.DEV) {
console.log(name, param, guard) console.log(name, param, guard)
}
if (typeof guard === 'function') { if (typeof guard === 'function') {
return guard(param) return guard(param)
@ -54,7 +56,9 @@ const isArrayOf = <T>(obj: unknown, itemGuard: ((obj: unknown) => obj is T)): ob
obj.every(itemGuard) obj.every(itemGuard)
) )
const isString = (obj: unknown): obj is string => typeof obj === 'string' const isString = (obj: unknown): obj is string => (
typeof obj === 'string'
)
type SetState<T> = React.Dispatch<React.SetStateAction<T>> type SetState<T> = React.Dispatch<React.SetStateAction<T>>

View File

@ -9,8 +9,9 @@ import { ${NAME}Response, ${NAME} } from './types'
const initial${NAME}: ${NAME} = {} const initial${NAME}: ${NAME} = {}
const compose${NAME}URL = () => const compose${NAME}URL = () => (
API_URL + '/${NAME,}?' API_URL + '/${NAME,}?'
)
const process${NAME} = (data: ${NAME}Response): ${NAME} => { const process${NAME} = (data: ${NAME}Response): ${NAME} => {
return data return data
@ -26,19 +27,21 @@ type ${NAME}Response = {
} }
const is${NAME}Response = (obj: unknown): obj is ${NAME}Response => const is${NAME}Response = (obj: unknown): obj is ${NAME}Response => (
isObject(obj, { isObject(obj, {
}) })
)
type ${NAME} = { type ${NAME} = {
} }
const is${NAME} = (obj: unknown): obj is ${NAME} => const is${NAME} = (obj: unknown): obj is ${NAME} => (
isObject(obj, { isObject(obj, {
}) })
)
export type { ${NAME}Response, ${NAME} } export type { ${NAME}Response, ${NAME} }