二刷整合

来源:https://www.cnblogs.com/noviceprogrammeroo/archive/2023/03/21/17235263.html
-Advertisement-
Play Games

安全配置Security Defenses 通過對Security Defenses的配置 ,可以對http頭添加相應的安全配置 ,如csp, X-Frame-Options, X-Content-Type-Option等 1 X-Frame-Options 你的網站添加了X-Frame-Optio ...


數組:記憶體空間連續,數據類型統一,下標從0開始

二分查找

704

class Solution {
    public int search(int[] nums, int target) {
        // 方法一:暴力解法
        // for(int i = 0; i < nums.length; i++){
        //     if(nums[i] == target){//找到目標值
        //         return i;
        //     }
        // }
        // return -1;
        // 方法二:二分查找(元素有序且無重覆元素),使用迭代,執行速度快,但是記憶體消耗大
        // return binarySearch(nums, target, 0, nums.length-1); 
        // 方法三:二分查找,統一使用左閉右閉區間
        // 上來先處理邊界條件
        if(target < nums[0] || target > nums[nums.length - 1]){
            return -1;
        }
        int left = 0;
        int right = nums.length - 1;//右閉區間
        int mid = (left + right) >> 1;
        while(left <= right){//因為取得數組區間左右都是閉的,所以取等號的時候也能滿足條件,還不需要退出迴圈
            if(target == nums[mid]){
                return mid;
            }else if(target < nums[mid]){
                right = mid -1;//往左區間縮
            }else{
                left = mid +1;
            }
            mid = (left + right) >> 1;
        }
        return -1;
    }
    // public int binarySearch(int[] nums, int target, int start, int end){
    //     int mid = (start+end)/2;
    //     int find = -1;
    //     if(start > end){//沒有找到
    //         return -1;
    //     }
    //     if(target == nums[mid]){
    //         return mid;
    //     }else if(target < nums[mid]){
    //         find = binarySearch(nums, target, start, mid-1);
    //     }else{
    //         find = binarySearch(nums, target, mid+1, end);
    //     }
    //     return find;
    // }
}

搜索插入位置

35

class Solution {
    public int searchInsert(int[] nums, int target) {
        // 有序數組,考慮用二分查找
        int left = 0;
        int right = nums.length - 1;
        int mid = (left + right) >> 1;
        if(target < nums[left]){
            return left;
        }
        if(target > nums[right]){
            return right + 1;
        }
        while(left <= right){
            if(target == nums[mid]){
                return mid;
            }else if(target < nums[mid]){
                right = mid -1;
            }else{
                left = mid + 1;
            }
            mid = (left + right) >> 1;
        }
        return left;//找不到,返回需要插入的位置
    }
}

在排序數組中查找元素的第一個和最後一個位置

34

class Solution {
    public int[] searchRange(int[] nums, int target) {
        // 非遞減說明是升序的,但可以有重覆元素
        int[] arr = {-1, -1};
        if(nums.length == 0){
            return arr;
        }
        int left = 0;
        int right = nums.length - 1;
        int mid = (left + right) >> 1;
        if(target < nums[left] || target > nums[right]){
            return arr;//邊界值
        }
        int leftPoint;//目標數組的開始位置
        int rightPoint;//目標數組的結束位置
        while(left <= right){
            if(target == nums[mid]){
                leftPoint = mid;
                rightPoint = mid;
                while(leftPoint >= 0 && target == nums[leftPoint]){
                    arr[0] = leftPoint;
                    leftPoint--;//向左尋找重覆元素
                }
                while(rightPoint <= (nums.length - 1) && target == nums[rightPoint]){
                    arr[1] = rightPoint;
                    rightPoint++;//向右尋找重覆元素
                }
                return arr;//返回找到的目標值的位置
            }else if(target < nums[mid]){
                right = mid - 1;
            }else{
                left = mid + 1;
            }
            mid = (left + right) >> 1;
        }
        return arr;//沒有找到
    }
}

69、x的平方根

class Solution {
    public int mySqrt(int x) {
        // 使用二分查找
        int left = 0;
        int right = x;
        int mid = (left + right) / 2;
        while(left <= right){
            if((long)mid * mid < x){
                left = mid + 1;
            }else if((long)mid * mid > x){
                right = mid - 1;
            }else{
                return mid;
            }
            mid  = (left + right) / 2;
        }
        return right;
    }
}

367、有效的完全平方數

class Solution {
    public boolean isPerfectSquare(int num) {
        int left = 0, right = num;
        while(left <= right){
            int mid = (left + right) >> 1;
            if((long) mid * mid == num){
                return true;
            }else if((long) mid * mid < num){
                left = mid + 1;
            }else{
                right = mid - 1;
            }
        }
        return false;
    }
}

移除元素

27

class Solution {
    public int removeElement(int[] nums, int val) {
// 原地移除,所有元素
// 數組內元素可以亂序
        // 方法一:暴力解法,不推薦,時間複雜度O(n^2)
        // int right = nums.length;//目標數組長度,右指針
        // for(int i = 0; i < right; i++){
        //     if(val == nums[i]){
        //         right--;//找到目標數值,目標數長度減一,右指針左移
        //         for(int j = i; j < right; j++){
        //             nums[j] = nums[j + 1];//數組整體左移一位(數組元素不能刪除,只能覆蓋)
        //         }
        //         i--;//左指針左移
        //     }
        // }
        // return right;
        // 方法二:快慢指針,時間複雜度O(n)
        // int solwPoint = 0;
        // for(int fastPoint = 0; fastPoint < nums.length; fastPoint++){
        //     if(nums[fastPoint] != val){
        //         nums[solwPoint] = nums[fastPoint];
        //         solwPoint++;
        //     }
        // }
        // return solwPoint;
        // 方法三:註意元素的順序可以改變,使用相向指針,時間複雜度O(n)
        int rightPoint = nums.length - 1;
        int leftPoint = 0;
        while(rightPoint >= 0 && nums[rightPoint] == val){
            rightPoint--;
        }
        while(leftPoint <= rightPoint){
            if(nums[leftPoint] == val){
                nums[leftPoint] = nums[rightPoint--];
            }
            leftPoint++;
            while(rightPoint >= 0 && nums[rightPoint] == val){
                rightPoint--;
            }
        }
        return leftPoint;
    }
}

