Building the calorie meter from Makeine!

Anna's calorie meter on Makeine's website was such a fun gag and I wanted to build it.
Building the calorie meter from Makeine!
First published on 2025-02-04.
Last updated on 2025-02-04.

Toooooo Many Losing Heroines (負けヒロインが多すぎる!, Make Heroine ga Oosugiru!) was the anime adaptation of the light novel series of the same name that aired back in July 2024. It was one of the most popular slice of life anime series of 2024 and in my opinion has an amazing official site. It features a lot of characters going through the struggles of romance in a high school in Toyohashi. Anna Yanami is one of these losing heroines and one of the main focus of the show. She also loves to eat so much so that the production team decided to create a calorie meter for all the food she ate during the show.


They even went so far as to make the meter itself highly interactive with animations. You can select the episode and see the calories Anna ate during that episode. The list of food she ate during the episode is also revealed. I'll just focus on the calorie meter for now but there is so much to gush over their website. In this article, I will try my best to replicate the calorie meter animation from the official website.


Setup?

For this tutorial, I will be using Vanilla JS because I wanted to be as agnostic as possible for easy adaptability to JS frameworks. We will be using Vite CLI to create the boilerplate for our project. I chose to use Vite because it is relatively easy to set up and deployable to cloud platforms. I will provide the code and a CodeSandbox link for you to experiment at the end.


Create a new project using Vite.

The Vite CLI does not automatically install the dependencies. This gives us the freedom to choose the package manager we want to use for our project. I used the vanilla-ts template for this tutorial. But, it is easy to transfer to JS since I am going to use implicit typing for our Typescript code. Only one line of code defined types.



npm create vite@latest makeine-calorie-meter --template vanilla-ts
yarn create vite@latest makeine-calorie-meter --template vanilla-ts
pnpm create vite@latest makeine-calorie-meter --template vanilla-ts
bun create vite@latest makeine-calorie-meter --template vanilla-ts

After running the above command, you should see the output below. This depends on the package manager you chose. For this tutorial, I used pnpm. Then, you can follow the commands to install the needed dependencies. Then, you can run the project to make sure everything is working as expected.


Done. Now run:

  cd makeine-calorie-meter
  pnpm install
  pnpm run dev

The webpage should look this this after running the above commands.


[1] Vite + Typescript boilerplate[1] Vite + Typescript boilerplate From this, we can start removing the boilerplace code so we can properly start with the project.


Remove boilerplate code.

After creating the project, the file structure should look like this:


makeine-calorie-meter
  • public
    • vite.svg
  • src
    • counter.ts
    • main.ts
    • style.css
    • typescript.svg
    • vite-env.d.ts
  • .gitignore
  • index.html
  • package.json
  • tsconfig.json

After removing the boilerplate code, the file structure should look like this:


makeine-calorie-meter
  • public
  • src
    • main.ts
    • style.css
    • vite-env.d.ts
  • .gitignore
  • index.html
  • package.json
  • tsconfig.json

We will remove all the content of main.ts except the CSS import. The entry point of the project is main.ts, which will initially contains the following code:


src/main.ts
import './style.css';

// We will remove everything under this line.
import typescriptLogo from './typescript.svg';
import viteLogo from '/vite.svg';
import { setupCounter } from './counter.ts';

document.querySelector<HTMLDivElement>('#app')!.innerHTML = `
  <div>
    <a href="https://vite.dev" target="_blank">
      <img src="${viteLogo}" class="logo" alt="Vite logo" />
    </a>
    <a href="https://www.typescriptlang.org/" target="_blank">
      <img src="${typescriptLogo}" class="logo vanilla" alt="TypeScript logo" />
    </a>
    <h1>Vite + TypeScript</h1>
    <div class="card">
      <button id="counter" type="button"></button>
    </div>
    <p class="read-the-docs">
      Click on the Vite and TypeScript logos to learn more
    </p>
  </div>
`;

setupCounter(document.querySelector<HTMLButtonElement>('#counter')!);

That's it for the set-up! Let's us start building the calorie meter.


Font

Lucky for us, the fonts used by Makeine's calorie meter are open source from Google Fonts. We will be using Quantico as the font. For the Japanese characters, we will be using Noto Sans JP. Let us import the font inside the <head> tag.


index.html
<head>
  <meta charset="UTF-8" />
  <link rel="icon" type="image/svg+xml" href="/vite.svg" />
  <link rel="preconnect" href="https://fonts.googleapis.com">
  <link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
  <link href="https://fonts.googleapis.com/css2?family=Quantico:wght@400;700&display=swap" rel="stylesheet">
  <link href="https://fonts.googleapis.com/css2?family=Noto+Sans+JP:wght@100..900&family=Quantico:wght@400;700&display=swap" rel="stylesheet">
  <meta name="viewport" content="width=device-width, initial-scale=1.0" />
  <title>Makeine Calorie Meter</title>
