Javascript Mathematical Operations
Homework
Problem 1: Basic Arithmetic
Define two variables, a and b, with values of your choice. Compute the following operations and log each result to the console:
- Sum of
aandb - Difference of
aandb - Product of
aandb - Quotient of
adivided byb
Console.log code
console.log(“Sum:”, a + b);
console.log(“Difference:”, a - b);
console.log(“Product:”, a * b);
console.log(“Quotient:”, a / b);
%%js
let a = 1;
let b = 2;
console.log("Sum:", a + b);
console.log("Difference:", a - b);
console.log("Product:", a - b);
console.log("Quotient:", a / b);
<IPython.core.display.Javascript object>
Problem 2: Modulus Operator
Define two numbers, num1 and num2. Use the modulus operator % to find the remainder when num1 is divided by num2. Log the result to the console.
Instructions:
- Define a variable
num1(the dividend). - Define a variable
num2(the divisor). - Use the modulus operator
num1 % num2to calculate the remainder. - Log the result to the console using
console.log().
console.log code
console.log(“Remainder:”, YOURVARIABLE (CORRECT MATHEMATICAL OPERATION) YOUROTHERVARIABLE); // Output: 1
%%js
let num1 = 7;
let num2 = 2;
console.log("Remainder:", num1 % num2); // Ouput: 1
<IPython.core.display.Javascript object>
Problem 3: Increment and Decrement
Define a variable count and set it to an initial value. Increment and then decrement the variable in two different ways:
- Using the
++and--operators. - Using the
+=and-=operators. Log the result after each operation.Instructions:
- Define a variable
countand assign it an initial value (e.g., 10). - Use
++to increment the variable by 1 and log the result. - Use
--to decrement the variable by 1 and log the result. - Use
+=to increment the variable by a specific value and log the result. - Use
-=to decrement the variable by a specific value and log the result. - Log result 3 times (Use these operations to increment/decremnt your number atleast 3 times)
Example:
```javascript let count = 10; console.log(“Initial Count:”, count); // Output: 10 // Increment using ++ count++;
%%js
// initial value
let count = 10;
// Increment by 1
count++;
console.log("After incrementing by 1:", count);
// Decrement by 1
count--;
console.log("After decrementing by 1:", count);
// Increment by 10
count += 10;
console.log("After incrementing by 10:", count);
// Decrement by 5
count -= 5;
console.log("After decrementing by 5:", count);
<IPython.core.display.Javascript object>