• day007


    删除链表第n个节点

    给你一个链表,删除链表的倒数第 n 个结点,并且返回链表的头结点。

    1. /**
    2. * Definition for singly-linked list.
    3. * public class ListNode {
    4. * int val;
    5. * ListNode next;
    6. * ListNode() {}
    7. * ListNode(int val) { this.val = val; }
    8. * ListNode(int val, ListNode next) { this.val = val; this.next = next; }
    9. * }
    10. */
    11. class Solution {
    12. public ListNode removeNthFromEnd(ListNode head, int n) {
    13. int nums=0;
    14. ListNode p=head;
    15. while(p!=null){
    16. nums++;
    17. p=p.next;
    18. }
    19. if(nums == 1)
    20. return null;
    21. if(nums == n)
    22. return head.next;
    23. n=nums-n;
    24. p=head;
    25. ListNode q=head.next;
    26. while(q!=null){
    27. n--;
    28. if(n==0){
    29. p.next=q.next;
    30. break;
    31. }
    32. p=p.next;
    33. q=q.next;
    34. }
    35. return head;
    36. }
    37. }

    图书整理1

    书店店员有一张链表形式的书单,每个节点代表一本书,节点中的值表示书的编号。为更方便整理书架,店员需要将书单倒过来排列,就可以从最后一本书开始整理,逐一将书放回到书架上。请倒序返回这个书单链表

    1. /**
    2. * Definition for singly-linked list.
    3. * public class ListNode {
    4. * int val;
    5. * ListNode next;
    6. * ListNode() {}
    7. * ListNode(int val) { this.val = val; }
    8. * ListNode(int val, ListNode next) { this.val = val; this.next = next; }
    9. * }
    10. */
    11. class Solution {
    12. public int[] reverseBookList(ListNode head) {
    13. // List<Integer> list = new ArrayList<>();
    14. // ListNode q=head;
    15. // while(q != null){
    16. // list.add(q.val);
    17. // q=q.next;
    18. // }
    19. // int n=list.size();
    20. // int[] a =new int[n];
    21. // int j=0;
    22. // for(int i=n-1;i>=0;i--){
    23. // a[j++]=list.get(i);
    24. // }
    25. // return a;
    26. LinkedList<Integer> stack = new LinkedList<Integer>();
    27. while(head != null) {
    28. stack.addLast(head.val);
    29. head = head.next;
    30. }
    31. int[] res = new int[stack.size()];
    32. for(int i = 0; i < res.length; i++)
    33. res[i] = stack.removeLast();
    34. return res;
    35. }
    36. }

  • 相关阅读:
    Vue3 中使用provide和reject
    (2) Java后端从0硬撸vite3+vue3+ts项目 | 规范
    基于 Java 解释一下硬编码和非硬编码?
    ElementUI之首页导航及左侧菜单(模拟实现)
    xilinx hls实现sobel检测
    【C++】继承 ⑫ ( 继承的二义性 | virtual 虚继承 )
    个人博客系统
    Python 中 key 参数的含义及用法
    Hive--12---文件存储格式
    高精度气象模拟软件WRF(Weather Research Forecasting)实践技术
  • 原文地址:https://blog.csdn.net/qq_62074445/article/details/133784110