</head>

The Calorie Meter Markup

Now that we have the fonts imported, we can start building the meter. Let us open index.html and add the following code within <div id="app"></div>.


index.html
<body>
  <div id="app">
    <div id="calorie_container">
      <div class="cap">
        <div class="no">最終話まで</div>
        <div class="text">の総摂取カロリー</div>
      </div>
      <div class="kcal with-comma">
        <span class="number">8</span>
        <span class="number">5</span>
        <span class="number">8</span>
        <span class="number">1</span>
        <span class="number">8</span>
      </div>
      <div class="unit">kcal</div>
    </div>
  </div>
  <script type="module" src="/src/main.ts"></script>
</body>

Let's break this down:


  • <div id="calorie_container"> is where we will put the calorie meter.
  • <div class="no">最終話まで</div> is the episode number, shown when an episode is selected.
  • <div class="kcal with-comma"> is where we will contain the total number of calories this is where the meter animation will take place while the with-comma class is used to add a comma after the thousands digit. This is where we will contain each digit of Anna Yanami's calories per episode or in the whole run of the anime.
  • <div class="unit">kcal</div> is self-explanatory.

We should also have the ability to see the number of calories Anna consumed per episode and also the Anna's cumulative calories for the entire show. For now, let's add the buttons to allow episode selection for the calorie meter.


index.html
<body>
  <div id="app">
    <div id="calorie_container">
      . . . .
    </div>
    <div id="episode_select_list">
      <button class="select_item">第1話</button>
      <button class="select_item">第2話</button>
      <button class="select_item">第3話</button>
      <button class="select_item">第4話</button>
      <button class="select_item">第5話</button>
      <button class="select_item">第6話</button>
      <button class="select_item">第7話</button>
      <button class="select_item">第8話</button>
      <button class="select_item">第9話</button>
      <button class="select_item">第10話</button>
      <button class="select_item">第11話</button>
      <button class="select_item">最終話</button>
    </div>
    <div id="episode_total">
      <button class="select_item" data-episodenumber="0">合計</button>
    </div>
  </div>
  <script type="module" src="/src/main.ts"></script>
</body>

Here is what we have so far:


insert the result of html markup


CSS

Doesn't look great? Now, let's spray some paint! We will be using a lot of nested CSS here. This is different from using CSS preprocessors such as LESS or SASS in that it is read by the browser instead of being pre-compiled. If you are new to nesting CSS, here is the documentation provided by mdn Using CSS nesting.


