2117. Abbreviating the Product of a Range

Difficulty:
Related Topics:
Similar Questions:

Problem

You are given two positive integers left and right with left <= right. Calculate the product of all integers in the inclusive range [left, right].

Since the product may be very large, you will abbreviate it following these steps:

Count all **trailing** zeros in the product and **remove** them. Let us denote this count as C.

Return **a string denoting the *abbreviated product* of all integers in the inclusive range** [left, right].

  Example 1:

Input: left = 1, right = 4
Output: "24e0"
Explanation: The product is 1 × 2 × 3 × 4 = 24.
There are no trailing zeros, so 24 remains the same. The abbreviation will end with "e0".
Since the number of digits is 2, which is less than 10, we do not have to abbreviate it further.
Thus, the final representation is "24e0".

Example 2:

Input: left = 2, right = 11
Output: "399168e2"
Explanation: The product is 39916800.
There are 2 trailing zeros, which we remove to get 399168. The abbreviation will end with "e2".
The number of digits after removing the trailing zeros is 6, so we do not abbreviate it further.
Hence, the abbreviated product is "399168e2".

Example 3:

Input: left = 371, right = 375
Output: "7219856259e3"
Explanation: The product is 7219856259000.

  Constraints:

Solution

class Solution {
    public String abbreviateProduct(int left, int right) {
        long threshold0 = 100_000_000_000_000L;
        long threshold1 = 10_000_000_000L;
        long threshold2 = 100_000;
        long curr = 1;
        int i;
        int zerosCount = 0;
        for (i = left; i <= right && curr < threshold0; i++) {
            curr *= i;
            while (curr % 10 == 0) {
                curr /= 10;
                zerosCount++;
            }
        }
        if (curr < threshold1) {
            return String.format("%de%d", curr, zerosCount);
        }

        long low = curr % threshold1;
        double high = curr;
        while (high > threshold1) {
            high /= 10;
        }

        for (; i <= right; i++) {
            low *= i;
            high *= i;
            while (low % 10 == 0) {
                low /= 10;
                zerosCount++;
            }
            if (low >= threshold1) {
                low %= threshold1;
            }
            while (high > threshold1) {
                high /= 10;
            }
        }

        while (high >= threshold2) {
            high /= 10;
        }
        low %= threshold2;
        return String.format("%d...%05de%d", (int) high, low, zerosCount);
    }
}

Explain:

nope.

Complexity: