Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Solution #1513

Open
wants to merge 1 commit into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
341 changes: 321 additions & 20 deletions src/App.tsx
Original file line number Diff line number Diff line change
@@ -1,26 +1,327 @@
/* eslint-disable max-len */
/* eslint-disable jsx-a11y/control-has-associated-label */
import React from 'react';
import { UserWarning } from './UserWarning';

const USER_ID = 0;
import React, { useCallback, useEffect, useState } from 'react';
import { Todo } from './types/Todo';
import { FilterStatus } from './types/FilterStatus';
import { Header } from './components/Header/Header';
import { TodoList } from './components/TodoList/TodoList';
import { Footer } from './components/Footer/Footer';
import {
createTodo,
deleteTodo,
updateTodo,
getTodos,
USER_ID,
} from './api/todos';
import classNames from 'classnames';
import { ErrorNotification } from './types/ErrorNotification';

export const App: React.FC = () => {
if (!USER_ID) {
return <UserWarning />;
}
const [todos, setTodos] = useState<Todo[]>([]);
const [tempTodo, setTempTodo] = useState<Todo | null>(null);
const [filteredTodos, setFilteredTodos] = useState<Todo[]>([]);
const [filter, setFilter] = useState<FilterStatus>(FilterStatus.All);
const [errorMessage, setErrorMessage] = useState('');
const [loading, setLoading] = useState(false);
const [title, setTitle] = useState('');
const [processingTodoIds, setProcessingTodoIds] = useState<number[]>([]);

useEffect(() => {
getTodos()
.then(setTodos)
.catch(() => {
setErrorMessage(ErrorNotification.loadingError);
setTimeout(() => setErrorMessage(''), 3000);
});
}, []);

const filterTodosByStatus = useCallback(() => {
let filtered;

switch (filter) {
case FilterStatus.Active:
filtered = todos.filter(todo => !todo.completed);
break;
case FilterStatus.Completed:
filtered = todos.filter(todo => todo.completed);
break;
default:
filtered = todos;
}

setFilteredTodos(filtered);
}, [todos, filter]);

useEffect(() => {
filterTodosByStatus();
}, [todos, filter, filterTodosByStatus]);

const createTempTodo = (tempTitle: string): Todo => {
return {
title: tempTitle,
userId: USER_ID,
completed: false,
id: 0,
};
};

const handleAddTodo = (newTitle: string) => {
const trimmedTitle = newTitle.trim();

setTempTodo(createTempTodo(newTitle));
setLoading(true);

if (trimmedTitle) {
createTodo(trimmedTitle)
.then(newTodoResponse => {
setTodos(prevTodos => [...prevTodos, newTodoResponse]);
setTempTodo(null);
setTitle('');
})
.catch(() => {
setErrorMessage(ErrorNotification.addError);
setTimeout(() => setErrorMessage(''), 3000);
})
.finally(() => {
setTempTodo(null);
setLoading(false);
});
} else {
setTempTodo(null);
setLoading(false);
setErrorMessage(ErrorNotification.titleError);
setTimeout(() => setErrorMessage(''), 3000);
}
};

const deleteSelectTodo = (todoId: number): Promise<void> => {
setProcessingTodoIds(prevTodosIds => {
return [...prevTodosIds, todoId];
});

return deleteTodo(todoId)
.then(() => {
setTodos((currentTodos: Todo[]) =>
currentTodos.filter((todo: Todo) => todo.id !== todoId),
);
})
.catch(() => {
setTodos(todos);
setErrorMessage(ErrorNotification.deleteError);
setTimeout(() => setErrorMessage(''), 3000);
})
.finally(() => {
setProcessingTodoIds([]);
});
};

const handleClearComplete = () => {
const completedTodos = todos.filter((todo: Todo) => todo.completed);

const deletePromises = completedTodos.map((completedTodo: Todo) => {
return deleteTodo(completedTodo.id);
});

Promise.allSettled(deletePromises)
.then(results => {
const successfulDeletes = completedTodos.filter(
(_, index) => results[index].status === 'fulfilled',
);

setTodos(currentTodos =>
currentTodos.filter(
(todo: Todo) => !successfulDeletes.includes(todo),
),
);

const errorResponse = results.find(
result => result.status === 'rejected',
);

if (errorResponse) {
setErrorMessage(ErrorNotification.deleteError);
}
})
.catch(() => {
setErrorMessage(ErrorNotification.deleteError);
});
};

const handleUpdateComplete = (todo: Todo) => {
const todoCompleted = { ...todo };

todoCompleted.completed = !todoCompleted.completed;
setProcessingTodoIds(prevLoadingIds => {
return [...prevLoadingIds, todo.id];
});

updateTodo(todoCompleted)
.then(res => {
setTodos(prevTodos =>
prevTodos.map((item: Todo) => (item.id === res.id ? res : item)),
);
})
.catch(() => {
setErrorMessage(ErrorNotification.updateError);
setTimeout(() => setErrorMessage(''), 3000);
})
.finally(() => {
setProcessingTodoIds([]);
});
};

const toggleAllTodosStatus = (currentTodos: Todo[]) => {
const activeTodos = currentTodos.filter(todo => !todo.completed);
let changeStatusPromises;

if (activeTodos.length === 0) {
changeStatusPromises = currentTodos.map((todo: Todo) => {
setProcessingTodoIds(prevTodosIds => {
return [...prevTodosIds, todo.id];
});

return updateTodo({
...todo,
completed: false,
});
});
} else {
changeStatusPromises = activeTodos.map((todo: Todo) => {
setProcessingTodoIds(prevLoadingIds => {
return [...prevLoadingIds, todo.id];
});

return updateTodo({
...todo,
completed: !todo.completed,
});
});
}

Promise.allSettled(changeStatusPromises)
.then(results => {
const successfulUpdates = results
.map((result, index) => {
if (result.status === 'fulfilled' && activeTodos.length === 0) {
return todos[index];
} else if (
result.status === 'fulfilled' &&
activeTodos.length !== 0
) {
return activeTodos[index];
} else {
return null;
}
})
.filter(todo => todo !== null);

setTodos(prevTodos =>
prevTodos.map(todo =>
successfulUpdates.some(updatedTodo => updatedTodo.id === todo.id)
? { ...todo, completed: !todo.completed }
: todo,
),
);

const failedUpdates = results.some(
result => result.status === 'rejected',
);

if (failedUpdates) {
setErrorMessage(ErrorNotification.updateError);
setTimeout(() => setErrorMessage(''), 3000);
}
})
.catch(() => {
setErrorMessage(ErrorNotification.updateError);
setTimeout(() => setErrorMessage(''), 3000);
})
.finally(() => {
setProcessingTodoIds([]);
});
};

const handleTitleEdit = (
newTitle: string,
todoToUpdate: Todo,
): Promise<boolean> => {
return new Promise(resolve => {
setProcessingTodoIds(prevTodosIds => {
return [...prevTodosIds, todoToUpdate.id];
});

updateTodo({
...todoToUpdate,
title: newTitle,
})
.then(res => {
setTodos(prevTodos =>
prevTodos.map((item: Todo) => (item.id === res.id ? res : item)),
);

resolve(true);
})
.catch(() => {
setErrorMessage(ErrorNotification.updateError);
setTimeout(() => setErrorMessage(''), 3000);

resolve(false);
})
.finally(() => {
setProcessingTodoIds([]);
});
});
};

return (
<section className="section container">
<p className="title is-4">
Copy all you need from the prev task:
<br />
<a href="https://github.com/mate-academy/react_todo-app-add-and-delete#react-todo-app-add-and-delete">
React Todo App - Add and Delete
</a>
</p>

<p className="subtitle">Styles are already copied</p>
</section>
<div className="todoapp">
<h1 className="todoapp__title">todos</h1>

<div className="todoapp__content">
<Header
addTodo={handleAddTodo}
title={title}
setTitle={setTitle}
todos={todos}
errorMessage={errorMessage}
isLoading={loading}
toggleAllTodosStatus={toggleAllTodosStatus}
/>

<TodoList
todos={filteredTodos}
deleteSelectTodo={deleteSelectTodo}
tempTodo={tempTodo}
handleUpdateComplete={handleUpdateComplete}
selectedTodosIds={processingTodoIds}
handleTitleEdit={handleTitleEdit}
/>

{!!todos.length && (
<Footer
setFilter={setFilter}
filter={filter}
todos={todos}
handleClearComplete={handleClearComplete}
/>
)}
</div>
<div
data-cy="ErrorNotification"
className={classNames(
'notification',
'is-danger',
'is-light',
'has-text-weight-normal',
{ hidden: !errorMessage },
)}
>
<button
data-cy="HideErrorButton"
type="button"
className="delete"
onClick={() => setErrorMessage('')}
/>
{errorMessage}
</div>
</div>
);
};
24 changes: 24 additions & 0 deletions src/api/todos.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
import { Todo } from '../types/Todo';
import { client } from '../utils/fetchClient';

export const USER_ID = 1816;

export const getTodos = () => {
return client.get<Todo[]>(`/todos?userId=${USER_ID}`);
};

export const createTodo = (title: string) => {
return client.post<Todo>('/todos', {
userId: USER_ID,
title,
completed: false,
});
};

export const deleteTodo = (id: number) => {
return client.delete(`/todos/${id}`);
};

export const updateTodo = (todo: Partial<Todo>) => {
return client.patch<Todo>(`/todos/${todo.id}`, todo);
};
Loading
Loading