Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[anniemon78] Week 2 #748

Merged
merged 6 commits into from
Dec 22, 2024
Merged
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
40 changes: 40 additions & 0 deletions 3sum/anniemon.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
/**
* 시간 복잡도:
* nums의 길이만큼 for문을 순회하고, 내부에서 투 포인터로 또 한 번 순회하므로, O(n²)
* 공간 복잡도:
* 정렬은 추가 공간 사용이 없음.
* res 배열의 크기는 고유한 세 숫자 조합의 갯수.
* 이를 k라고 하면, 공간 복잡도는 O(k)
*/
/**
* @param {number[]} nums
* @return {number[][]}
*/
var threeSum = function (nums) {
nums.sort((a, b) => a - b);
const res = [];

for (let i = 0; i < nums.length; i++) {
if (i > 0 && nums[i] === nums[i - 1]) {
continue;
}
let l = i + 1;
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

코드 가독성을 위해서 논리적으로 구분되는 부분들을 띄워주시면 좋을 것 같습니다

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

넵 반영했습니다

let r = nums.length - 1;
while (l < r) {
const sum = nums[i] + nums[l] + nums[r];
if (sum > 0) {
r--;
} else if (sum < 0) {
l++;
} else if (sum === 0) {
res.push([nums[i], nums[l], nums[r]]);
l++;
r--;
while (l < r && nums[l] === nums[l - 1]) {
l++;
}
}
}
}
return res;
};
25 changes: 25 additions & 0 deletions climbing-stairs/anniemon.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
/**
* 시간 복잡도:
* 메모이제이션을 사용하여 n까지 가기 위한 방법의 수를 저장.
* 재귀 함수는 최대 n만큼 호출됨.
* 따라서, 시간 복잡도는 O(n)
* 공간 복잡도:
* 메모 객체의 크기는 n의 크기와 같음.
* 재귀 함수는 최대 n만큼 호출됨.
* 따라서, 공간 복잡도는 O(n)
*/
/**
* @param {number} n
* @return {number}
*/
var climbStairs = function(n) {
const memo = { 1:1, 2:2 };
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

만약 제가 면접관이라면 왜 list가 아닌 map을 사용했는지 물어볼 것 같습니다. 개인적으로 이전 단계의 값으로 다음 단계의 값을 구한다는 의미에는 list가 더 적합하지 않을까 싶습니다.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

좋은 포인트네요. 반영했습니다.
감사합니다.

const recurse = (n) => {
if(memo[n]) {
return memo[n];
}
memo[n] = recurse(n - 1) + recurse(n - 2);
return memo[n];
}
return recurse(n);
};
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
/**
* 시간 복잡도:
* preIdx를 이용하여 중위 순회 배열에서 루트 노드를 기준으로 왼쪽 서브 트리와 오른쪽 서브 트리를 탐색.
* 각 서브 트리를 재귀적으로 생성하며 모든 노드를 한 번씩 순회하므로, 시간 복잡도는 O(n)
* 공간 복잡도:
* 중위 순회 배열의 길이만큼 맵을 생성하므로, 공간 복잡도는 O(n)
*/
/**
* Definition for a binary tree node.
* function TreeNode(val, left, right) {
* this.val = (val===undefined ? 0 : val)
* this.left = (left===undefined ? null : left)
* this.right = (right===undefined ? null : right)
* }
*/
/**
* @param {number[]} preorder
* @param {number[]} inorder
* @return {TreeNode}
*/
var buildTree = function(preorder, inorder) {
let preIdx = 0;
const inorderMap = new Map(inorder.map((e, i) => [e, i]))

const dfs = (l, r) => {
if(l > r) {
return null;
}
let root = preorder[preIdx];
preIdx++;

let rootIdx = inorderMap.get(root);

const node = new TreeNode(root);
node.left = dfs(l, rootIdx - 1);
node.right = dfs(rootIdx + 1, r);
return node;
}
return dfs(0, inorder.length - 1)
};
29 changes: 29 additions & 0 deletions valid-anagram/anniemon.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
/**
* 시간 복잡도:
* s와 t의 길이만큼 각 문자의 카운트를 기록하고 이를 확인하므로, 시간 복잡도는 O(n)
* 공간 복잡도:
* 카운트 객체는 최대 s와 t의 길이만큼 공간을 차지하므로, 공간 복잡도는 O(n)
*/
/**
* @param {string} s
* @param {string} t
* @return {boolean}
*/
var isAnagram = function (s, t) {
if (s.length !== t.length) {
return false;
}

const count = {};
for (let i = 0; i < s.length; i++) {
count[s[i]] = (count[s[i]] || 0) + 1;
count[t[i]] = (count[t[i]] || 0) - 1;
}

for (const key in count) {
if (count[key] !== 0) {
return false;
}
}
return true;
};
Loading