383. Ransom Note LeetCode Solution
In this guide, you will get 383. Ransom Note LeetCode Solution with the best time and space complexity. The solution to Ransom Note problem is provided in various programming languages like C++, Java, and Python. This will be helpful for you if you are preparing for placements, hackathons, interviews, or practice purposes. The solutions provided here are very easy to follow and include detailed explanations.
Table of Contents
- Problem Statement
- Complexity Analysis
- Ransom Note solution in C++
- Ransom Note solution in Java
- Ransom Note solution in Python
- Additional Resources
data:image/s3,"s3://crabby-images/fcb8d/fcb8d017309484e9d9e0096d0b8071c271fa0028" alt="383. Ransom Note LeetCode Solution 383. Ransom Note LeetCode Solution image"
Problem Statement of Ransom Note
Given two strings ransomNote and magazine, return true if ransomNote can be constructed by using the letters from magazine and false otherwise.
Each letter in magazine can only be used once in ransomNote.
Example 1:
Input: ransomNote = “a”, magazine = “b”
Output: false
Example 2:
Input: ransomNote = “aa”, magazine = “ab”
Output: false
Example 3:
Input: ransomNote = “aa”, magazine = “aab”
Output: true
Constraints:
1 <= ransomNote.length, magazine.length <= 105
ransomNote and magazine consist of lowercase English letters.
Complexity Analysis
- Time Complexity: O(|\texttt{ransomNote}| + |\texttt{magazine}|)
- Space Complexity: O(26) = O(1)
383. Ransom Note LeetCode Solution in C++
class Solution {
public:
// Similar to 0242. Valid Anagram
bool canConstruct(string ransomNote, string magazine) {
vector<int> count(26);
for (const char c : magazine)
++count[c - 'a'];
for (const char c : ransomNote) {
if (count[c - 'a'] == 0)
return false;
--count[c - 'a'];
}
return true;
}
};
/* code provided by PROGIEZ */
383. Ransom Note LeetCode Solution in Java
class Solution {
public boolean canConstruct(String ransomNote, String magazine) {
int[] count = new int[26];
for (final char c : magazine.toCharArray())
++count[c - 'a'];
for (final char c : ransomNote.toCharArray()) {
if (count[c - 'a'] == 0)
return false;
--count[c - 'a'];
}
return true;
}
}
// code provided by PROGIEZ
383. Ransom Note LeetCode Solution in Python
class Solution:
def canConstruct(self, ransomNote: str, magazine: str) -> bool:
count1 = collections.Counter(ransomNote)
count2 = collections.Counter(magazine)
return all(count1[c] <= count2[c] for c in string.ascii_lowercase)
# code by PROGIEZ
Additional Resources
- Explore all LeetCode problem solutions at Progiez here
- Explore all problems on LeetCode website here
Happy Coding! Keep following PROGIEZ for more updates and solutions.