src/styles.css
/* CSS variables
:root {
  --color-white: #ffffff;
  --color-blue: #070a7d;
  --color-yellow: #fff100;
  --color-orange: #ff7031;
  /* This is for our timing function for the animation
  --ease-out: cubic-bezier(0.5, 1, 0.89, 1);
}

/* Remove default margin and use border-box sizing on all elements
* {
  position: relative;
  margin: 0;
  box-sizing: border-box;
}

/* Base font-style for rem units
html {
  font-size: 3.125vw;
}

/* Base body style
body {
  height: 100vh;
  display: grid;
  place-items: center;
}

/* Calorie meter container styles
#calorie_container {
  color: var(--color-blue);
  font-family: "Quantico", serif;
  font-weight: 400;
  font-style: normal;
  padding: 40px 40px 12px;
  border: 2px solid var(--color-blue);
  border-radius: 10px;
  letter-spacing: 1px;
  white-space: nowrap;
  line-height: 1;
  margin-bottom: 60px;

  .cap {
    position: absolute;
    display: flex;
    align-items: baseline;
    width: fit-content;
    padding: 8px 15px;
    font-family: "Noto Sans JP", sans-serif;
    font-weight: 700;
    font-size: 26px;
    color: var(--color-white);
    background-color: var(--color-orange);
    top: 0;
    left: 15%;
    transform: translate(-50%, -50%) rotate(-5deg);

    .no {
      flex-shrink: 0;
      font-size: 1.5em;
    }

    .text {
      flex-shrink: 0;
    }
  }

  .kcal {
    display: flex;
    column-gap: 10px;
    color: var(--color-blue);
    width: fit-content;

    .number {
      position: relative;
      display: grid;
      place-items: center;

      width: 100.5px;
      height: 122px;
      font-size: 100px;
      border-radius: 10px;
      line-height: 1;
      background-color: var(--color-yellow);
    }

    /* For calorie total with comma (when at least 1000 kcal)
    &.with-comma {
      .number:nth-child(2) {
        margin-right: 24px;
      }

      .number:nth-child(2):after {
        content: ",";
        position: absolute;
        bottom: 0;
        right: 0;
        transform: translate(100%, 0%);
      }
    }
  }

  .unit {
    width: 100%;
    display: flex;
    justify-content: end;
    align-items: center;
    font-size: 24px;
    font-weight: 700;
    font-style: normal;
    letter-spacing: 0;
    margin-top: 4px;
  }
}

After applying the styles for the meter, it should look like this.


[2] Meter styles without the episode selection[2] Meter styles without the episode selection

src/styles.css

. . .

.unit {
    width: 100%;
    display: flex;
    justify-content: end;
    align-items: center;
    font-size: 24px;
    font-weight: 700;
    font-style: normal;
    letter-spacing: 0;
    margin-top: 4px;
  }
}

/* Container for our episode selection
#episode_select_list { 
  display: grid; 
  grid-template-columns: repeat(6, 1fr); 
  gap: 12px; 
} 

/* Style for each episode selection button
button.select_item { 
  display: block; 
  width: 100%; 
  background: var(--color-white); 
  border: 1.5px solid var(--color-orange); 
  color: var(--color-orange); 
  padding: 7px 10px; 
  border-radius: 20rem; 
  font-family: "Noto Sans JP", sans-serif; 
  font-weight: 600; 
  font-size: 17px; 
  cursor: pointer; 

  /* Hover styles for each button
  &:hover { 
    background-color: var(--color-orange); 
    color: var(--color-white); 
  } 
} 

/* Different styles for the total button
#episode_total { 
  width: 360px; 
  margin: 20px auto 0; 
  margin-bottom: 52px; 
} 

/* Adds transitions to each button when media allows hover and fine pointer events.
@media (hover: hover) and (pointer: fine) { 
  button.select_item {
    transition: color 0.4s var(--ease-out), background-color 0.4s var(--ease-out);
  } 
} 

After these changes, the calorie meter should look like this. I think we are done with the styles for the calorie meter. Now, it is time to start making our calorie meter interactive!


[3] Meter styles with the episode selection[3] Meter styles with the episode selection

Interactivity Time

Installing GSAP

Let's start by installing GSAP, a powerful animation library for Javascript. It is also framework agnostic so it can be used with React, Vue and other Javascript frameworks. We can install GSAP using any package manager.



npm install gsap
yarn install gsap
pnpm install gsap
bun install gsap

OR, we can also use a CDN and include the script tag in the index.html file so we don't have to worry about imports.


index.html
    . . .
    <div id="episode_total">
      <button class="select_item">合計</button>
    </div>
  </div>
  <script src="https://cdn.jsdelivr.net/npm/gsap@3.12.7/dist/gsap.min.js"></script>
  <script type="module" src="/src/main.ts"></script>
</body>

Anna's Calorie Data

Before adding our animations, we need to get Anna's calorie data from the official calorie meter.


EpisodeJPkcal
1第1話5043
2第2話4938
3第3話4420
4第4話1424
5第5話46145
6第6話4303
7第7話327
8第8話2311
9第9話1655
10第10話1850
11第11話6217
Finale最終話7185
Total合計85818

We add the data to the src/main.ts file by creating a variable called meterData and setting it to an array of objects. The cap is the caption for each episode selected with the caption followed by の総摂取カロリー (total calorie intake) and the total is the number of calories. Each index of the array corresponds to an episode except the total, which is assigned to the zeroth index.


src/main.ts
import "./style.css";
import gsap from "gsap"; // Only if you use modules

const meterData = [ 
  { cap: "最終話まで", kcal: 85818 }, 
  { cap: "第1話", kcal: 5043 }, 
  { cap: "第2話", kcal: 4938 }, 
  { cap: "第3話", kcal: 4420 }, 
  { cap: "第4話", kcal: 1424 }, 
  { cap: "第5話", kcal: 46145 }, 
  { cap: "第6話", kcal: 4303 }, 
  { cap: "第7話", kcal: 327 }, 
  { cap: "第8話", kcal: 2311 }, 
  { cap: "第9話", kcal: 1655 }, 
  { cap: "第10話", kcal: 1850 }, 
  { cap: "第11話", kcal: 6217 }, 
  { cap: "最終話", kcal: 7185 }, 
]; 

Initializing the meter

Time to initialize the meter by adding the following code to the src/main.ts file. You can add a load document event depending on where you called the script tag.


src/main.ts
import "./style.css";
import gsap from "gsap"; // Only if you use modules

const meterData = [
  . . .
];

function episodeSelect(episodeNumber: number) { 
  const meter = meterData[episodeNumber]; 
  console.log("meterData", meter); 
} 

function initializeMeter() { 
  episodeSelect(0); 

  const buttons = document.querySelectorAll<HTMLButtonElement>("button.select_item"); 
  buttons.forEach((button) => { 
    button.addEventListener("click", () => { 
      const episodeNumber = parseInt(button.dataset.episodenumber ?? "0"); 
      episodeSelect(episodeNumber); 
    }); 
  }); 
} 

initializeMeter(); 

We add event listeners to each button with the class select_item by using addEventListener. We will assign data attribute data-episodenumber to each episode button. Currently, we have do not have data attributes assigned to the button elements so let us do that. We will also add it to the total button. Now, every time we click on an episode button, we will use the episodenumber to index the meterData array and get the corresponding calories.


index.html
<div id="episode_select_list">
  <button class="select_item" data-episodenumber="1">第1話</button>
  <button class="select_item" data-episodenumber="2">第2話</button>
  <button class="select_item" data-episodenumber="3">第3話</button>
  <button class="select_item" data-episodenumber="4">第4話</button>
  <button class="select_item" data-episodenumber="5">第5話</button>
  <button class="select_item" data-episodenumber="6">第6話</button>
  <button class="select_item" data-episodenumber="7">第7話</button>
  <button class="select_item" data-episodenumber="8">第8話</button>
  <button class="select_item" data-episodenumber="9">第9話</button>
  <button class="select_item" data-episodenumber="10">第10話</button>
  <button class="select_item" data-episodenumber="11">第11話</button>
  <button class="select_item" data-episodenumber="12">最終話</button>
</div>
<div id="episode_total">
  <button class="select_item" data-episodenumber="0">合計</button>
</div>

Show the calories!

Next stop, we will change the episodeSelect function to show the calorie data for the selected episode. We will clear each digit element's text content. We first set the caption per episode then try to split the digits and set them to the appropriate number element. We will also add a with-comma class to the #calorie_container .kcal element if the calorie value is greater than 1000 kcal.


src/main.ts
import "./style.css";
import gsap from "gsap"; // Only if you use modules

const meterData = [
  . . .
];

function episodeSelect(episodeNumber: number) {
  const meter = meterData[episodeNumber];

  /** Initial state before running animation */
  document.querySelector("#calorie_container .cap .no")!.innerHTML = meter.cap; 
  const numbers = document.querySelectorAll(".kcal .number"); 
  numbers.forEach((number) => { 
    number.innerHTML = ""; 
  }); 

  /** Add comma when at least 1000 calories, remove comma when less than 1000 calories before running animation */
  if (meter.kcal < 1000) { 
    document.querySelector("#calorie_container .kcal")!.classList.remove("with-comma"); 
  } else { 
    document.querySelector("#calorie_container .kcal")!.classList.add("with-comma"); 
  } 

  /** Separate each digit of the number into an array for each animation frame */
  let num = meter.kcal; 
  let digits = []; 
  let numOfDigits = 0; 
  while (num != 0) { 
      digits.unshift(Math.floor(num % 10)); 
      num = Math.trunc(num / 10); 
      numOfDigits++; 
  } 

  /** Pad the array with zeros if the number of digits is less than 5 */
  let padDigits = 5 - numOfDigits;  
  while (padDigits > 0) { 
    digits.unshift(0); 
    padDigits--; 
  } 

  /** Set the number of digits to the corresponding element */
  const digitElems = document.querySelectorAll("#calorie_container .kcal .number"); 
  for (let digit = 0; digit < 5; digit++) { 
    digitElems[digit].innerHTML = meter.kcal < Math.pow(10, 4 - digit) ? "" : digits[digit].toFixed(0); 
  } 
}

