Showing posts with label LeetCode. Show all posts
Showing posts with label LeetCode. Show all posts

Bit Manipulation - Finding the missing number in a sequence in Kotlin


Problem Statement:

You are given an array containing n distinct numbers from 0 to n. Exactly one number in this range is missing from the array. You must find this missing number using bit manipulation techniques.

Example:

Input: [3, 0, 1]
Output: 2

Input: [9,6,4,2,3,5,7,0,1]
Output: 8

Explanation (using XOR):

A very efficient way to solve this using bit manipulation is to leverage XOR (^), which has these properties:

  • a ^ a = 0 (XOR of a number with itself is zero)
  • a ^ 0 = a (XOR of a number with zero is itself)
  • XOR is commutative and associative

Therefore, if we XOR all the indices and all the numbers, every number present will cancel out, leaving the missing number.


Implementation in Kotlin:

fun missingNumber(nums: IntArray): Int {
    var xor = nums.size // start with n, since array is from 0 to n
    for (i in nums.indices) {
        xor = xor xor i xor nums[i]
    }
    return xor
}

fun main() {
    println(missingNumber(intArrayOf(3, 0, 1))) // Output: 2
    println(missingNumber(intArrayOf(9,6,4,2,3,5,7,0,1))) // Output: 8
    println(missingNumber(intArrayOf(0,1))) // Output: 2
}

Complexity:

  • Time Complexity: O(n) (Iterates through the array once)
  • Space Complexity: O(1) (No extra space used)


Thanks for reading! πŸŽ‰ I'd love to know what you think about the article. Did it resonate with you? πŸ’­ Any suggestions for improvement? I’m always open to hearing your feedback to improve my posts! πŸ‘‡πŸš€. Happy coding! πŸ’»✨

Coin Change Problem in Kotlin: Multiple Approaches with Examples

The coin change problem is a classic leet coding challenge often encountered in technical interviews. The problem asks:

Given an array of coin denominations and a target amount, find the fewest number of coins needed to make up that amount. If it's not possible, return -1. You can use each coin denomination infinitely many times.

Here are multiple ways to solve the Coin Change problem in Kotlin, with detailed explanations and code examples. I'll present two distinct approaches:

  1. Dynamic Programming (Bottom-Up approach)
  2. Recursive Approach with Memoization (Top-Down)

Approach 1: Dynamic Programming (Bottom-Up)

Idea:

  • Build an array dp where each dp[i] indicates the minimum number of coins required for the amount i.
  • Initialize the array with a large number (representing infinity).
  • The base case is dp[0] = 0.

Steps:

  • For each amount from 1 to amount, try every coin denomination.
  • Update dp[i] if using the current coin leads to fewer coins than the current value.

Kotlin Solution:

fun coinChange(coins: IntArray, amount: Int): Int {
    val max = amount + 1
    val dp = IntArray(amount + 1) { max }
    dp[0] = 0

    for (i in 1..amount) {
        for (coin in coins) {
            if (coin <= i) {
                dp[i] = minOf(dp[i], dp[i - coin] + 1)
            }
        }
    }
    
    return if (dp[amount] > amount) -1 else dp[amount]
}

// Usage:
fun main() {
    println(coinChange(intArrayOf(1, 2, 5), 11)) // Output: 3
    println(coinChange(intArrayOf(2), 3))        // Output: -1
    println(coinChange(intArrayOf(1), 0))        // Output: 0
}

Time Complexity: O(amount * coins.length)
Space Complexity: O(amount)


Approach 2: Recursive Approach with Memoization (Top-Down)

Idea:

  • Define a recursive function solve(remainingAmount) that returns the minimum coins required.
  • Use memoization to store previously computed results, avoiding redundant calculations.

Steps:

  • For each call, explore all coin denominations and recursively find solutions.
  • Cache results to avoid recomputation.

Kotlin Solution:

fun coinChangeMemo(coins: IntArray, amount: Int): Int {
    val memo = mutableMapOf<Int, Int>()

    fun solve(rem: Int): Int {
        if (rem < 0) return -1
        if (rem == 0) return 0
        if (memo.containsKey(rem)) return memo[rem]!!

        var minCoins = Int.MAX_VALUE
        for (coin in coins) {
            val res = solve(rem - coin)
            if (res >= 0 && res < minCoins) {
                minCoins = res + 1
            }
        }

        memo[rem] = if (minCoins == Int.MAX_VALUE) -1 else minCoins
        return memo[rem]!!
    }

    return solve(amount)
}