26、刪除排序數組中的重覆項

class Solution {
    public int removeDuplicates(int[] nums) {
// 相對順序一致,所以不能使用相向指針。
// 考慮使用快慢指針
        if(nums.length == 1){
            return 1;
        }
        int slowPoint = 0;
        for(int fastPoint = 1; fastPoint < nums.length; fastPoint++){
            if(nums[slowPoint] != nums[fastPoint]){
                nums[++slowPoint] = nums[fastPoint];
            }
        }
        return slowPoint + 1;
    }
}

283、移動零

class Solution {
    public void moveZeroes(int[] nums) {
// 要保持相對順序,不能用相向指針
        int slowPoint = 0;
        for(int fastPoint = 0; fastPoint < nums.length; fastPoint++){
            if(nums[fastPoint] != 0){
                nums[slowPoint++] = nums[fastPoint];//所有非零元素移到左邊
            }
        }
        for(; slowPoint < nums.length; slowPoint++){
            nums[slowPoint] = 0;//把數組末尾置零
        }
    }
}

844、比較含退格的字元串

class Solution {
    public boolean backspaceCompare(String s, String t) {
        // 從前往後的話不確定下一位是不是"#",當前位需不需要消除,所以採用從後往前的方式
        int countS = 0;//記錄s中"#"的數量
        int countT = 0;//記錄t中"#"的數量
        int rightS = s.length() - 1;
        int rightT = t.length() - 1;
        while(true){
            while(rightS >= 0){
                if(s.charAt(rightS) == '#'){
                    countS++;
                }else{
                    if(countS > 0){
                        countS--;
                    }else{
                        break;
                    }
                }
                rightS--;
            }
            while(rightT >= 0){
                if(t.charAt(rightT) == '#'){
                countT++;
                }else{
                    if(countT > 0){
                        countT--;
                    }else{
                        break;
                    }
                }
                rightT--;
            }
            if(rightT < 0 || rightS < 0){
                break;
            }
            if(s.charAt(rightS) != t.charAt(rightT)){
                return false;
            }
            rightS--;
            rightT--;
        }
        if(rightS == -1 && rightT == -1){
            return true;
        }
        return false;
    }
}

有序數組的平方

977

class Solution {
    public int[] sortedSquares(int[] nums) {
// 用相向的雙指針
        int[] arr = new int[nums.length];
        int index = arr.length - 1;
        int leftPoint = 0;
        int rightPoint = nums.length - 1;
        while(leftPoint <= rightPoint){
            if(Math.pow(nums[leftPoint], 2) > Math.pow(nums[rightPoint], 2)){
                arr[index--] = (int)Math.pow(nums[leftPoint], 2);
                leftPoint++;
            }else{
                arr[index--] = (int)Math.pow(nums[rightPoint], 2);
                rightPoint--;
            }
        }
        return arr;
    }
}

長度最小的子數組

209

class Solution {
    public int minSubArrayLen(int target, int[] nums) {
// 註意是連續子數組
        // 使用滑動視窗,實際上還是雙指針
        int left = 0;
        int sum = 0;
        int result = Integer.MAX_VALUE;
        for(int right = 0; right < nums.length; right++){//for迴圈固定的是終止位置
            sum += nums[right];
            while(sum >= target){
                result = Math.min(result, right - left + 1);//記錄最小的子數組
                sum -= nums[left++];
            }
        }
        return result == Integer.MAX_VALUE ? 0 : result;
    }
}

904、水果成籃

class Solution {
    public int totalFruit(int[] fruits) {
// 此題也可以使用滑動視窗
        int maxNumber = 0;
        int left = 0;
        Map<Integer, Integer> map = new HashMap<>();//用哈希表記錄被使用的籃子數量,以及每個籃子中的水果數量
        for(int right = 0; right < fruits.length; right++){
            map.put(fruits[right], map.getOrDefault(fruits[right], 0) + 1);//往籃子裡面放水果
            while(map.size() > 2){//放進去的水果不符合水果類型
                map.put(fruits[left], map.get(fruits[left]) - 1);
                if(map.get(fruits[left]) == 0){
                    map.remove(fruits[left]);
                }
                left++;
            }
            maxNumber = Math.max(maxNumber, right - left + 1);
        }
        return maxNumber;
    }
}

螺旋矩陣 II

59

class Solution {
    public int[][] generateMatrix(int n) {
        // 方法一:直接按序輸出
        int[][] arr = new int[n][n];
         int top = 0;
         int buttom = n - 1;
         int left = 0;
         int right = n - 1;;
         int index = 1;
         while(left <= right && top <= buttom && index <= n*n){
             for(int i = left; i <= right; i++){
                 arr[top][i] = index++;
             }
             top++;
             for(int i = top; i <= buttom; i++){
                 arr[i][right] = index++;
             }
             right--;
             for(int i = right; i >= left; i--){
                 arr[buttom][i] = index++;
             }
             buttom--;
             for(int i = buttom; i >= top; i--){
                 arr[i][left] = index++;
             }
             left++;
         }
         return arr;
    }
}

54

