DEV Community

Cover image for From Scratch to Working App - Building a React Library App
KowalewskiPawel
KowalewskiPawel

Posted on

From Scratch to Working App - Building a React Library App

While learning web development, one of the most common patters for building projects is building a To-Do apps. Why is it like that? Most probably because this kind of applications, even though very simple, can help you review the knowledge of the core syntax and functions. There should be an event handler, some kind of state, and DOM manipulation. As a result on the web, we can find millions of To-Do apps. Why not take this idea and change it a bit to bring some fresh air into the room? That is how the Books Library App came to mind as an idea for this tutorial.

In this tutorial, we will learn how to create a React application from a scratch, commit it to GitHub and deploy it to Netlify. I also assume that you have your development environment set up and already familiar with:

  • JavaScript, HTML, and CSS
  • Basics of React (if not you can check out my tutorial)

Source code can be found here and the live version of the deployed app here.

create-react-app

First of all, create a folder for our app and start the terminal in the given folder. In the terminal type in the following command

npx create-react-app bookslibrary

Of course, you can change the name of the app to whatever you like. In a couple of minutes, your project template should be ready.

Project Tree

In order not to deal all the time with creating new files and folders, let us organize everything from the beginning. Your application folder tree structure should look like that

project

You can delete the unnecessary files from the src folder, leave just

  • App.css
  • App.js
  • index.js
  • index.css

You can erase everything from App.css, App.js and index.js files, while index.css can stay in its original form. Another part is keeping the rest of the components in components folder. You can create 3 blank .js files inside of it

  • Header.js
  • List.js
  • Footer.js

Additionally, you can also copy logo192.png from the public folder to the src folder. Now we focus purely on coding our app.

Roots

Both index.js and App.js will have a very limited role, they will just wrap the components and delegate them to the root element in our index.html file.

This is how your index.js file should look like

import React from "react";
import ReactDOM from "react-dom";
import "./index.css";
import App from "./App";
ReactDOM.render(
  <React.StrictMode>
    <App />
  </React.StrictMode>,
  document.getElementById("root")
);
Enter fullscreen mode Exit fullscreen mode

and App.js

import "./App.css";
import List from "./components/List";
import Header from "./components/Header";
import Footer from "./components/Footer";
function App() {
  return (
    <div className="App">
      <Header />
      <List />
      <Footer />
    </div>
  );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

App component will be just a function component, and the whole logic of our application will live in the components folder. At the beginning of this file, we import all of the components and render them inside of the App component, which is later passed to the index.js file.

Components

Let us start with the core of this application which will live in the List.js file. You can start writing this component by defining a class, constructor method and render method.

import React from "react";
export default class List extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      books: [],
    };
  }  render() {
    return (
      <div>
      </div>
    );
  }
}
Enter fullscreen mode Exit fullscreen mode

At this point, we have only an empty class component. Inside of state, there is only one key — books, which represents an empty array. We will store the objects representing our books in that array.

Forms

Our application does not render anything yet, and the first element which will be needed to register new books to the library will be the form element. In regular HTML, forms are one of those elements which help us interact with the website, and all of the events are handled by the default by DOM, but in React we will want forms to transfer the data to React component and keep it in our state. We will track changes in form using the onChange attribute inside of the tags, and assign them to the handler methods.

You can add the code below to the render method, inside the <div> elements.

<form className="bookForm" onSubmit​={this.submitHandler}>
          <label for="bookName">Book Title</lablel>
          <input
            id="bookName"
            name="bookName"
            type="text"
            placeholder="Book Title"
            maxLength="40"
            onChange​={this.changeHandler}
            required
           />
          <label for="bookAuthor">Author</label>
          <input
            id="bookAuthor"
            name="bookAuthor"
            type="text"
            placeholder="Book Author"
            maxLength="30"
            onChange​={this.changeHandler}
            required
          />
          <label for="read">Read</label>
          <select
            id="read"
            name="read"
            onChange​={this.changeHandler}
            value={this.state.read}
          >
            <option value="Yes">Yes</option>
            <option value="No">No</option>
          </select>
          <input id="submit" type="submit" value="ADD NEW
BOOK" />
</form>
Enter fullscreen mode Exit fullscreen mode

