We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Categorize Box According to Criteria

Difficulty: Easy


Problem Description

Given four integers length, width, height, and mass, representing the dimensions and mass of a box, return a string representing the category of the box. The box can be classified as "Bulky", "Heavy", "Both", or "Neither" based on specific criteria.


Key Insights

  • A box is classified as "Bulky" if any dimension is >= 10^4 or if its volume (length * width * height) is >= 10^9.
  • A box is classified as "Heavy" if its mass is >= 100.
  • The final category can be "Both" if the box is classified as both "Bulky" and "Heavy".
  • If neither condition is met, the box is classified as "Neither".

Space and Time Complexity

Time Complexity: O(1) - The operations performed are constant time checks. Space Complexity: O(1) - No additional space is used that scales with input size.


Solution

To solve the problem, we will:

  1. Calculate the volume of the box using the formula: volume = length * width * height.
  2. Check if any dimension is >= 10^4 to determine if the box is "Bulky".
  3. Check if the mass is >= 100 to determine if the box is "Heavy".
  4. Return the appropriate category based on the checks.

Code Solutions

def categorize_box(length: int, width: int, height: int, mass: int) -> str:
    volume = length * width * height
    is_bulky = length >= 10**4 or width >= 10**4 or height >= 10**4 or volume >= 10**9
    is_heavy = mass >= 100

    if is_bulky and is_heavy:
        return "Both"
    elif is_bulky:
        return "Bulky"
    elif is_heavy:
        return "Heavy"
    else:
        return "Neither"
← Back to All Questions