class Solution {
    public List<Integer> spiralOrder(int[][] matrix) {
        int top = 0;
        int buttom = matrix.length - 1;
        int left = 0;
        int right = matrix[0].length - 1;
        List<Integer> list = new ArrayList<Integer>();
        while(left <= right && top <= buttom){
            for(int i = left; i <= right; i++){
                if(top <= buttom)
                list.add(matrix[top][i]);
            }
            top++;
            for(int i = top; i <= buttom; i++){
                if(left <= right)
                list.add(matrix[i][right]);
            }
            right--;
            for(int i = right; i >= left; i--){
                if(top <= buttom)
                list.add(matrix[buttom][i]);
            }
            buttom--;
            for(int i = buttom; i >= top; i--){
                if(left <= right)
                list.add(matrix[i][left]);
            }
            left++;
        }
        return list;
    }
}

29 、順時針列印矩陣

class Solution {
    public int[] spiralOrder(int[][] matrix) {
        if(matrix.length == 0){
            return new int[0];
        }
        int top = 0;
        int buttom = matrix.length - 1;
        int left = 0;
        int right = matrix[0].length - 1;
        int[] arr = new int[matrix.length*matrix[0].length];
        int index = 0;
        while(left <= right && top <= buttom){
            for(int i = left; i <= right; i++){
                if(top <= buttom)
                arr[index++] = matrix[top][i];
            }
            top++;
            for(int i = top; i <= buttom; i++){
                if(left <= right)
                arr[index++] = matrix[i][right];
            }
            right--;
            for(int i = right; i >= left; i--){
                if(top <= buttom)
                arr[index++] = matrix[buttom][i];
            }
            buttom--;
            for(int i = buttom; i >= top; i--){
                if(left <= right)
                arr[index++] = matrix[i][left];
            }
            left++;
        }
        return arr;
    }
}

鏈表:插入快,查詢慢,存儲不連續
分為單鏈表,雙鏈表和迴圈鏈表
在鏈表中使用虛擬頭結點,可以減少增刪改查中對頭結點的特殊處理

移除鏈表元素

203

/**
 * 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 removeElements(ListNode head, int val) {
// 方法一:設置虛節點方式,推薦方式
        ListNode dummy = new ListNode(-1,head);
        ListNode pre = dummy;
        ListNode cur = head;
        while(cur != null){
            if(cur.val == val){
                pre.next = cur.next;
            }else{
                pre = cur;
            }
            cur = cur.next;
        }
        return dummy.next;
        // 方法二:時間複雜度O(n),空間複雜度O(1)
        if(head == null){//空鏈表的情況
            return head;
        }
        while(head != null && head.val == val){//頭結點為val的情況
            head = head.next;
        }
        ListNode temp = head;
        while(temp != null && temp.next != null){
            while(temp != null && temp.next != null && temp.next.val == val){
                if(temp.next.next != null){
                    temp.next = temp.next.next;
                }else{//最後一個節點為val的情況
                    temp.next = null;
                }
                
            }
            temp = temp.next;
        }
        return head;
    }
}

707、設計鏈表


class MyLinkedList {
    int size;
    ListNode head;
    ListNode tail;
// 初始化鏈表,構建虛擬的頭結點和尾節點
    public MyLinkedList() {
        size = 0;
        head = new ListNode(0);
        tail = new ListNode(0);
        head.next = tail;
        tail.prev = head;
    }
    public int get(int index) {
        ListNode cur = head;
        if(index > size - 1 || index < 0){
            return -1;
        }
        while(index >= 0){
            cur = cur.next;
            index--;
        }
        return cur.val;
    }
    
    public void addAtHead(int val) {
        addAtIndex(0,val);

    }
    
    public void addAtTail(int val) {
        addAtIndex(size,val);
    }
    
    public void addAtIndex(int index, int val) {
        if(index > size){
            return;
        }
        if(index < 0 ){
            index = 0;
        }
        size++;
        ListNode temp = new ListNode(val);
        ListNode cur = head;
        while(index > 0){
            cur = cur.next;
            index--;
        }
        temp.next = cur.next;
        cur.next = temp; 
        temp.prev = cur;
    }
    
    public void deleteAtIndex(int index) {
        ListNode cur = head;
        if(index > size - 1 || index < 0){
            return;
        }
        while(index > 0){
            cur = cur.next;
            index--;
        }
        cur.next = cur.next.next;
        size--;
    }
}
class ListNode {
    int val;
    ListNode next;
    ListNode prev;

    public ListNode(int val) {
        this.val = val;
    }
}

反轉鏈表

206

/**
 * 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 reverseList(ListNode head) {
        // 方法一:在頭結點不斷插入
        // if(head == null){
        //     return head;//空節點不需要反轉
        // }
        // ListNode temp = head.next;//臨時節點前移一位
        // head.next = null;//代反轉鏈表的頭結點拆出來
        // ListNode newHead = head;//待反轉鏈表的頭結點賦給新的鏈表        
        // while(temp != null){
        //     head = temp;//找出待反轉鏈表的新頭結點
        //     temp = temp.next;//臨時節點前移一位
        //     head.next = null;//待反轉鏈表的新頭拆出來
        //     head.next = newHead;//待反轉鏈表的心頭指向新的鏈表
        //     newHead = head;//得到新的鏈表的新頭
        // }
        // return newHead;
        // 方法二:壓棧,利用棧的先入後出
        // if(head == null){
        //     return head;
        // }
        // Stack<ListNode> stack = new Stack<>();
        // ListNode temp = head;
        // while(head != null){
        //     temp = head.next;
        //     head.next = null;
        //     stack.push(head);
        //     head = temp;
        // }
        // ListNode newHead = new ListNode();
        // temp = newHead;
        // while(!stack.isEmpty()){
        //     temp.next = stack.pop();
        //     temp = temp.next;
        // }
        // return newHead.next;
        // 方法三:遞歸
        return reverse(null, head);
        // 方法四:從後往前遞歸
        // if(head == null){
        //     return null;
        // }
        // if(head.next == null){
        //     return head;
        // }
        // ListNode newHead = reverseList(head.next);
        // head.next.next = head;
        // head.next = null;
        // return newHead;

    }
    public ListNode reverse(ListNode pre, ListNode cur){
        if(cur == null){
            return pre;
        }
        ListNode temp = cur.next;
        cur.next = pre;
        return reverse(cur,temp);
    }
}

兩兩交換鏈表中的節點

24

/**
 * 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 swapPairs(ListNode head) {
        // 方法一:從前往後進行迭代
        // if(head == null){
        //     return null;
        // }
        // if(head.next == null){
        //     return head;
        // }
        // ListNode temp = head.next;//依次記錄偶數節點的位置
        // head.next = head.next.next;//交換相鄰的節點
        // temp.next = head;
        // temp.next.next = swapPairs(temp.next.next);//迭代交換下一個相鄰的節點
        // return temp;
        // 方法二:雙指針
        if(head == null){
            return null;
        }
        if(head.next == null){
            return head;
        }
        ListNode temp = head.next;
        ListNode pre = head.next;//記錄新的頭結點
        while(temp != null){
            head.next = head.next.next;//交換相鄰的節點
            temp.next = head;
            if(head.next == null || head.next.next == null){
                break;
            }else{
                head = head.next;//指向下一個相鄰節點的奇數節點
                temp.next.next = temp.next.next.next;//上一個相鄰節點的偶數節點指向下一個節點的偶數節點
                temp = head.next;//下一個相鄰節點的偶數節點
            }  
        }
        return pre;
    }
}

刪除鏈表的倒數第 N 個結點

19

/**
 * 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) {
        // 方法一:快慢指針,返回頭結點說明head的頭結點不能動,所以把鏈表的地址賦給另外一個對象
        // 添加虛擬頭結點,方便操作。比如需要刪除的是頭結點的時候不需要單獨考慮這種特殊情況
        ListNode dummyHead = new ListNode();
        dummyHead.next = head;
        ListNode cur = dummyHead;
        ListNode temp = dummyHead; 
        for(int i = 0; i < n; i++){
            temp = temp.next;
        }
        while(temp.next != null){
            cur = cur.next;
            temp = temp.next;
        }
        cur.next = cur.next.next;
        return dummyHead.next;
    }
}

鏈表相交

02.07

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public ListNode getIntersectionNode(ListNode headA, ListNode headB) {
        if(headA == null || headB == null){
            return null;
        }
        ListNode dummyHeadA = headA;
        int countA = 0;
        int countB = 0;
        ListNode dummyHeadB = headB;
        while(dummyHeadA.next != null){
            dummyHeadA = dummyHeadA.next;
            countA++;
        }
        while(dummyHeadB.next != null){
            dummyHeadB = dummyHeadB.next;
            countB++;
        }
        if(dummyHeadA != dummyHeadB){
            return null;//尾節點不相交則說明不相交
        }
        dummyHeadA = headA;
        dummyHeadB = headB;
        int index = (countA - countB) > 0 ? (countA - countB) : -(countA - countB);//兩個鏈表的長度差
        for(int i = 0; i < index; i++){//讓較長的鏈表先移動index位
            if((countA - countB) > 0){
                dummyHeadA = dummyHeadA.next;
            }else{
                dummyHeadB = dummyHeadB.next;
            }
        }
        while(dummyHeadA != dummyHeadB){//兩個鏈表逐次向前移動,找出相交的第一個節點
            dummyHeadA = dummyHeadA.next;
            dummyHeadB = dummyHeadB.next;
        }
        return dummyHeadA;
    }
}

環形鏈表 II

142

/**
 * Definition for singly-linked list.
 * class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public ListNode detectCycle(ListNode head) {
        ListNode slow = head;
        ListNode fast = head;
        int count = 0;
        while(fast != null && fast.next != null){//判斷是否有環
            fast = fast.next.next;
            slow = slow.next;
            count++;
            if(fast == slow){
        // 找環的入口
                while(head != slow){
                    head = head.next;
                    slow = slow.next;
                }
                return head;
            }
        }
        
        return null;
    }
}

哈希表:也叫散列表,用來快速判斷一個元素是否出現在集合中,實際上是用空間換時間

有效的字母異位詞

242

class Solution {
    public boolean isAnagram(String s, String t) {
        // 方法一:使用hashmap
        // if(s.length() != t.length()){
        //     return false;
        // }
        // HashMap<Character, Integer> map = new HashMap<>();
        // for(int i = 0; i < s.length(); i++){
        //     map.put(s.charAt(i), (map.getOrDefault(s.charAt(i), 0) + 1));
        // }
        // for(int i = 0; i < t.length(); i++){
        //     if(map.containsKey(t.charAt(i))){
        //         if(map.get(t.charAt(i)) == 1){
        //             map.remove(t.charAt(i));
        //         }else{
        //             map.put(t.charAt(i), (map.get(t.charAt(i)) - 1));
        //         }
        //     }else{
        //         return false;
        //     }
        // }
        // return true;
        // 方法二:用數組來構造哈希表,字典解法
        if(s.length() != t.length()){
            return false;
        }
        int[] arr = new int[26];
        for(int i = 0; i < s.length(); i++){
            int index = s.charAt(i) - 'a';
            arr[index] = arr[index] + 1;
        }
        for(int i = 0; i < t.length(); i++){
            int index = t.charAt(i) - 'a';
            if(arr[index] != 0){
                arr[index] = arr[index] - 1;
            }else{
                return false;
            }
        }
        return true;
    }
}

兩個數組的交集

349

class Solution {
    public int[] intersection(int[] nums1, int[] nums2) {
        // 使用hashset,無序,且不能存儲重覆數據,符合題目要求
        HashSet<Integer> set = new HashSet<>();
        HashSet<Integer> record = new HashSet<>();
        for(int i = 0; i < nums1.length; i++){
            set.add(nums1[i]);
        }
        for(int i = 0; i < nums2.length; i++){
            if(set.remove(nums2[i])){
                record.add(nums2[i]);
            }
        }
        return record.stream().mapToInt(x -> x).toArray();
    }
}

快樂數

202

class Solution {
    public boolean isHappy(int n) {
        // 使用hashset,當有重覆的數字出現時,說明開始重覆,這個數不是快樂數
        HashSet<Integer> set = new HashSet();
        int sum = 0;
        while(true){
            while(n != 0){
                sum = sum + (n%10)*(n%10);
                n = n / 10;
            }
            if(sum == 1){
                return true;
            }
            if(!set.add(sum)){
                return false;
            }
            n = sum;
            sum = 0;
        }
    }
}

兩數之和

1

class Solution {
    public int[] twoSum(int[] nums, int target) {
        // 方法一:暴力解法
        // int[] arr = new int[2];
        // for(int i = 0; i < nums.length - 1; i++){
        //     for(int j = i + 1 ; j < nums.length; j++){
        //         if(target == (nums[i] + nums[j])){
        //             return new int[]{i,j};
        //         }
        //     }
        // }
        // return new int[0];
        // 方法二:HashMap
        HashMap<Integer, Integer> map = new HashMap<>();
        for(int i = 0; i < nums.length; i++){
            int find = target - nums[i];
            if(map.containsKey(find)){
                return new int[]{i, map.get(find)};
            }else{
                map.put(nums[i],i);
            }
        }
        return null;
    }
}

四數相加 II

454

class Solution {
    public int fourSumCount(int[] nums1, int[] nums2, int[] nums3, int[] nums4) {
        // 四個數,用哈希表,參考代碼隨想錄
        HashMap<Integer,Integer> map = new HashMap<>();
        int count = 0;
        for(int i : nums1){
            for(int j : nums2){
                int temp = i + j;
                if(map.containsKey(temp)){
                    map.put(temp, map.get(temp) + 1);
                }else{
                    map.put(temp, 1);
                }
            }
        }
        for(int i : nums3){
            for(int j : nums4){
                int temp = 0- (i + j);
                if(map.containsKey(temp)){
                    count += map.get(temp);
                }
            }
        }
        return count;
    }
}

贖金信

383

class Solution {
    public boolean canConstruct(String ransomNote, String magazine) {
        // 方法一;hashmap
        // HashMap<Character,Integer> map = new HashMap<>();
        // char temp;
        // for(int i = 0; i < ransomNote.length(); i++){
        //     temp = ransomNote.charAt(i);
        //     if(map.containsKey(temp)){
        //         map.put(temp, map.get(temp) + 1);
        //     }else{
        //         map.put(temp, 1);
        //     }
        // }
        // for(int i = 0; i < magazine.length(); i++){
        //     temp = magazine.charAt(i);
        //     if(map.containsKey(temp)){
        //         if(map.get(temp) == 1){
        //             map.remove(temp);
        //         }else{
        //             map.put(temp, map.get(temp) - 1);
        //         }
        //     }
        // }
        // if(map.isEmpty()){
        //     return true;
        // }else{
        //     return false;
        // }
        // 方法二:數組在哈希法的應用,比起方法一更加節省空間,因為字元串只有小寫的英文字母組成
        int[] arr = new int[26];
        int temp;
        for(int i = 0; i < ransomNote.length(); i++){
            temp = ransomNote.charAt(i) - 'a';
            arr[temp] = arr[temp] + 1;
        }
        for(int i = 0; i < magazine.length(); i++){
            temp = magazine.charAt(i) - 'a';
            if(arr[temp] != 0){
                arr[temp] = arr[temp] - 1;
            }
        }
        for(int i = 0; i < arr.length; i++){
            if(arr[i] != 0){
                return false;
            }
        }
        return true;
    }
}

三數之和

15

class Solution {
    public List<List<Integer>> threeSum(int[] nums) {
        // 如果考慮使用跟四數之和類似的求解方式,由於三元組是在同一個數組中尋找的,且要求不重覆的三元組,因此求解會比較複雜
        // 題目要求返回的是三元組的具體數值,而不是索引值,因此可以考慮使用雙指針
        List<List<Integer>> result = new ArrayList<>();
        List<Integer> temp = new ArrayList<Integer>();
        Arrays.sort(nums);
        for(int i = 0; i < nums.length; i++){
            if(nums[i] > 0){
                return result;
            }
            if(i > 0 && nums[i] == nums[i - 1]){
                continue;
            }
            int left = i + 1;
            int right = nums.length - 1;
            while(left < right){
                if((nums[i] + nums[left] + nums[right]) > 0){
                    right--;
                }else if((nums[i] + nums[left] + nums[right]) < 0){
                    left++;
                }else{
                    temp.add(nums[i]);
                    temp.add(nums[left]);
                    temp.add(nums[right]);
                    result.add(temp);
                    temp = new ArrayList<Integer>();
                    while(left < right && nums[right] == nums[right-1]){
                        right--;
                    }
                    while(left < right && nums[left] == nums[left+1]){
                        left++;
                    }
                    left++;
                    right--;
                }
            }
        }
        return result;
    }
}

四數之和

18

class Solution {
    public List<List<Integer>> fourSum(int[] nums, int target) {
        List<List<Integer>> list = new ArrayList<List<Integer>>();
        for(int i=0;i<nums.length-1;i++){
			for(int j=0;j<nums.length-1-i;j++){
				if(nums[j]>nums[j+1]){
					int temp = nums[j+1];
					nums[j+1] = nums[j];
					nums[j] = temp;
				}
			}
		}
        for(int i = 0; i < nums.length; i++){
            if (nums[i] > 0 && nums[i] > target) {
                return list;
            }
            if(i > 0 && nums[i] == nums[i - 1]){
                continue;
            }
            for(int j = i + 1; j < nums.length; j++){
                if(j > i + 1 && nums[j] == nums[j - 1]){
                    continue;
                }
                int left = j + 1;
                int right = nums.length - 1;
                while(left < right){
                    long sum = (long)(nums[i] + nums[j] + nums[left] + nums[right]);
                    if(sum > target){
                        right--;
                    }else if(sum < target){
                        left++;
                    }else{
                        list.add(Arrays.asList(nums[i] , nums[j] , nums[left] , nums[right]));
                        while(left < right && nums[left] == nums[left + 1]){
                            left++;
                        }
                        while(left < right && nums[right] == nums[right - 1]){
                            right--;
                        }
                        left++;
                        right--;
                    }
                }
            }
        }
        return list;
    }
}

字元串:

反轉字元串

344

class Solution {
    public void reverseString(char[] s) {
        // 左右指針
        int leftNode = 0;
        int rifhtNode = s.length - 1;
        char temp;
        while(leftNode <= rifhtNode){
            temp = s[rifhtNode];
            s[rifhtNode] = s[leftNode];
            s[leftNode] = temp;
            leftNode++;
            rifhtNode--;
        }
    }
}

反轉字元串 II

541

class Solution {
    public String reverseStr(String s, int k) {
        char[] arr = s.toCharArray();
        for(int i = 0; i < arr.length; i=i+2*k){
            if((i+k)<=arr.length){
                reverse(arr,i,i+k-1);
            }else{
                reverse(arr,i,arr.length-1);
            }
        }
        return new String(arr);
    }
    public void reverse(char[] arr, int left, int right){
        while(left < right){
            char temp = arr[left];
            arr[left] = arr[right];
            arr[right] = temp;
            left++;
            right--;
        }
    }
}

替換空格

offer 05

class Solution {
    public String replaceSpace(String s) {
        StringBuffer target = new StringBuffer();
        char temp;
        for(int i = 0; i < s.length(); i++){
            temp = s.charAt(i);
            if(temp == ' '){
                target.append("%20");
            }else{
                target.append(temp);
            }
        }
        return new String(target);
    }
}

反轉字元串中的單詞

151

class Solution {
    public String reverseWords(String s) {
        StringBuffer buffer = new StringBuffer();
        int index = 0;
        while(s.charAt(index)==' '){
            index++;
        }
        for(;index < s.length();index++){
            if(s.charAt(index)!=' '){
                buffer.append(s.charAt(index));
            }else{
                while(index < s.length() && s.charAt(index)==' '){
                    index++;
                }
                if(index < s.length()){
                    buffer.append(' ');
                    buffer.append(s.charAt(index));
                }
            }
        }
        String arr = new String(buffer);
        String[] result = arr.split(" ");
        int left = 0;
        int right = result.length - 1;
        while(left < right){
            String temp = result[left];
            result[left] = result[right];
            result[right] = temp;
            left++;
            right--;
        }
        StringBuffer buffer1 = new StringBuffer();
        for(int a = 0; a < result.length; a++){
            buffer1.append(result[a]);
            if(a < result.length - 1){
                buffer1.append(" ");
            }
            
        }
        return new String(buffer1);
    }
}

左旋轉字元串

Offer 58 - II

class Solution {
    public String reverseLeftWords(String s, int n) {
// 先整體反轉,在根據k進行部分反轉
        char[] str = s.toCharArray();
        reverse(str, 0, str.length - 1);
        reverse(str, 0, str.length - 1 - n);
        reverse(str, str.length - n, str.length - 1);
        return new String(str);
    }
    public void reverse(char[] str, int start, int end){
        while(start < end){
            str[start] ^= str[end];
            str[end] ^= str[start];
            str[start] ^= str[end];
            start++;
            end--;
        }
    }
}

找出字元串中第一個匹配項的下標

KMP字元串匹配:在主串中尋找子串的過程,稱為模式匹配
KMP的主要思想是當出現字元串不匹配時,可以知道一部分之前已經匹配的文本內容,可以利用這些信息避免從頭再去做匹配了。
首碼表:記錄下標i之前(包括i)的字元串中,有多大長度的相同首碼尾碼。
28

class Solution {
    public int strStr(String haystack, String needle) {
        int[] arr = kmp(needle);
        for(int i = 0, j = 0; i < haystack.length(); i++){
            while(j > 0 && haystack.charAt(i) != needle.charAt(j)){
                j = arr[j - 1];
            }
            if(haystack.charAt(i) == needle.charAt(j)){
                j++;
            }
            if(j == needle.length()){
                return i - j + 1;
            }
        }
        return -1;
    }
    public int[] kmp(String needle){
        int[] next = new int[needle.length()];
        for(int i = 1, j = 0; i < next.length; i++){
            while(j > 0 && needle.charAt(i) != needle.charAt(j)){
                j = next[j - 1];
            }
            if(needle.charAt(i) == needle.charAt(j)){
                j++;
            }
            next[i] = j;
        }
        return next;
    }
}

重覆的子字元串

459

class Solution {
    public boolean repeatedSubstringPattern(String s) {
        int[] next = new int[s.length()];
        next[0] = 0;
        for(int i = 1, j = 0; i < s.length(); i++){
            while(j > 0 && s.charAt(i) != s.charAt(j)){
                j = next[j - 1];
            }
            if(s.charAt(i) == s.charAt(j)){
                j++;
            }
            next[i] = j;
        }
        if(next[next.length - 1] != 0 && next.length%(next.length - next[next.length - 1]) == 0){
            return true;
        }
        return false;
    }
}

棧和隊列:容器適配器,不提供迭代器
232、用棧實現隊列

class MyQueue {
    Stack<Integer> stack1 = new Stack<>();
    Stack<Integer> stack2 = new Stack<>();
    public MyQueue() {
        
    }
    
    public void push(int x) {
        stack1.push(x);
    }
    
    public int pop() {
        if(stack2.isEmpty()){
            while(!stack1.isEmpty()){
                stack2.push(stack1.pop());
            }
        }
        return stack2.pop();
    }
    
    public int peek() {
        if(stack2.isEmpty()){  
            while(!stack1.isEmpty()){
                stack2.push(stack1.pop());
            }
        }
        return stack2.peek();
    }
    
    public boolean empty() {
        if(stack1.isEmpty() && stack2.isEmpty()){
            return true;
        }
        return false;
    }
}

/**
 * Your MyQueue object will be instantiated and called as such:
 * MyQueue obj = new MyQueue();
 * obj.push(x);
 * int param_2 = obj.pop();
 * int param_3 = obj.peek();
 * boolean param_4 = obj.empty();
 */