Every element inside of our form should be wrapped in <form> element, pay attention to the fact that the form itself also has an onSubmit attribute which calls another method to submit the information from our form. In total, we have 3 <input> elements, each of them has attributes such as id, name and type. There are also extra attributes inside of text input elements, and those are placeholder, maxLength, and required in the end. They are kind of self-explanatory, so I will not dwell too much on them. We could skip those parts, or add them in JavaScript code, but in my opinion, code will look much cleaner like that. What is crucial here is onChange attribute and its handler. Every time we hit change something in those fields the corresponding value in the application’s state will be updated. Moreover, look at the last option before submit button. It is <select> element with two options, and we also set a default value that will be retrieved from the start every time we add a new book. Just in case someone just skips this part, it will stamp the book as not finished.

State

Because we already have few references to the state, let us add missing keys in the component’s state object.

constructor(props) {
    super(props);
    this.state = {
      bookAuthor: "",
      bookName: "",
      read: "No",
      books: [],
      };
     }
Enter fullscreen mode Exit fullscreen mode

That is all about the state part of this application.

Handlers

There is already a form where we can input the necessary data, we also have the state part ready, but there are no handler functions that can handle all of those events. Let us add them now.

changeHandler = (event) => {
    const nam = event.target.name;
    const val = event.target.value;
    this.setState({
      [nam]: val,
    });};
Enter fullscreen mode Exit fullscreen mode

Since we have 2 input text fields and 1 select, we will have to handle the change in each of them. To not to repeat ourselves (DRY) we will reuse the same handler for each of them.

Each time you change something in the input fields or select a button, changeHandler function will be triggered, as an argument, we take the event object, and inside you can see that there are two variables: nam and val that will store information dynamically about each of the input fields. In the end, we call this.setState function and pass the object as an argument. Inside of the object again we refer to nam variable as a given key name, notice that we put nam in the square brackets as it is the convention for the object’s keys.

Now when we have all of the necessary values in our state, it is time to submit the form and add a new book object to the books array. Because of that, we will need another handler called submitHandler.

submitHandler = (event) => {
    event.preventDefault();
    const bookNameVal = this.state.bookName;
    const bookAuthorVal = this.state.bookAuthor;
    const readVal = this.state.read;
    if (bookNameVal && bookAuthorVal) {
      this.setState(
        (prevState) => ({
          books: [
            ...prevState.books,
            {
              bookName: bookNameVal,
              bookAuthor: bookAuthorVal,
              read: readVal,
            },
          ],
        })
      );
}};
Enter fullscreen mode Exit fullscreen mode

Once again, we use event object in this handler, but this time for a bit different reason. Normally, when you create a form in HTML and try to submit it, the page will automatically reload. In our case, we do not want it, and in general most of the time in web development we will want to prevent this situation from happening. event.preventDefault(); becomes quite clear at this point. For the sake of clarity, we store key values in three variables, as you can see they will be copied directly from the state. Then in order to avoid adding books with missing title and/or author field, we wrap the rest of the code inside of if statement. Later on, we use this.setState method to add a new book to the books array. There are many ways of doing it, in my case I used spread operator … and bind a new book at the end of the array.

Testing with ReactDev Tools

It is time to make some tests before we move, and also make use of ReactDev Tools extension. Temporarily you can comment out Header and Footer components. Notice that in JSX traditional way of commenting in JavaScript will not work, instead, you can wrap the elements inside of curly brackets and then use comment symbols, just like that.

