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

feat: add javascript solution to lcci problem: No.17.04.Missing Number #369

Merged
merged 8 commits into from
May 2, 2021
Next Next commit
feat: add javascript solution to lcci problem: No.02.01.Remove Duplic…
…ate Node
  • Loading branch information
zhaocchen committed May 1, 2021
commit b852482f79b52d578582bec2dbb08f4da32cf9e8
32 changes: 32 additions & 0 deletions lcci/02.01.Remove Duplicate Node/README.md
Original file line number Diff line number Diff line change
Expand Up @@ -102,6 +102,38 @@ class Solution {
}
```

### **JavaScript**

```javascript
/**
* Definition for singly-linked list.
* function ListNode(val) {
* this.val = val;
* this.next = null;
* }
*/
/**
* @param {ListNode} head
* @return {ListNode}
*/
var removeDuplicateNodes = function(head) {
if (head == null || head.next == null) return head;
const cache = new Set([]);
cache.add(head.val);
let cur = head, fast = head.next;
while (fast !== null) {
if (!cache.has(fast.val)) {
cur.next = fast;
cur = cur.next;
cache.add(fast.val);
}
fast = fast.next;
}
cur.next = null;
return head;
};
```

### **...**

```
Expand Down
32 changes: 32 additions & 0 deletions lcci/02.01.Remove Duplicate Node/README_EN.md
Original file line number Diff line number Diff line change
Expand Up @@ -103,6 +103,38 @@ class Solution {
}
```

### **JavaScript**

```javascript
/**
* Definition for singly-linked list.
* function ListNode(val) {
* this.val = val;
* this.next = null;
* }
*/
/**
* @param {ListNode} head
* @return {ListNode}
*/
var removeDuplicateNodes = function(head) {
if (head == null || head.next == null) return head;
const cache = new Set([]);
cache.add(head.val);
let cur = head, fast = head.next;
while (fast !== null) {
if (!cache.has(fast.val)) {
cur.next = fast;
cur = cur.next;
cache.add(fast.val);
}
fast = fast.next;
}
cur.next = null;
return head;
};
```

### **...**

```
Expand Down
27 changes: 27 additions & 0 deletions lcci/02.01.Remove Duplicate Node/Solution.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
/**
* Definition for singly-linked list.
* function ListNode(val) {
* this.val = val;
* this.next = null;
* }
*/
/**
* @param {ListNode} head
* @return {ListNode}
*/
var removeDuplicateNodes = function(head) {
if (head == null || head.next == null) return head;
const cache = new Set([]);
cache.add(head.val);
let cur = head, fast = head.next;
while (fast !== null) {
if (!cache.has(fast.val)) {
cur.next = fast;
cur = cur.next;
cache.add(fast.val);
}
fast = fast.next;
}
cur.next = null;
return head;
};