添加py和js

This commit is contained in:
jaredliw 2021-07-14 10:58:47 +08:00
parent 474937e864
commit d3bc74c58f

View File

@ -37,19 +37,8 @@
Java Code: Java Code:
```java ```java
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution { class Solution {
public ListNode partition(ListNode head, int x) { public ListNode partition(ListNode head, int x) {
if (head == null) {
return head;
}
ListNode pro = head; ListNode pro = head;
ListNode big = new ListNode(-1); ListNode big = new ListNode(-1);
ListNode small = new ListNode(-1); ListNode small = new ListNode(-1);
@ -61,7 +50,7 @@ class Solution {
if (pro.val >= x) { if (pro.val >= x) {
big.next = pro; big.next = pro;
big = big.next; big = big.next;
// 小于放到 small 链表上 //小于放到 small 链表上
}else { }else {
small.next = pro; small.next = pro;
small = small.next; small = small.next;
@ -83,9 +72,6 @@ C++ Code:
class Solution { class Solution {
public: public:
ListNode* partition(ListNode* head, int x) { ListNode* partition(ListNode* head, int x) {
if (head == nullptr) {
return head;
}
ListNode * pro = head; ListNode * pro = head;
ListNode * big = new ListNode(-1); ListNode * big = new ListNode(-1);
ListNode * small = new ListNode(-1); ListNode * small = new ListNode(-1);
@ -97,7 +83,7 @@ public:
if (pro->val >= x) { if (pro->val >= x) {
big->next = pro; big->next = pro;
big = big->next; big = big->next;
// 小于放到 small 链表上 //小于放到 small 链表上
}else { }else {
small->next = pro; small->next = pro;
small = small->next; small = small->next;
@ -113,5 +99,65 @@ public:
}; };
``` ```
JS Code:
```js
var partition = function(head, x) {
let pro = head;
let big = new ListNode(-1);
let small = new ListNode(-1);
let headbig = big;
let headsmall = small;
//
while (pro) {
//大于时放到 big 链表上
if (pro.val >= x) {
big.next = pro;
big = big.next;
//小于时放到 small 链表上
}else {
small.next = pro;
small = small.next;
}
pro = pro.next;
}
//细节
big.next = null;
//
small.next = headbig.next;
return headsmall.next;
};
```
Python Code:
```py
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def partition(self, head: ListNode, x: int) -> ListNode:
pro = head
big = ListNode(-1)
small = ListNode(-1)
headbig = big
headsmall = small
#
while pro is not None:
# 大于时放到 big 链表上
if pro.val >= x:
big.next = pro
big = big.next
# 小于时放到 small 链表上
else:
small.next = pro
small = small.next
pro = pro.next
# 细节
big.next = None
#
small.next = headbig.next
return headsmall.next
```