225、用隊列實現棧

class MyStack {
    Queue<Integer> queue1;
    Queue<Integer> queue2;//用來備份棧的數據(除棧頂)
    public MyStack() {
        queue1 = new LinkedList<>();
        queue2 = new LinkedList<>();
    }
    // 方法一:較為繁瑣
    // public void push(int x) {
    //     while(queue1.size() > 0){
    //         queue2.offer(queue1.poll());
    //     }
    //     while(queue2.size() > 0){
    //         queue1.offer(queue2.poll());
    //     }
    //     queue1.offer(x);
    // }
    
    // public int pop() {
    //     while(queue1.size() > 1){
    //         queue2.offer(queue1.poll());
    //     }
    //     int temp =  queue1.poll();
    //     while(queue2.size() > 0){
    //         queue1.offer(queue2.poll());
    //     }
    //     return temp;
    // }
    
    // public int top() {
    //     while(queue1.size() > 1){
    //         queue2.offer(queue1.poll());
    //     }
    //     int temp = queue1.peek();
    //     while(queue1.size() > 0){
    //         queue2.offer(queue1.poll());
    //     }
    //     while(queue2.size() > 0){
    //         queue1.offer(queue2.poll());
    //     }
    //     return temp;
    // }
    // public boolean empty() {
    //     return queue1.isEmpty() && queue2.isEmpty();
    // }
    // 方法二:參考代碼隨想錄
    // public void push(int x) {
    //     queue2.offer(x);
    //     while(!queue1.isEmpty()){
    //         queue2.offer(queue1.poll());
    //     }
    //     Queue<Integer> temp = new LinkedList<>();
    //     queue1 = queue2;
    //     queue2 = temp;
    // }
    
    // public int pop() {
    //     return queue1.poll();
    // }
    
    // public int top() {
    //     return queue1.peek();
    // }
    // public boolean empty() {
    //     return queue1.isEmpty() && queue2.isEmpty();
    // }
    // 方法三:用單隊列實現
    public void push(int x) {
        if(queue1.isEmpty()){
            queue1.offer(x);
        }else{
            int count = queue1.size();
            queue1.offer(x);
            while(count > 0){
                queue1.offer(queue1.poll());
                count--;
            }
        }
    }
    
    public int pop() {
        return queue1.poll();
    }
    
    public int top() {
        return queue1.peek();
    }
    public boolean empty() {
        return queue1.isEmpty();
    }
}

/**
 * Your MyStack object will be instantiated and called as such:
 * MyStack obj = new MyStack();
 * obj.push(x);
 * int param_2 = obj.pop();
 * int param_3 = obj.top();
 * boolean param_4 = obj.empty();
 */

20、有效的括弧

class Solution {
    public boolean isValid(String s) {
        // 方法一:用字元串
        // String s1 = "";
        // if(s.length()%2 == 1){
        //     return false;
        // }
        // for(int i = 0; i < s.length(); i++){
        //     if(s.charAt(i) == '(' || s.charAt(i) == '[' || s.charAt(i) == '{'){
        //         s1 = s1 + s.charAt(i);
        //     }else if(s1.length() == 0){
        //         return false;
        //     }else if((s.charAt(i) == ']') && (s1.charAt(s1.length()-1) == '[')){
        //         s1 = s1.substring(0,s1.length() - 1);              
        //     }else if((s.charAt(i) == '}') && (s1.charAt(s1.length()-1) == '{')){
        //         s1 = s1.substring(0,s1.length() - 1);              
        //     }else if((s.charAt(i) == ')') && (s1.charAt(s1.length()-1) == '(')){
        //         s1 = s1.substring(0,s1.length() - 1);              
        //     }else{
        //         return false;
        //     }
        // }
        // if(s1.length() == 0){
        //     return true;
        // }else{
        //     return false;
        // }
        // 方法二:用棧
        Stack<Character> stack = new Stack<>();
        char[] arr = s.toCharArray();
        for(int i = 0; i < arr.length; i++){
            if(arr[i] == '(' || arr[i] == '[' || arr[i] == '{'){
                stack.push(arr[i]);
            }else if(arr[i] == ')'){
                if(stack.isEmpty() || stack.pop() != '('){
                    return false;
                }
            }else if(arr[i] == ']'){
                if(stack.isEmpty() ||stack.pop() != '['){
                    return false;
                }
            }else if(arr[i] == '}'){
                if(stack.isEmpty() ||stack.pop() != '{'){
                    return false;
                }
            }
        }
        return stack.isEmpty();
    }
}