import List from "./components/List";
//import Header from "./components/Header";
//import Footer from "./components/Footer";
function App() {
  return (
    <div className="App">
      {/*<Header /> */}
      <List />
      {/*<Footer /> */}
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

After that go to the terminal and enter the command npm start. You should see the input fields and submit button, but even after submitting the form, you will not see anything as there is no element to show our books yet, so you can use ReactDev Tools to check the component’s state and array. Each time you submit the new book, you should see it in the books array.

checkingstate

Table

As our form and state are ready, handlers work and we can submit new books to the library, now we need a way to display them somehow. One of the possible ways to do it is by creating the table element, and then assign the values from this.state.books array, to each new row.

Right below the form in List component add this piece of code

<table>
          <tr>
            <th>Book Name</th>
            <th>Book Author</th>
            <th>Finished (Yes/No)</th>
            <th colSpan="2">Settings</th>
          </tr></table>
Enter fullscreen mode Exit fullscreen mode

We have the table columns ready now, yet there are no entries visible yet. Let’s create a reference to the books array and keep it in a variable, but this let books = this.state.books; variable right after the render() method.

render() {    
  let books = this.state.books;
Enter fullscreen mode Exit fullscreen mode

It is time to display books on the table by mapping the books array.

<table>
          <tr>
            <th>Book Name</th>
            <th>Book Author</th>
            <th>Finished (Yes/No)</th>
            <th colSpan="2">Settings</th>
          </tr>
{books.map((item, index) => {
            return (
              <tr key={index}>
                <td>{item.bookName}</td>
                <td>{item.bookAuthor}</td>
                <td>{item.read}</td>
                <td id="settings">
                </td>
              </tr>
            );})}
Enter fullscreen mode Exit fullscreen mode

Now, you should be able to see all of the books displayed inside of the table. Does it mean that our project is finished? No.

What if we changed our mind about some of the books?

Because of that reason, we will also add two buttons, in the settings column, to allow the user to change the state of each book from unfinished to finished and vice-versa, plus remove button which will enable the user to completely get rid of a given book.

Inside of the last <td> element with id settings, let’s add the following code.

<td>{item.bookName}</td>
                <td>{item.bookAuthor}</td>
                <td>{item.read}</td>
                <td id="settings">
                  <button
                    onClick​={() => {
                      item.read === "Yes"
                        ? (item.read = "No")
                        : (item.read = "Yes");
                      this.forceUpdate();
                    }}
                  >
                    {item.read === "Yes" ? "Still reading" : "Finished"}
                  </button>
                  <button
                    onClick​={() => {
                      this.removeBook(index);
                    }}
                  >
                    Remove                  </button></td>
Enter fullscreen mode Exit fullscreen mode

In the fourth column, now we have two buttons representing the book in each row. In the first one we also dynamically change the name, depending on the given object’s read property. onClick methods are pretty straightforward, we will only need to add of course missing handler for removeBook method. However, in the first button we have a mysterious function this.forceUpdate(); as you may remember, our component will be rerendered each time we call this.setState method, as we do not call this method here, this.forceUpdate(); is a kind of workaround so we can see the book’s read status in real-time.

The only missing part now is removeBook handler, so we can add it now.

removeBook = (index) => {
    const booksArr = [...this.state.books];
    if (booksArr) {
      this.setState(
        {
          books: booksArr.filter((book, bookIndex) => {
            return bookIndex !== index;
          }),
        }
      );
    }
};
Enter fullscreen mode Exit fullscreen mode

For each removed booked, we will need its index, so then we can set a new state using the filter method which will omit only the book with the given index.

OK, so it looks like our application only needs some style and we are ready to deploy. Not yet, as you can see the application will clear its state each time we refresh the page, which makes it useless. We will need to find a way how to store data for each user, and let them retrieve it each time they visit the website. Of course, the best option would be to create a database, a backend login etc. But this would make our app a full-stack application and make things way more complex. We can store the state for each user in two ways.

  • Using local or session storage
  • Firebase database

In this tutorial, we will pick the first.

localStorage

Every user on his or her own personal web browser client has access to the local storage of a given device. That is where websites store cookies for example. In our case, we can use it to store the states object in the local storage of a given user of our application. In fact, it is much easier to do then it sounds, localStorage is a global object available in each web browser. We will need just a few extra lines of code and two more methods.

Firstly, we need to add the localStorage function as a second argument to the setState function.

/* localStorage function        () => {
          localStorage.setItem("books", JSON.stringify(this.state.books));}

        */submitHandler = (event) => {
    event.preventDefault();
    const bookNameVal = this.state.bookName;
    const bookAuthorVal = this.state.bookAuthor;
    const readVal = this.state.read;
    if (bookNameVal && bookAuthorVal) {
      this.setState(
        (prevState) => ({
          books: [
            ...prevState.books,
            {
              bookName: bookNameVal,
              bookAuthor: bookAuthorVal,
              read: readVal,
            },
          ],
        }),
        () => {
          localStorage.setItem("books", JSON.stringify(this.state.books));
        }
      );
    }
};
Enter fullscreen mode Exit fullscreen mode

We also have to add it to removeBook handler.

removeBook = (index) => {
    const booksArr = [...this.state.books];
    if (booksArr) {
      this.setState(
        {
          books: booksArr.filter((book, bookIndex) => {
            return bookIndex !== index;
          }),
        },
        () => {
          localStorage.setItem("books", JSON.stringify(this.state.books));
        }
      );
    }
};
Enter fullscreen mode Exit fullscreen mode

While changing the book read status, we will also have to update the localStorage so we need to add another function this.saveLocal(); to onClick listener in each of the books.

{books.map((item, index) => {
            return (
              <tr key={index}>
                <td>{item.bookName}</td>
                <td>{item.bookAuthor}</td>
                <td>{item.read}</td>
                <td id="settings">
                  <button
                    onClick​={() => {
                      item.read === "Yes"
                        ? (item.read = "No")
                        : (item.read = "Yes");
                      this.saveLocal();
                      this.forceUpdate();
Enter fullscreen mode Exit fullscreen mode

Plus the handler itself.

saveLocal = () => {
    localStorage.setItem("books", JSON.stringify(this.state.books));};
Enter fullscreen mode Exit fullscreen mode

To display books stored in each user’s local storage, we will make use of one of the React Mounting lifecycle methods called componentDidMount() which is called the last method of component’s mounting lifecycle.

In other words, each time the page is loaded, this function will check if there is anything in the local storage, and call this.setState method if there is something waiting in the local storage.

componentDidMount() {
    const books = localStorage.getItem("books");
    if (books) this.setState({ books: JSON.parse(books) });
}
Enter fullscreen mode Exit fullscreen mode

Header and Footer

To make our application look a bit better, let’s add the following code to Header.js and Footer.js files.

Header.js

import React from "react";
export default class Header extends React.Component {
  render() {
    return (
      <h1 className="Header">
        <img id="logoHeader" src="logo192.png" alt="React Logo"></img>
        <p>React Book Library</p>
      </h1>
    );
  }
}
Enter fullscreen mode Exit fullscreen mode

Footer.js

import React from "react";
export default class Footer extends React.Component {
  render() {
    return (
      <footer className="Footer">
        <p>
          Created with{" "}
          <img id="footerLogo" src="logo192.png" alt="React Logo"></img> by:
          Pawel Kowalewski
          <br />© All rights reserved
        </p>
      </footer>
    );
  }
}
Enter fullscreen mode Exit fullscreen mode

CSS

Our application is fully functional at this moment, but it does not look very attractive, let us add some style. App.css file should be already imported in App.js component. I will not explain CSS in this tutorial, so feel free to change this file as you wish or just copy and paste it.

App.css

html {
  background-color: antiquewhite;
}
.bookForm {
  display: grid;
  width: 400px;
  border: solid black 4px;
  border-radius: 20px;
  margin: auto auto 40px;
  padding: 20px;
  background-color: rgb(121, 121, 121);
  color: white;
  align-content: center;
}
#bookName {
  margin: 8px;
}
#bookAuthor {
  margin: 8px;
}
#read {
  margin: 8px;
}
#submit {
  margin: 8px;
  border: solid black 2px;
  border-radius: 8px;
}
table {
  width: 800px;
  margin: 0px auto;
  border: solid black 2px;
}
table,
th,
td {
  border-collapse: collapse;
}
th,
td {
  border: solid 2px black;
  padding: 4px;
  background-color: rgb(121, 121, 121);
  color: white;
}
th {
  text-align: left;
  background-color: rgb(165, 162, 162);
  color: white;
}
#settings {
  width: 200px;
}
#settings > * {
  margin: 4px;
  border: solid black 2px;
}
.Header {
  display: flex;
  align-items: center;
  text-align: center;
  background-color: rgb(54, 47, 46);
  color: white;
}
.Header > p {
  margin-left: 0px;
  margin-right: auto;
}
.Footer {
  text-align: center;
  padding: 2px 0px 2px 0px;
  margin-top: 20px;
  background-color: rgb(54, 47, 46);
  color: white;
}
#logoHeader {
  margin-right: 10px;
  margin-left: auto;
  width: 40px;
  height: 40px;
}
#footerLogo {
  width: 20px;
  height: 20px;
}
@media only screen and (max-width: 600px) {
  .bookForm,
  table {
    width: auto;
    table-layout: fixed;
  }
  td {
    word-break: break-all;
  }
}html {
  background-color: antiquewhite;
}
.bookForm {
  display: grid;
  width: 400px;
  border: solid black 4px;
  border-radius: 20px;
  margin: auto auto 40px;
  padding: 20px;
  background-color: rgb(121, 121, 121);
  color: white;
  align-content: center;
}
#bookName {
  margin: 8px;
}
#bookAuthor {
  margin: 8px;
}
#read {
  margin: 8px;
}
#submit {
  margin: 8px;
  border: solid black 2px;
  border-radius: 8px;
}
table {
  width: 800px;
  margin: 0px auto;
  border: solid black 2px;
}
table,
th,
td {
  border-collapse: collapse;
}
th,
td {
  border: solid 2px black;
  padding: 4px;
  background-color: rgb(121, 121, 121);
  color: white;
}
th {
  text-align: left;
  background-color: rgb(165, 162, 162);
  color: white;
}
#settings {
  width: 200px;
}
#settings > * {
  margin: 4px;
  border: solid black 2px;
}
.Header {
  display: flex;
  align-items: center;
  text-align: center;
  background-color: rgb(54, 47, 46);
  color: white;
}
.Header > p {
  margin-left: 0px;
  margin-right: auto;
}
.Footer {
  text-align: center;
  padding: 2px 0px 2px 0px;
  margin-top: 20px;
  background-color: rgb(54, 47, 46);
  color: white;
}
#logoHeader {
  margin-right: 10px;
  margin-left: auto;
  width: 40px;
  height: 40px;
}
#footerLogo {
  width: 20px;
  height: 20px;
}
@media only screen and (max-width: 600px) {
  .bookForm,
  table {
    width: auto;
    table-layout: fixed;
  }
  td {
    word-break: break-all;
  }
}
Enter fullscreen mode Exit fullscreen mode