// Usage:
fun main() {
    println(coinChangeMemo(intArrayOf(1, 2, 5), 11)) // Output: 3
    println(coinChangeMemo(intArrayOf(2), 3))        // Output: -1
    println(coinChangeMemo(intArrayOf(1), 0))        // Output: 0
}

Time Complexity: O(amount * coins.length)
Space Complexity: O(amount) (stack space + memoization map)


Quick Comparison:

Approach Time Complexity Space Complexity When to Use?
Dynamic Programming (Bottom-Up) O(amount * coins.length) O(amount) Optimal, preferred for efficiency
Recursive with Memoization O(amount * coins.length) O(amount) Easy to understand recursion

Edge Cases Handled:

  • If amount is 0, both solutions immediately return 0.
  • If the amount cannot be composed by given coins, they return -1.

Summary:

  • Dynamic Programming is the optimal, most widely used solution for this problem.
  • Recursive Approach with memoization demonstrates understanding of recursion and memoization principles.

You can select either based on clarity, readability, or efficiency needs. The DP solution is highly recommended in competitive programming or technical interviews for optimal performance. 

Thanks for reading! πŸŽ‰ I'd love to know what you think about the article. Did it resonate with you? πŸ’­ Any suggestions for improvement? I’m always open to hearing your feedback to improve my posts! πŸ‘‡πŸš€. Happy coding! πŸ’»✨

Code Challenge: Designing a Parking Lot System in Kotlin

Designing a parking lot system is an excellent exercise for learning object-oriented programming (OOP) principles, modularity, and scalability. This article explains a step-by-step implementation of a parking lot system in Kotlin, focusing on clarity and logical structure. The content is written to cater to developers at all levels.


Problem Definition

We aim to build a parking lot system with the following requirements:

  1. Vehicle Types: Motorcycles, Cars, and Vans.
  2. Spot Types: Motorcycle spots, compact spots, and large spots.
  3. Parking Rules:
    • Motorcycles can park in any spot.
    • Cars can park in compact or larger spots.
    • Vans need three consecutive large spots.
  4. System Features:
    • Track available spots and their types.
    • Determine if the parking lot is full or empty.
    • Check if specific types of spots (e.g., motorcycle spots) are full.

High-Level Design

The solution follows a modular approach:

  1. Enums: Define vehicle and parking spot types.
  2. Interfaces: Abstract shared functionality for vehicles and spots.
  3. Classes: Concrete implementations for vehicles, spots, and parking lot management.
  4. Controller: High-level interface for interacting with the system.

Each section below breaks down the design in detail.


1. Defining Enums

Enums are ideal for defining fixed categories, like vehicle and spot types.

enum class VehicleType { MOTORCYCLE, CAR, VAN }
enum class SpotType { MOTORCYCLE, COMPACT, LARGE }
  • What This Does:

    • VehicleType categorizes vehicles (Motorcycle, Car, Van).
    • SpotType categorizes parking spots (Motorcycle, Compact, Large).
  • Why It Matters:

    • Enums make code more readable and maintainable. For example, instead of using arbitrary strings, you can use VehicleType.CAR.

2. Abstracting Vehicles

We use an interface to define the behavior of all vehicles. Specific vehicle types inherit this interface and add their unique properties.

interface Vehicle {
    val type: VehicleType
    val requiredSpots: Int
}

class Motorcycle : Vehicle {
    override val type = VehicleType.MOTORCYCLE
    override val requiredSpots = 1
}

class Car : Vehicle {
    override val type = VehicleType.CAR
    override val requiredSpots = 1
}

class Van : Vehicle {
    override val type = VehicleType.VAN
    override val requiredSpots = 3
}
  • What This Does:

    • Vehicle defines shared properties: type and requiredSpots.
    • Motorcycle, Car, and Van implement specific logic, like how many spots they need.
  • Why It Matters:

    • Abstraction allows flexibility. If a new vehicle type is added, you only need to create a new class without changing the existing code.

3. Abstracting Parking Spots

Parking spots are represented by an interface and a concrete class.

interface ParkingSpot {
    val id: Int
    val type: SpotType
    var isOccupied: Boolean
}

class GenericParkingSpot(
    override val id: Int,
    override val type: SpotType
) : ParkingSpot {
    override var isOccupied = false
}
  • What This Does:

    • ParkingSpot defines properties like id, type, and isOccupied.
    • GenericParkingSpot implements these properties.
  • Why It Matters:

    • Decoupling spot behavior from its implementation makes the code flexible. For example, adding electric vehicle spots in the future requires only creating a new class.

