Integers

Integers are a important data type in computer science. They can be used to represent whole numbers, both positive and negative, including zero. In many programming languages, integers are used for counting, indexing, and various arithmetic operations.

# Example of integer operations in Python
a = 5
b = 3


# Performing arithmetic operations
sum_result = a + b       # 8
product_result = a * b   # 15
mod_result = a % b       # 2


# Output the results
print("Sum:", sum_result)
print("Product:", product_result)
print("Modulo:", mod_result)



// Integers in JavaScript


// In JavaScript, integers are part of the broader "Number" type.
// All numbers, whether integers or floating-point, are represented as a "Number".

// Properties of Integers:
console.log("Properties of Integers in JavaScript:");
console.log("1. Whole numbers without any decimal point.");
console.log("2. Represented as the Number type.");
console.log("3. Safe integers range from -(2^53 - 1) to (2^53 - 1).");


// Common Operations on Integers:
let a = 5;
let b = 3;


// Performing arithmetic operations
let sum = a + b;           // Addition
let product = a * b;       // Multiplication
let division = a / b;      // Division
let mod = a % b;           // Modulo


// Outputting the results
console.log(`Sum: ${sum}`);           // 8
console.log(`Product: ${product}`);    // 15
console.log(`Division: ${division}`);  // 1.6666666666666667
console.log(`Modulo: ${mod}`);         // 2


// Incrementing and decrementing
a++;                              // a becomes 6
b--;                              // b becomes 2
console.log(`Incremented a: ${a}`); // 6
console.log(`Decremented b: ${b}`); // 2


// Using BigInt for very large integers
let largeNumber = 123456789012345678901234567890n; // n suffix denotes BigInt
let anotherBigInt = BigInt(98765432109876543210);
let bigSum = largeNumber + anotherBigInt; // BigInt addition


Floating-Point Numbers

Floating-point numbers represent real numbers that have a decimal point. They are used to approximate real numbers when dealing with fractional or very large values in programming.

# Example of floating-point operations in Python
x = 5.75
y = 3.4


# Performing arithmetic operations
sum_result = x + y            # 9.15
product_result = x * y        # 19.55
division_result = x / y       # 1.6911764705882353


# Output the results
print("Sum:", sum_result)
print("Product:", product_result)
print("Division:", division_result)


# Floating-point precision issue
a = 0.1
b = 0.2
precision_issue = a + b        # 0.30000000000000004


# Output the precision issue result
print("Precision Issue (0.1 + 0.2):", precision_issue)

%%javascript
// Lesson on Floating-Point Numbers in JavaScript

// Precision Issues
let a = 0.1;
let b = 0.2;
let sum = a + b;
console.log(`Expected: 0.3, Actual: ${sum}`); // Outputs: 0.30000000000000004


// Understanding Rounding Errors
let roundedSum = (0.1 + 0.2).toFixed(2);
// rounds sum to 2 decimal places

// Range of Floating-Point Numbers
let maxFloat = Number.MAX_VALUE; // Maximum floating-point value
console.log(`Maximum Float Value: ${maxFloat}`);
let overflow = maxFloat * 2; // Attempting to exceed the limit
console.log(`Overflow Example: ${overflow}`); // Outputs: Infinity

Strings

A string is a sequence of characters, such as letters, numbers, symbols, and spaces. Strings are widely used in programming to represent text and are usually enclosed in quotes (`" "` or `' '`).

# Example of string operations in Python
name = "Alice"
greeting = "Hello, " + name   # Concatenation
print(greeting)               # Output: Hello, Alice

# String length
length = len(name)            # 5

# Using string methods
uppercase_name = name.upper() # 'ALICE'

%%javascript
// Strings in Javascript
// Scripts are used to automate tasks, manipulate data, and perform various operations in software applications


// Example of a Simple Script: 
let greeting = "Hello, World!"; // Declare a variable with a greeting message
console.log(greeting); // Output the greeting to the console


// More Complex Script Example: 
console.log("\n4. More Complex Script Example:");
// Demonstrates a more complex script involving functions.
function calculateSum(a, b) {
    return a + b; // Function to calculate the sum of two numbers
}


Lists

A list is an ordered collection of elements, which can include numbers, strings, or other objects. Lists are a fundamental data structure in programming that allows for efficient data management and manipulation.

## Examples of Lists in Python

## Lists in Python are versatile and can be used to store a collection of items. Below are some common operations performed on lists.

### Creating a List

# Creating a list
my_list = [10, 20, 30, 40]
print("Initial List:", my_list)  # Output: Initial List: [10, 20, 30, 40]

%%javascript

// In JavaScript, lists are typically represented using Arrays,
// which are a special type of object for ordered collections of elements.

// Creating an array
let myArray = [10, 20, 30, 40];
console.log("Initial Array:", myArray);  // Output: Initial Array: [10, 20, 30, 40]


// Accessing elements
let firstElement = myArray[0];  // 10
console.log("First Element:", firstElement);  // Output: First Element: 10


// Appending an element
myArray.push(50);
console.log("After Appending 50:", myArray);  // Output: After Appending 50: [10, 20, 30, 40, 50]


// Inserting an element
myArray.splice(2, 0, 25);  // Insert 25 at index 2
console.log("After Inserting 25 at index 2:", myArray);  // Output: [10, 20, 25, 30, 40, 50]


// Removing an element by value
let removedElement = myArray.splice(3, 1);  // Remove 1 element at index 3
console.log("Removed Element:", removedElement);  // Output: Removed Element: 30
console.log("Array After Removing Element at Index 3:", myArray);  // Output: [10, 20, 25, 40, 50]


Popcorn Hack: create a simple python script to add two integers


def add_two_numbers(num1, num2):
    """Function to add two integers."""
    return num1 + num2

# Get user input
try:
    # Prompt the user for two integers
    first_number = int(input("Enter the first integer: "))
    second_number = int(input("Enter the second integer: "))

    # Call the function to add the numbers
    result = add_two_numbers(first_number, second_number)

    # Print the result
    print(f"The sum of {first_number} and {second_number} is: {result}")

except ValueError:
    print("Please enter valid integers.")

Popcorn Hack: Simple Python script to count the length of a string

# Get user input
user_string = input("Please enter a string: ")

# Count the length of the string
string_length = len(user_string)

# Print the length of the string
print(f"The length of the entered string is: {string_length}")

Popcorn Hack: Simple JavaScript function to check for `null`(`none` in python)

%% javascript

function isNull(val) {
    return val === null ? "No value" : "Value exists";
}

// Test the function
console.log(isNull(null));  // Output: No value
console.log(isNull(10));    // Output: Value exists