1047、刪除字元串中的所有相鄰重覆項

class Solution {
    public String removeDuplicates(String s) {
        // 方法一:用棧
        char[] arr = s.toCharArray();
        Stack<Character> stack = new Stack<>();
        for(int i = 0; i < arr.length; i++){
            if(stack.isEmpty()){
                stack.push(arr[i]);
            }else if(stack.peek() == arr[i]){
                stack.pop();
            }else{
                stack.push(arr[i]);
            }
        }
        String str = "";
        while(!stack.isEmpty()){
            str = stack.pop() + str;
        }
        return str;
        // // 方法二:雙線隊列
        // char[] arr = s.toCharArray();
        // ArrayDeque<Character> arraydeque = new ArrayDeque<>();
        // for(int i = 0; i < arr.length; i++){
        //     if(arraydeque.isEmpty()){
        //         arraydeque.push(arr[i]);
        //     }else if(arraydeque.peek() == arr[i]){
        //         arraydeque.pop();
        //     }else{
        //         arraydeque.push(arr[i]);
        //     }
        // }
        // String str = "";
        // while(!arraydeque.isEmpty()){
        //     str = arraydeque.pop() + str;
        // }
        // return str;
    }
}

150、逆波蘭表達式求值

class Solution {
    public int evalRPN(String[] tokens) {
        Stack<Integer> stack = new Stack<>();
        for(int i = 0; i < tokens.length; i++){
            if(tokens[i].equals("+")){
                stack.push(stack.pop() + stack.pop());
            }else if(tokens[i].equals("-")){
                stack.push(-stack.pop() + stack.pop());
            }else if(tokens[i].equals("*")){
                stack.push(stack.pop() * stack.pop());
            }else if(tokens[i].equals("/")){
                int divisor = stack.pop();
                int dividend = stack.pop();
                int temp = dividend/divisor;
                stack.push(temp);
            }else{
                stack.push(Integer.valueOf(tokens[i]));
            }
        }
        return stack.pop();
    }
}