4. Managing the Parking Lot

The ParkingLotManager class handles the core functionality:

  1. Initializing parking spots.
  2. Allocating spots for vehicles.
  3. Removing vehicles.
  4. Providing status updates.
class ParkingLotManager(
    motorcycleSpots: Int,
    compactSpots: Int,
    largeSpots: Int
) {
    private val spots: MutableList<ParkingSpot> = mutableListOf()

    init {
        repeat(motorcycleSpots) { spots.add(GenericParkingSpot(spots.size + 1, SpotType.MOTORCYCLE)) }
        repeat(compactSpots) { spots.add(GenericParkingSpot(spots.size + 1, SpotType.COMPACT)) }
        repeat(largeSpots) { spots.add(GenericParkingSpot(spots.size + 1, SpotType.LARGE)) }
    }

    fun parkVehicle(vehicle: Vehicle): Boolean {
        val availableSpots = spots.filter { !it.isOccupied && it.type.ordinal >= vehicle.type.ordinal }

        if (availableSpots.size >= vehicle.requiredSpots) {
            availableSpots.take(vehicle.requiredSpots).forEach { it.isOccupied = true }
            println("${vehicle.type} parked successfully.")
            return true
        }
        println("No space available for ${vehicle.type}.")
        return false
    }

    fun removeVehicle(vehicle: Vehicle) {
        val occupiedSpots = spots.filter { it.isOccupied && it.type.ordinal >= vehicle.type.ordinal }
        if (occupiedSpots.size >= vehicle.requiredSpots) {
            occupiedSpots.take(vehicle.requiredSpots).forEach { it.isOccupied = false }
            println("${vehicle.type} removed successfully.")
        } else {
            println("No vehicle of type ${vehicle.type} found to remove.")
        }
    }

    fun getRemainingSpots(): Int = spots.count { !it.isOccupied }
    fun isFull(): Boolean = spots.none { !it.isOccupied }
    fun isEmpty(): Boolean = spots.all { !it.isOccupied }
}
  • What This Does:

    • Initializes spots based on configuration.
    • Handles the logic for parking and removing vehicles.
    • Tracks the parking lot's status.
  • Why It Matters:

    • Centralized management makes it easier to add new features, like reserved spots or dynamic pricing.

5. Simplifying User Interaction

The ParkingLotController abstracts parking lot management for the user. It combines common operations like parking, removing, and querying into a single interface.

class ParkingLotController(private val parkingLotManager: ParkingLotManager) {
    fun park(vehicle: Vehicle) {
        parkingLotManager.parkVehicle(vehicle)
    }

    fun remove(vehicle: Vehicle) {
        parkingLotManager.removeVehicle(vehicle)
    }

    fun displayStatus() {
        println("Remaining Spots: ${parkingLotManager.getRemainingSpots()}")
        println("Is Full: ${parkingLotManager.isFull()}")
        println("Is Empty: ${parkingLotManager.isEmpty()}")
    }
}
  • What This Does:

    • Simplifies interaction with the parking lot system.
    • Focuses on common actions like parking and querying status.
  • Why It Matters:

    • Abstracting complexity improves usability for developers using the system.

6. Putting It All Together

The main function demonstrates how all components work together.

fun main() {
    val parkingLotManager = ParkingLotManager(motorcycleSpots = 5, compactSpots = 10, largeSpots = 3)
    val controller = ParkingLotController(parkingLotManager)

    val motorcycle = Motorcycle()
    val car = Car()
    val van = Van()

    controller.park(motorcycle)
    controller.park(car)
    controller.park(van)
    controller.displayStatus()

    controller.remove(car)
    controller.displayStatus()
}
  • What This Does:
    • Creates a parking lot with specified spots.
    • Parks and removes vehicles.
    • Displays the parking lot's status after each operation.

Advantages of This Design

  1. Modular and Maintainable:

    • Each class/interface has a single responsibility.
    • The code is easier to understand and maintain.
  2. Scalable:

    • Adding new vehicle or spot types is simple (e.g., adding EV spots or trucks).
  3. Reusable:

    • Interfaces (Vehicle, ParkingSpot) ensure reusability and extensibility.
  4. Adheres to OOP Principles:

    • Encapsulation: Hides the implementation details of parking logic.
    • Polymorphism: Handles different vehicle types using a common interface.
    • Abstraction: Separates high-level logic from lower-level details.

