Level
LeetCode Easy
Recruitment
 
// 첫 번째 풀이

var isAnagram = function (s, t) {
	if (s === t) return true;
	if (s.length !== t.length) false;
	const check = Array(97 + 26).fill(0);
	
	for (c of s) {
	check[c.charCodeAt()]++;
	}
	
	for (let i = 0; i < t.length; i++) {
	const charCode = t[i].charCodeAt();
	check[charCode]--;
	if (check[charCode] < 0) return false;
	}
	
	for (let i = 97; i < check.length; i++) {
	if (check[i] > 0) {
	return false;
	}
	}

return true;
};

// sort() >> nlogn
// so used for loop and memo

// 다른 방법으로 70 ~ 93%
// 조건문 때문에 느린 듯

var isAnagram = function (s, t) {
if (s === t) return true;
if (s.length !== t.length) return false;

const hash = {};

for (c of s) {
hash[c] = hash[c] ? hash[c] + 1 : 1;
}

for (c of t) {
if (!hash[c]) return false;
hash[c]--;
}
return true;
};