React Course: Diary App Example and Optimization

In recent years, React has established itself as one of the most popular libraries for web application development. With React, you can create fast, efficient, and reusable UI components. In this tutorial, we will examine how to create a simple diary app using React. Additionally, we will discuss performance optimization.

1. Project Setup

Before getting started, you need to have Node.js and npm (Node Package Manager) installed. These tools are essential for creating and managing React projects. Once the installation is complete, you can create a new React project using the following command.

npx create-react-app diary-app

This command creates a basic React project template. After moving into the project folder, you can install the required libraries.

cd diary-app

Next, we will install the libraries needed for state management and styling in the diary app.

npm install axios bootstrap

2. Designing the Basic Structure

Now, let’s design the basic project structure. The diary app is divided into the following main components:

  • DiaryList: A component that displays the list of diary entries.
  • DiaryEntry: A component for creating or editing a new diary entry.
  • Header: A header component that includes the app title and navigation links.

These components will be created as individual files within the src folder.

3. Implementing the DiaryList Component

Create a DiaryList.js file and add the following code.

import React from 'react';

const DiaryList = ({ diaries }) => {
    return (
        

My Diary List

{diaries.length === 0 ? (

No diaries available.

) : ( diaries.map(diary => (

{diary.title}

{diary.content}


)) )}
); }; export default DiaryList;

This component displays the title and content of each diary entry through the diaries array received as a prop. If there are no diaries, it outputs an appropriate message.

4. Implementing the DiaryEntry Component

Now, create a DiaryEntry.js file and implement a form that allows the user to write a diary entry.

import React, { useState } from 'react';

const DiaryEntry = ({ onSubmit }) => {
    const [title, setTitle] = useState('');
    const [content, setContent] = useState('');

    const handleSubmit = (e) => {
        e.preventDefault();
        onSubmit({ title, content });
        setTitle('');
        setContent('');
    };

    return (