Summary

This solution demonstrates a modular, extensible, and maintainable approach to designing a parking lot system in Kotlin. Key highlights include:

  • Enums for categorization.
  • Interfaces for abstraction.
  • Classes for specific implementations.
  • Centralized Management for parking logic.
  • Simplified Interaction through a controller.

This design adheres to core OOP principles, such as encapsulation, abstraction, and polymorphism. It ensures that adding new features, such as electric vehicle spots or dynamic pricing, is straightforward.

Whether you’re a beginner learning Kotlin or an experienced developer designing complex systems, this approach provides a solid foundation for building scalable applications.

More details of problem go to LeetCode 

HappyCoding 

#Kotlin #Android #CodeChallenge

LeetCode Solution : Reverse Only Letters in a String in Kotlin

Reversing only the letters in a string while keeping all other characters in their original positions is an interesting problem that tests your ability to manipulate strings. In this post, we'll solve the LeetCode problem "Reverse Only Letters" step by step.




Problem Statement

Given a string s, reverse only the English letters (uppercase and lowercase), keeping non-English letters in their original positions.

Rules:

  1. All non-English letters remain in the same position.
  2. Reverse the order of English letters only.

Examples:

  • Input: "ab-cd"
    Output: "dc-ba"
  • Input: "a-bC-dEf-ghIj"
    Output: "j-Ih-gfE-dCba"
  • Input: "Test1ng-Leet=code-Q!"
    Output: "Qedo1ct-eeLg=ntse-T!"

Constraints:

  • 1s.length1001 \leq s.length \leq 100
  • ASCII values of characters in s are in the range [33,122][33, 122].
  • s does not contain '\"' or '\\'.

Solution Approach

To solve this problem, follow these steps:

1. Identify English Letters

The key is to focus only on English letters (a-z and A-Z) and ignore all other characters.

2. Reverse Only Letters

Use a two-pointer approach to efficiently reverse the letters:

  • Place one pointer at the start and another at the end of the string.
  • Swap letters when both pointers point to English letters.
  • Skip over non-English letters by advancing or retreating the pointers.

3. Rebuild the String

Keep all non-English characters in their original positions while reversing only the letters.


Implementation in Kotlin

fun reverseOnlyLetters(s: String): String {
    val chars = s.toCharArray()
    var left = 0
    var right = s.length - 1

    while (left < right) {
        // Skip non-letters at the left
        while (left < right && !chars[left].isLetter()) {
            left++
        }
        // Skip non-letters at the right
        while (left < right && !chars[right].isLetter()) {
            right--
        }
        // Swap letters
        val temp = chars[left]
        chars[left] = chars[right]
        chars[right] = temp

        left++
        right--
    }

    return String(chars)
}

Explanation

  1. Convert String to Array: Convert the input string s to a CharArray so we can modify it in place.
  2. Two-Pointer Technique:
    • Start two pointers: left at the beginning and right at the end of the array.
    • Use isLetter() to check if the characters are English letters.
    • If both characters are letters, swap them.
    • Otherwise, move the pointers inward while skipping non-letter characters.
  3. Return the Result: Convert the modified CharArray back to a string and return it.

Dry Run Example

Input: "a-bC-dEf-ghIj"

Step Array State Left Right Action
Init ['a', '-', 'b', 'C', '-', 'd', 'E', 'f', '-', 'g', 'h', 'I', 'j'] 0 12 Start pointers
1 ['j', '-', 'b', 'C', '-', 'd', 'E', 'f', '-', 'g', 'h', 'I', 'a'] 1 11 Swap 'a' and 'j'
2 ['j', '-', 'I', 'C', '-', 'd', 'E', 'f', '-', 'g', 'h', 'b', 'a'] 3 10 Swap 'b' and 'I'
3 ['j', '-', 'I', 'h', '-', 'd', 'E', 'f', '-', 'g', 'C', 'b', 'a'] 4 9 Swap 'C' and 'h'
4 ['j', '-', 'I', 'h', '-', 'g', 'E', 'f', '-', 'd', 'C', 'b', 'a'] 5 8 Swap 'd' and 'g'
Done ['j', '-', 'I', 'h', '-', 'g', 'f', 'E', '-', 'd', 'C', 'b', 'a'] Result achieved

Output: "j-Ih-gfE-dCba"