function initializeMeter() {
  episodeSelect(0);

  const buttons = document.querySelectorAll<HTMLButtonElement>("button.select_item");
  buttons.forEach((button) => {
    button.addEventListener("click", () => {
      const episodeNumber = parseInt(button.dataset.episodenumber ?? "0");
      episodeSelect(episodeNumber);
    });
  });
}

initializeMeter();

Animating the calories

As of now, there is no animation for the calorie meter. However, we already have the needed code. We just need to apply the animations using the gsap.to() API. The documentation for gsap.to() shows the API being used to animate elements by passing selectors in the first argument and an object containing target values. However, GSAP can animate any property of any object so the sky is the limit. Passing selectors is just a convenience for starting animations quickly for DOM objects.


Before we animate the calorie meter, save the content of episodeSelect somewhere else because we will clear the content of episodeSelect function. We need to provide a few things to make our animation work. First, we need to provide the object that GSAP will animate. We will pass the target object as the first argument to the gsap.to() function called calorieMeter, which has an initial kcal of 0. kcal inside the object is what GSAP will animate. We also need to define the target kcal value in the second argument as well as other special properties for our animation - such as easing, duration and callback properties. In our case, we need to provide the following:


  • kcal, which is the target kcal value from our meterData
  • ease, which will control the rate of change of the animation
  • duration, duration of the animation in seconds. In our case, it will depend on the value of our kcal target
  • onStart to initialize the state of our DOM elements before the animation starts
  • onUpdate to update the DOM elements, particularly the digits

