//给定一个链表,删除链表的倒数第 n 个节点,并且返回链表的头结点。
//
// 示例:
//
// 给定一个链表: 1->2->3->4->5, 和 n = 2.
//
//当删除了倒数第二个节点后,链表变为 1->2->3->5.
//
//
// 说明:
//
// 给定的 n 保证是有效的。
//
// 进阶:
//
// 你能尝试使用一趟扫描实现吗?
// Related Topics 链表 双指针
// 👍 1147 👎 0
//快慢指针
//leetcode submit region begin(Prohibit modification and deletion)
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode removeNthFromEnd(ListNode head, int n) {
ListNode head2 = head;
ListNode head3 = head2;
int num = 0;
while (head != null){
head = head.next;
if (n<0){
head2 = head2.next;
}
n--;
}
head2.next = head2.next.next;
return head3;
}
}
//leetcode submit region end(Prohibit modification and deletion)
//给定一个只包括 '(',')','{','}','[',']' 的字符串,判断字符串是否有效。
//
// 有效字符串需满足:
//
//
// 左括号必须用相同类型的右括号闭合。
// 左括号必须以正确的顺序闭合。
//
//
// 注意空字符串可被认为是有效字符串。
//
// 示例 1:
//
// 输入: "()"
//输出: true
//
//
// 示例 2:
//
// 输入: "()[]{}"
//输出: true
//
//
// 示例 3:
//
// 输入: "(]"
//输出: false
//
//
// 示例 4:
//
// 输入: "([)]"
//输出: false
//
//
// 示例 5:
//
// 输入: "{[]}"
//输出: true
// Related Topics 栈 字符串
// 👍 2043 👎 0
//使用栈,题意中的括号是成对有序出现的比如()是对的,[(]) 是错误的
import com.alibaba.druid.sql.visitor.functions.Char;
import java.util.Stack;
//leetcode submit region begin(Prohibit modification and deletion)
class Solution {
public boolean isValid(String s) {
char[] chars = s.toCharArray();
if (chars.length % 2 == 1)return false;
Stack<Character> charStack = new Stack<>();
for (char aChar : chars) {
if (aChar == '(' || aChar == '[' || aChar == '{'){
charStack.push(aChar);
}
if (charStack.isEmpty())return false;
if (aChar == ')' && charStack.pop() != '(')return false;
if (aChar == ']' && charStack.pop() != '[')return false;
if (aChar == '}' && charStack.pop() != '{')return false;
}
if (!charStack.isEmpty())return false;
return true;
}
}
//leetcode submit region end(Prohibit modification and deletion)
//将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。 // // // // 示例: // // 输入:1->2->4, 1->3->4 //输出:1->1->2->3->4->4 // // Related Topics 链表 // 👍 1442 👎 0 //leetcode submit region begin(Prohibit modification and deletion) /** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */ class Solution { public ListNode mergeTwoLists(ListNode l1, ListNode l2) { ListNode node = new ListNode(-1); ListNode node2 = node; while (l1 != null && l2 != null){ //链表升序降序排序方式不一样 if (l1.val <= l2.val){ node.next = l1; l1 = l1.next; }else { node.next = l2; l2 = l2.next; } node = node.next; } if (l1!=null)node.next = l1; if (l2!=null)node.next = l2; return node2.next; } } //leetcode submit region end(Prohibit modification and deletion)