Deployment

As our application is finished, it is finally time for deploying it, to make it available for other users. You may also want to change the title in index.html file and icon.

Since GitHub and Netlify are very popular free services, I have decided to use them in this tutorial but you are free to deploy it anywhere you want. If you want to follow with me, I assume that you have already an account on GitHub and Netlify.

Firstly go to GitHub, login and click on add new repository.

github

Give it some name, it can be both Public or Private and then click Create repository.

github

Go to the main folder of your app and open a terminal there.

Type in the following commands:

  1. git init
  2. copy this line from GitHub (ctrl + shift + v to paste into the terminal)

github

  1. git status — to check for modified files

  2. git add * to add all of the files

  3. git status again to check if they are green now

  4. git commit -m “first”

  5. git branch -M main

  6. git push -u origin main

Now your code should be uploaded to GitHub repository.

Go to netlify.app and login with your GitHub account. Once you are logged in click New site from Git

newsite

At this point, you may need to have to configure GitHub settings first. Go to GitHub and click on your profile and then settings. After that click on Applications option from the menu and once you see Netlify click configure.

configure

Then scroll down until you will see Repository access, if you don’t mind you can just pick All repositories, or select the given repository.

repositories

Now we can proceed to Netlify again, when you are back at Netlify click on this option.

netlify

Of course, click on GitHub

newsite

Click on the given repository, and in the last part click Deploy site

last

Congratulations! Your React app should be deployed and ready to use within a few minutes. Note that, you can still work on your application and make updates. Each time you commit something to the same repository, Netlify will fetch the new data and deploy the updated version automatically for you.

Final thoughts

It was quite a long journey, I hope that you could keep on coding along with me in this tutorial and that everything was clear. However, if you have some questions, comments, suggestions etc. Please feel free to leave a comment or contact me via this website.

Top comments (2)

Collapse
 
swagwik profile image
Sattwik Sahu

create-react-app is kinda heavy on the system. Have you tried using ViteJS? You'll really see the difference and enjoy it! Just do:
$ npm init @vitejs/app to use it 😉

Collapse
 
pawel profile image
KowalewskiPawel

Hi there! Never heard of it, thanks so much I will check it out