2727. Is Object Empty


Problem Description

This LeetCode problem asks us to write a function that determines whether a given object or array is empty. An object is considered empty if it has no key-value pairs, while an array is deemed empty if it contains no elements. It's mentioned that we may assume the object or array input to our function is the result of JSON.parse, implying that these inputs are valid JSON objects and arrays.

In programming, detecting whether a collection like an array or an object is empty is a common task, since actions might be taken based on this state. An empty array might signal that there are no items to iterate over, while an empty object might indicate that there are no attributes to process. Thus, having a clear and efficient way to check for this condition is useful in many scenarios.

Intuition

The solution approach leverages a simple for...in loop to iterate over the properties of the input object or elements of the array. The for...in loop in TypeScript (and JavaScript) returns the keys of an enumerable object or indexes of an array.

Here's the intuition behind using this loop:

  1. Begin iterating over the object or array using a for...in loop.
  2. If the loop body is executed (even once), it means there is at least one key in the object or one item in the array which makes the object or array non-empty.
  3. Therefore, if the loop executes, we immediately return false indicating the object/array is not empty.
  4. If the loop completes without executing its body, it means there were no keys/items to iterate over, and hence we return true indicating that the object/array is indeed empty.

This approach capitalizes on the idea that an iteration would only occur if there is something in the object or array; otherwise, the loop would simply be skipped, validating that it is empty. It's an efficient approach because it stops checking as soon as a single property or element is found, without unnecessary iteration over the entire collection.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece:

How many ways can you arrange the three letters A, B and C?

Solution Approach

The implementation of the solution is straightforward and utilizes the for...in loop, which is an efficient way to iterate over the enumerable properties of objects and the elements of arrays in JavaScript (and TypeScript).

Let's walk through the solution code piece by piece:

1function isEmpty(obj: Record<string, any> | any[]): boolean {
2    for (const x in obj) {
3        return false;
4    }
5    return true;
6}
  1. The isEmpty function accepts a parameter obj which can be either an object with string keys (Record<string, any>) or an array (any[]). This is indicated by the TypeScript type union syntax Record<string, any> | any[].

  2. Inside the function, we have a for...in loop for (const x in obj) {...}. This loop will iterate over all the enumerable properties if obj is an object, or over all the indices if obj is an array. Here x will be assigned the keys or indices.

  3. If the loop body is executed, the function immediately returns false with return false;. This is because the presence of any key or index indicates that the object or array is not empty.

  4. If the loop completes without executing the loop body (which would happen if there are no properties in an object or no elements in an array), the function proceeds to the next line after the loop which returns true with return true;.

This approach is algorithmically simple and does not require any additional data structures or complex patterns. It exploits the inherent behavior of the for...in loop to detect the presence of enumerable properties or elements. By returning immediately upon finding the first property or element, the function ensures a best-case runtime of O(1) when the object or array is not empty. In the worst-case scenario, when the input is actually empty, it goes through a single iteration checking all enumerable properties or elements which also takes O(1) time because there are none.

Overall, this solution is both time-efficient and space-efficient, requiring no extra memory beyond the input and a single variable assignment in the loop.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Given a sorted array of integers and an integer called target, find the element that equals to the target and return its index. Select the correct code that fills the ___ in the given code snippet.

1def binary_search(arr, target):
2    left, right = 0, len(arr) - 1
3    while left ___ right:
4        mid = (left + right) // 2
5        if arr[mid] == target:
6            return mid
7        if arr[mid] < target:
8            ___ = mid + 1
9        else:
10            ___ = mid - 1
11    return -1
12
1public static int binarySearch(int[] arr, int target) {
2    int left = 0;
3    int right = arr.length - 1;
4
5    while (left ___ right) {
6        int mid = left + (right - left) / 2;
7        if (arr[mid] == target) return mid;
8        if (arr[mid] < target) {
9            ___ = mid + 1;
10        } else {
11            ___ = mid - 1;
12        }
13    }
14    return -1;
15}
16
1function binarySearch(arr, target) {
2    let left = 0;
3    let right = arr.length - 1;
4
5    while (left ___ right) {
6        let mid = left + Math.trunc((right - left) / 2);
7        if (arr[mid] == target) return mid;
8        if (arr[mid] < target) {
9            ___ = mid + 1;
10        } else {
11            ___ = mid - 1;
12        }
13    }
14    return -1;
15}
16

Example Walkthrough

Let's assume we need to use the isEmpty function for two different cases: one with an empty object and another with a non-empty array.

Case 1: Empty Object

Suppose we call isEmpty({}) to determine if an empty object {} is indeed empty.

  1. The isEmpty function begins a for...in loop, trying to iterate over any properties in {}.
  2. Since {} has no properties, the loop body does not execute.
  3. The function reaches the return true; statement after the loop, indicating the object is empty.
  4. The function exits, returning true.

Case 2: Non-Empty Array