Complexity Analysis

  1. Time Complexity: O(n)O(n), where nn is the length of the string. Each character is processed at most once.
  2. Space Complexity: O(n)O(n) due to the CharArray used for in-place modifications.

Why This Approach?

This solution is efficient and easy to understand. By using the two-pointer technique, we minimize unnecessary operations and handle non-letter characters seamlessly.


Here are a few different ways to solve the problem, each with varying techniques:


1. Using Stack (Explicit Data Structure)

fun reverseOnlyLettersUsingStack(s: String): String {
    val stack = ArrayDeque<Char>()
    for (ch in s) {
        if (ch.isLetter()) stack.push(ch)
    }
    val result = StringBuilder()
    for (ch in s) {
        result.append(if (ch.isLetter()) stack.pop() else ch)
    }
    return result.toString()
}

2. Using Regular Expressions (Regex)

fun reverseOnlyLettersUsingRegex(s: String): String {
    val letters = s.filter { it.isLetter() }.reversed()
    var index = 0
    return buildString {
        for (ch in s) {
            append(if (ch.isLetter()) letters[index++] else ch)
        }
    }
}

3. Using Mutable List and Two-Pointer Swap

fun reverseOnlyLettersUsingMutableList(s: String): String {
    val chars = s.toMutableList()
    var left = 0
    var right = chars.size - 1

    while (left &lt; right) {
        if (!chars[left].isLetter()) {
            left++
        } else if (!chars[right].isLetter()) {
            right--
        } else {
            chars[left] = chars[right].also { chars[right] = chars[left] }
            left++
            right--
        }
    }
    return chars.joinToString("")
}

4. Using Recursion

fun reverseOnlyLettersRecursive(s: String): String {
    val chars = s.toCharArray()
    fun helper(left: Int, right: Int): String {
        if (left &gt;= right) return String(chars)
        if (!chars[left].isLetter()) return helper(left + 1, right)
        if (!chars[right].isLetter()) return helper(left, right - 1)
        chars[left] = chars[right].also { chars[right] = chars[left] }
        return helper(left + 1, right - 1)
    }
    return helper(0, chars.size - 1)
}

5. Using Streams (Kotlin Functional Approach)

fun reverseOnlyLettersUsingStream(s: String): String {
    val letters = s.filter { it.isLetter() }.reversed().iterator()
    return s.map { if (it.isLetter()) letters.next() else it }.joinToString("")
}

These solutions showcase a variety of approaches—some use explicit data structures like stacks, while others use functional programming or regular expressions. Choose the method that best fits your style or problem constraints!

Summary

The "Reverse Only Letters" problem is a great exercise in string manipulation and working with constraints. Using the two-pointer technique ensures an optimal and clear solution. Whether you’re preparing for coding interviews or improving your problem-solving skills, this approach is worth mastering.

Feel free to try this code on your own and tweak it for other scenarios!

Leet Code: Efficient Solutions for Roman to Integer and Integer to Roman Conversion in Kotlin

Roman numerals, a numeral system originating in ancient Rome, are still widely used today, especially in clocks, book chapters, and movie credits. While these numerals are fascinating, they can present a unique challenge when it comes to conversion between Roman and integer formats in programming. In this article, we will discuss how to efficiently implement Roman to Integer and Integer to Roman conversions in Kotlin, using simple and optimized solutions.




Introduction

In many programming tasks, you may need to convert Roman numerals to integers or vice versa. These conversions can often involve a significant amount of logic, as Roman numerals follow a distinct set of rules, including both additive and subtractive notations. The key is to design efficient algorithms that respect these rules while minimizing computational overhead.

Let’s dive into two important operations:

  1. Roman to Integer: Converting a Roman numeral (like IV or MCMXCIV) to an integer (like 4 or 1994).
  2. Integer to Roman: Converting an integer (like 1994) back to a Roman numeral (like MCMXCIV).

Roman to Integer Conversion

Roman numerals are built on seven symbols:

  • I (1), V (5), X (10), L (50), C (100), D (500), and M (1000).

The Roman numeral system uses additive and subtractive notation. In additive notation, numerals are simply added together (e.g., VI = 5 + 1 = 6). However, in subtractive notation, a smaller numeral before a larger numeral indicates subtraction (e.g., IV = 5 - 1 = 4).

Approach