239、滑動視窗最大值
單調隊列

class Solution {
    public int[] maxSlidingWindow(int[] nums, int k) {
        Deque<Integer> deque = new LinkedList<>();//單調雙向隊列
        int[] result = new int[nums.length - k + 1];
        for(int i = 0; i < nums.length; i++){
            while(deque.peekFirst() != null && deque.peekFirst() < i - k + 1){
                deque.pollFirst();
            }
            while(deque.peekLast() != null && nums[i] > nums[deque.peekLast()]){
                deque.pollLast();
            }
            deque.offerLast(i);
            if(i - k + 1 >= 0 ){
                result[i - k + 1] = nums[deque.peekFirst()];
            }
        }
        return result;
    }
}

347、前 K 個高頻元素
優先順序隊列,大頂堆,小頂堆

class Solution {
    public int[] topKFrequent(int[] nums, int k) {
        Map<Integer, Integer> map = new HashMap<>();
        for(int i: nums){
            map.put(i, map.getOrDefault(i, 0) + 1);
        }
        PriorityQueue<int[]> pq = new PriorityQueue<>(new Comparator<int[]>(){
            public int compare(int[] m, int[] n){
                return m[1] - n[1];
            }
        });
        for(Map.Entry<Integer, Integer> entry: map.entrySet()){
            if(pq.size() < k){
                pq.add(new int[]{entry.getKey(), entry.getValue()});
            }else{
                if(pq.peek()[1] < entry.getValue()){
                    pq.poll();
                    pq.add(new int[]{entry.getKey(), entry.getValue()});
                }
            }
        }
        int[] arr = new int[k];
        for(int i = 0; i < arr.length; i++){
            arr[i] = pq.poll()[0];
        }
        return arr;
    }
}

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 以下是一個基於C語言和Win32API的記憶體掃描器的實現代碼 首先定義一個結構體MEMBLOCK,用來存儲記憶體塊的信息 點擊查看代碼 typedef struct _MEMBLOCK { HANDLE hProcess; //進程句柄 PVOID addr; //記憶體塊地址 int size; // ...
  • 一、PHP簡介 Hypertext Preprocessor,又稱為超文本預處理器(HTML為超文本標簽語言),就是我們所說的PHP。它是一種糅雜百家的後臺語言,在PHP中,可以見到C、Java等語言的寫法和它自創的一些寫法,這也就是為什麼說學過其他語言的人會比較容易接受PHP。 PHP開發時需要去 ...
  • 巨集定義是什麼 巨集定義(macro definition)是 C/C++ 中的一種預處理指令,可以在編譯之前替換源代碼中的一些文本。簡單來說就是用巨集自定義了一些其它符號,這些符號在使用時全等於被替換的內容。 #define DATE "2023_01_20" #define FILE_NUM 250 ...
  • 說明 使用 VLD 記憶體泄漏檢測工具輔助開發時整理的學習筆記。 1. 使用前的準備 參考本人另一篇博客 安裝 Visual Leak Detector 下載 vld-2.5.1-setup.exe 並按步驟安裝 VLD。這一種使用方式的特點是,在一臺電腦上安裝完成後,需在項目 pro 文件中指明庫及 ...
  • 伺服器渲染技術-Thymeleaf 1.基本介紹 官方線上文檔:Read online 文檔下載:Thymeleaf 3.1 PDF, EPUB, MOBI Thymeleaf 是什麼 Thymeleaf是一個現代的伺服器端Java模板引擎,適用於Web和獨立環境,能夠處理HTML,XML,Java ...
  • ###1.起因: 工作中對接平臺需要將設備的GPS數據傳給平臺,但是平臺採用的不是回調函數將數據直接作為參數返回而是格式化的字元串命令,所以需要將double類型的gps數據格式化輸出到字元串中,項目中之前採用的是sprintf進行格式化輸出,但是通過列印對比發現有精度損失,所以改成先放大數據100 ...
  • 模塊化的基本概念 什麼是模塊化? 模塊化是解決一個複雜問題時,自頂向下逐層把系統劃分為若幹個模塊的過程,編程中,就是遵守一定規則,把一個大文件拆成獨立並相互依賴的多個小模塊。 模塊化規範 使用什麼樣的語法格式引用模塊和向外暴露成員 CommonJS規範 Node.js 遵循了 CommonJS 的模 ...
  • 資源調度器是 YARN 中最核心的組件之一,它是 ResourceManager 中的一個插拔式服務組件,負責整個集群資源的管理和分配。 Yarn 預設提供了三種可用資源調度器,分別是FIFO (First In First Out )、 Yahoo! 的 Capacity Scheduler 和 ... ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...