I think it is time to go straight to the code and then finish episodeSelect.


src/main.ts
function episodeSelect(episodeNumber: number) {
  const meter = meterData[episodeNumber];

  const calorieMeter = { kcal: 0 }; 
  gsap.to(calorieMeter, {
    /* The target value for the animation */
    kcal: meter.kcal,
    ease: "power1.inOut",
    /*
      We want the duration to be longer for larger kcal values.
      Feel free to adjust this value to your liking.
    */
    duration: (meter.kcal % 10000) / 2000, 
    onStart: () => {
      /** Initial state before running animation */
      document.querySelector("#calorie_container .cap .no")!.innerHTML = meter.cap;
      const numbers = document.querySelectorAll(".kcal .number");
      numbers.forEach((number) => {
        number.innerHTML = "";
      });

      /** Add comma when at least 1000 calories, remove comma when less than 1000 calories before running animation */
      if (meter.kcal < 1000) {
        document.querySelector("#calorie_container .kcal")!.classList.remove("with-comma");
      } else {
        document.querySelector("#calorie_container .kcal")!.classList.add("with-comma");
      }
    },
    onUpdate: () => {
      /** Separate each digit of the number into an array for each animation frame */
      let num = calorieMeter.kcal;
      let digits = [];
      let numOfDigits = 0;
      while (num != 0) {
          digits.unshift(Math.floor(num % 10));
          num = Math.trunc(num / 10);
          numOfDigits++;
      }

      /** Pad the array with zeros if the number of digits is less than 5 */
      let padDigits = 5 - numOfDigits;
      while (padDigits > 0) {
        digits.unshift(0);
        padDigits--;
      }

      /** Set the number of digits to the corresponding element */
      const digitElems = document.querySelectorAll("#calorie_container .kcal .number");
      for (let digit = 0; digit < 5; digit++) {
        digitElems[digit].innerHTML = calorieMeter.kcal < Math.pow(10, 4 - digit) ? "" : digits[digit].toFixed(0);
      }
    }
  }); 
}

We are done!

We are finally done with the animations and the calorie meter! Feel free to modify the animations and the styles to your liking and even replicate the rest of the page on your own. I have provided a CodeSandbox link for you to experiment. You can also check out the code for on my GitHub here: makeine-calorie-meter.


This was actually a fun mini-project to make since it combines anime and good web design, which are some of my favorite things in the world. The code under the hood is also pretty elegant as far as anime websites go at least. It is honestly rare for anime websites to be more than simple static sites with a few animations and little interactivity and it is clear the people behind the website have put in the work. Also, watch the show on your favorite anime streaming service! Thank you for reading!


Bonus

Currently, the calorie meter is styles only for desktop screens. I will add some styles for mobile screens as well.


src/styles.css
/* Mobile styles */
@media (max-width: 768px) {
  #app {
    padding: 30vh 0;
  }

  #calorie_container {
    padding: 2rem 2rem 0.3rem;

    .cap {
      top: 0%;
      left: -1%;
      padding: 0.5rem 1rem;
      font-size: 1.3rem;
      transform: translate(0, -60%) rotate(-5deg);

      .no {
        font-size: 1.6em;
      }
    }
  
    .kcal {
      .number {
        width: 4.8rem;
        height: 6rem;
        font-size: 5rem;
      }
    }
  }

  button.select_item {
    padding: 0.4rem 0.5rem;
    border-radius: 8rem;
  }
}

Listed under tags:

Normal DP

ambidere(amˈbideɾe)

Ambi has a software developer day job, who started to watch anime at around 10 years old. He has since ventured into many anime-adjacent hobbies over the years. He is also working on some projects, mostly for fun and boredom with a lot of distractions along the way.