To convert a Roman numeral string to an integer efficiently, we:

  • Traverse the string from right to left.
  • Compare each numeral’s value with the numeral before it (i.e., the next numeral in the string from right to left).
  • If the current numeral is smaller than the previous one, we subtract its value (indicating a subtractive combination). Otherwise, we add its value.

Solution Code

fun romanToInt(s: String): Int {
    val romanMap = mapOf(
        'I' to 1, 'V' to 5, 'X' to 10, 'L' to 50, 'C' to 100, 
        'D' to 500, 'M' to 1000
    )
    
    var result = 0
    var prevValue = 0
    
    for (char in s.reversed()) {
        val currentValue = romanMap[char] ?: 0
        
        if (currentValue < prevValue) {
            result -= currentValue
        } else {
            result += currentValue
        }
        
        prevValue = currentValue
    }
    
    return result
}

Explanation of the Code

  1. Mapping Roman Characters to Values: We use a map (romanMap) to associate each Roman numeral character with its corresponding integer value.

  2. Reversing the String: We iterate through the Roman numeral string in reverse (from right to left) to make it easier to handle subtractive notation.

  3. Addition or Subtraction: For each character, if its value is less than the value of the character processed earlier, we subtract it (for subtractive cases like IV or IX). Otherwise, we add it.

  4. Final Result: After processing the entire string, the result contains the corresponding integer value.

Time Complexity

  • O(n): We only iterate through the string once (where n is the length of the Roman numeral), and the map lookup is O(1) for each character.

Integer to Roman Conversion

To convert an integer to a Roman numeral, the process is somewhat the reverse of the Roman to Integer conversion. Instead of subtracting values, we greedily subtract the largest possible Roman numeral values from the number and append their symbols to a string.

Approach

To convert an integer to a Roman numeral:

  1. Start with the largest possible Roman numeral (1000) and work down to the smallest (1).
  2. For each Roman numeral, subtract it from the number as many times as it fits, appending the corresponding symbol each time.
  3. Continue this process until the number becomes zero.

Solution Code

fun intToRoman(num: Int): String {
    val values = intArrayOf(1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1)
    val symbols = arrayOf("M", "CM", "D", "CD", "C", "XC", "L", "XL", "X", "IX", "V", "IV", "I")
    
    var number = num
    val roman = StringBuilder()
    
    for (i in values.indices) {
        while (number >= values[i]) {
            roman.append(symbols[i])
            number -= values[i]
        }
    }
    
    return roman.toString()
}

Explanation of the Code

  1. Roman Values and Symbols: We define two arrays: values (the integer values of Roman numerals) and symbols (the corresponding Roman symbols).

  2. Greedy Algorithm: For each value in the values array, we subtract the value from the integer (num) as many times as possible, appending the corresponding symbol to the result each time.

  3. Build the Result: As we continue subtracting the largest possible Roman values, the StringBuilder (roman) is appended with the corresponding symbols until the number is reduced to zero.

  4. Return Result: The final Roman numeral is returned as a string.

Time Complexity

  • O(1): Since the Roman numeral system only has 13 distinct values, the loop runs a fixed number of times (13 iterations), making the time complexity constant, irrespective of the input size.

Example Usage

fun main() {
    // Roman to Integer Conversion
    val roman = "MCMXCIV"
    println("Roman to Integer: $roman -> ${romanToInt(roman)}")  // Output: 1994
    
    // Integer to Roman Conversion
    val number = 1994
    println("Integer to Roman: $number -> ${intToRoman(number)}")  // Output: MCMXCIV
}

Example Explanation

  • Roman to Integer: The Roman numeral MCMXCIV is converted to 1994 by using the rules of Roman numeral subtraction and addition.
  • Integer to Roman: The integer 1994 is converted back to MCMXCIV by repeatedly subtracting the largest Roman numeral values.

Conclusion

Roman numeral conversion problems are often seen in interviews and coding challenges. By understanding the rules of Roman numerals—additive and subtractive notation—you can build efficient solutions for both Roman to Integer and Integer to Roman conversions.

  • Roman to Integer: A simple right-to-left traversal of the string ensures we correctly handle both addition and subtraction rules.
  • Integer to Roman: A greedy approach ensures that we subtract the largest Roman numeral values as many times as needed, creating an efficient solution.

Both of these solutions are O(n) for Roman to Integer and O(1) for Integer to Roman, making them highly efficient for most practical use cases. Whether you are coding for fun or preparing for a technical interview, mastering these conversions will add to your toolkit of problem-solving techniques in Kotlin.