Skip to content

LeetCode 2450 LintCode 3841 Number of Distinct Binary Strings After Applying Operations

Updated: at 06:23 AM

Table of contents

Open Table of contents

Description

You are given a binary string s and a positive integer k.

You can apply the following operation on the string any number of times:

Return the number of distinct strings you can obtain. Since the answer may be too large, return it modulo 10^9 + 7.

Note that:

Example 1:

Input: s = "1001", k = 3
Output: 4
Explanation: We can obtain the following strings:
- Applying no operation on the string gives s = "1001".
- Applying one operation on the substring starting at index 0 gives s = "0111".
- Applying one operation on the substring starting at index 1 gives s = "1110".
- Applying one operation on both the substrings starting at indices 0 and 1 gives s = "0000".
It can be shown that we cannot obtain any other string, so the answer is 4.

Example 2:

Input: s = "10110", k = 5
Output: 2
Explanation: We can obtain the following strings:
- Applying no operation on the string gives s = "10110".
- Applying one operation on the whole string gives s = "01001".
It can be shown that we cannot obtain any other string, so the answer is 2.

Constraints:

Idea

let n = s.length

There are n-k+1 substrings of length k, and each substring can be flipped, so there are 2nk+12^{n-k+1} ways to flip.

Complexity: Time O(n)O(n), Space O(1)O(1).

Python

class Solution:
    """81 ms, 5.32 mb"""

    def count_distinct_strings(self, s: str, k: int) -> int:
        return pow(2, len(s) - k + 1) % (10 ** 9 + 7)

Java

class Solution {
    public static final int MOD = (int) 1e9 + 7;

    public int countDistinctStrings(String s, int k) {
        int ans = 1;
        for (int i = 0; i < s.length() - k + 1; i++) ans = (ans * 2) % MOD;
        return ans;
    }
}

C++

class Solution {
public:
    const int mod = 1e9 + 7;

    int countDistinctStrings(string s, int k) {
        int ans = 1;
        for (int i = 0; i < s.size() - k + 1; ++i) ans = (ans * 2) % mod;
        return ans;
    }
};

Previous Post
System Design - How do Websockets Work
Next Post
LeetCode 206 LintCode 35 Reverse Linked List