JavaScript: Convert Fahrenheit to Celsius

1. Introduction

The Fahrenheit and Celsius scales are the two most commonly used temperature scales for general temperature reporting in several regions around the world. Converting from one scale to the other is essential in many scenarios. In this guide, we're going to walk through a simple JavaScript program that converts temperatures from Fahrenheit to Celsius.

2. Program Overview

Throughout this guide, we'll:

1. Specify a temperature in Fahrenheit.

2. Design a function that transforms the Fahrenheit temperature to Celsius.

3. Demonstrate the result.

3. Code Program

let temperatureInFahrenheit = 77;  // Starting temperature in Fahrenheit
let temperatureInCelsius;  // Variable to keep the resulting Celsius temperature

// Function to translate Fahrenheit to Celsius
function convertToCelsius(fahrenheit) {
    return (fahrenheit - 32) * 5/9;
}

temperatureInCelsius = convertToCelsius(temperatureInFahrenheit);

console.log(temperatureInFahrenheit + "°F translates to " + temperatureInCelsius.toFixed(2) + "°C.");

Output:

77°F translates to 25.00°C.

4. Step By Step Explanation

1. Variable Declaration: We initiate by setting our temperatureInFahrenheit which we plan to convert, along with a variable temperatureInCelsius to reserve the outcome.

2. Conversion Mechanism: The convertToCelsius(fahrenheit) function undertakes the conversion. The formula used here is: (fahrenheit - 32) × 5/9.

3. Executing the Conversion: We call our convertToCelsius function with the designated Fahrenheit temperature, and the result is stored in temperatureInCelsius.

4. Output Presentation: Using console.log, we output the original Fahrenheit temperature followed by its Celsius equivalent. For a more polished look, we use the toFixed(2) function, ensuring our Celsius temperature shows with two decimal points.

Comments