Now, consider we call isEmpty([1, 2, 3]) to check if an array [1, 2, 3] is empty.

  1. The isEmpty function starts the for...in loop, iterating over elements in [1, 2, 3].
  2. The loop body is executed because the array has elements (the indices 0, 1, 2 corresponding to the array values 1, 2, 3).
  3. Upon the first iteration, the function hits the return false; statement within the loop.
  4. It returns false since the array is not empty.
  5. The function exits, confirming the array contains items.

Through these two cases, we can see how the isEmpty function operates. It uses the for...in loop to immediately detect if a given object has keys or if an array has any items, allowing for quick determination of whether the collection is empty. If the collection has contents, the function returns false upon the first discovery of an element or property; otherwise, it completes the loop without finding anything and returns true.

Solution Implementation

1def is_empty(obj):
2    """
3    Checks if a dictionary or list is empty.
4  
5    Args:
6        obj (dict | list): The dictionary or list to check for emptiness.
7
8    Returns:
9        bool: True if the dictionary or list is empty, False otherwise.
10    """
11    # Use the built-in 'not' operator to check for emptiness
12    return not bool(obj)
13
1import java.util.Map;
2import java.util.Collection;
3
4public class ObjectUtil {
5
6    /**
7     * Checks if a Map or Collection is empty.
8     * 
9     * @param obj the Map or Collection to check for emptiness
10     * @return true if the Map or Collection is empty, false otherwise
11     */
12    public static boolean isEmpty(Object obj) {
13        // Check null before instance check
14        if (obj == null) {
15            return true;
16        }
17
18        // If the object is a Map, check if it is empty
19        if (obj instanceof Map) {
20            return ((Map<?, ?>) obj).isEmpty();
21        }
22
23        // If the object is a Collection, check if it is empty
24        if (obj instanceof Collection) {
25            return ((Collection<?>) obj).isEmpty();
26        }
27
28        // If the object is neither a Map nor a Collection, throw an IllegalArgumentException
29        throw new IllegalArgumentException("Input must be of type Map or Collection.");
30    }
31}
32
1#include <iostream>
2#include <unordered_map>
3#include <vector>
4
5/**
6 * Checks if a map (object) or vector (array) is empty.
7 * 
8 * @param obj - Map or vector to check for emptiness.
9 * @return True if the map or vector is empty, false otherwise.
10 */
11template <typename T>
12bool isEmpty(const T& obj) {
13    // The provided object is a standard C++ container which has a member function empty()
14    // to check for emptiness. Instead of manually iterating over the elements, we can just
15    // call this function to determine if the container is empty.
16    return obj.empty();
17}
18
19int main() {
20    // Example usage:
21    std::unordered_map<std::string, int> mapExample; // Represents an object with string keys and int values
22    std::vector<int> vectorExample; // Represents an array of ints
23
24    bool isMapEmpty = isEmpty(mapExample); // Should return true because the map is empty
25    bool isVectorEmpty = isEmpty(vectorExample); // Should return true because the vector is empty
26
27    std::cout << "Is the map empty? " << (isMapEmpty ? "Yes" : "No") << std::endl;
28    std::cout << "Is the vector empty? " << (isVectorEmpty ? "Yes" : "No") << std::endl;
29
30    return 0;
31}
32
1/**
2 * Checks if an object or array is empty.
3 * 
4 * @param {Record<string, any> | any[]} obj - Object or array to check for emptiness.
5 * @returns {boolean} - True if the object or array is empty, false otherwise.
6 */
7function isEmpty(obj: Record<string, any> | any[]): boolean {
8    // Iterate over the elements or properties in the object or array
9    for (const key in obj) {
10        // If the loop has started, it means there is at least one property or element, so return false
11        return false;
12    }
13
14    // If the loop did not find any properties or elements, return true indicating emptiness
15    return true;
16}
17
Not Sure What to Study? Take the 2-min Quiz:

Breadth first search can be used to find the shortest path between two nodes in a directed graph.

Time and Space Complexity

Time Complexity

The isEmpty function iteratively checks if there is at least one property or element in the input object or array. The time complexity is O(N) in the worst case, where N is the number of properties in the object or the number of elements in the array. This is because the function must iterate over all enumerable properties or elements until it finds one. If an enumerable property or element is found immediately, at the start of the iteration, the for-loop breaks and returns false, resulting in a best-case complexity of O(1). The average-case complexity will also depend on the distribution of the input - if generally the inputs are not empty or have properties early in the iteration order, the average complexity will be closer to O(1).

Space Complexity

The space complexity of the isEmpty function is O(1) because it does not allocate any additional memory that grows with the input size; it only uses a fixed amount of memory to store the loop variable and the return value.

Fast Track Your Learning with Our Quick Skills Quiz:

Which of the tree traversal order can be used to obtain elements in a binary search tree in sorted order?


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.


TA 👨‍🏫