letcode 专题

目录

 

88. 合并两个有序数组

136. 只出现一次的数字

169. 多数元素

240. 搜索二维矩阵 II

777. 在LR字符串中交换相邻字符


88. 合并两个有序数组

给你两个有序整数数组 nums1 和 nums2,请你将 nums2 合并到 nums1 中,使 nums1 成为一个有序数组。

说明:

初始化 nums1 和 nums2 的元素数量分别为 m 和 n 。
你可以假设 nums1 有足够的空间(空间大小大于或等于 m + n)来保存 nums2 中的元素。

归并排序中的merge On实现

class Solution {
public:
    void merge(vector& a, int m, vector& b, int n) {
        for(int i=n+m-1;i>=n;i--)a[i]=a[i-n];
        int l=n,r=0;
        for(int i=0;i=n||l

136. 只出现一次的数字

给定一个非空整数数组,除了某个元素只出现一次以外,其余每个元素均出现两次。找出那个只出现了一次的元素。

时间O(n),空间O(1)

异或和来判断。

class Solution {
public:
    int singleNumber(vector& nums) {
        int ans=0;
        for(auto x:nums){
            ans^=x;
        }
        return ans;
    }
};

169. 多数元素

给定一个大小为 的数组,找到其中的多数元素。多数元素是指在数组中出现次数大于 ⌊ n/2 ⌋ 的元素。

时间O(n),空间O(1)

1:随机算法;

2:Boyer-Moore 投票算法

多数元素一定大于其他元素和。

class Solution {
public:
    int majorityElement(vector& nums) {
        int tp=nums[0],nm=0;
        for(auto x:nums){
            if(x!=tp){
                nm--;
                if(nm<=0)tp=x,nm=1;
            }
            else nm++;
        }
        return tp;
    }
};

240. 搜索二维矩阵 II

编写一个高效的算法来搜索 m x n 矩阵 matrix 中的一个目标值 target。该矩阵具有以下特性:

  每行的元素从左到右升序排列。
  每列的元素从上到下升序排列。

方法一:每行进行二分查找,时间:nlogn;

class Solution {
public:
    bool searchMatrix(vector>& ma, int target) {
        int x=0,y=0;
        bool flag=false;
        for(int i=0;i=ma[i].size())continue;
            int tp=ma[i][id];
            if(tp==target)flag=true;
        }
        return flag;
    }
};

方法二:从上到下,从左到右,再从下到上,查找。

时间复杂度On

数组是排序过的,所以这样一定能找到答案。

class Solution {
public:
    bool searchMatrix(vector>& ma, int target) {
        if(ma.size()==0||ma[0].size()==0)return false;
        int x=0,y=0;
        int n=ma.size();
        int m=ma[0].size();
        while(x+1=0)
        {
            while(y+1

777. 在LR字符串中交换相邻字符

在一个由 'L' , 'R' 和 'X' 三个字符组成的字符串(例如"RXXLRXRXL")中进行移动操作。一次移动操作指用一个"LX"替换一个"XL",或者用一个"XR"替换一个"RX"。现给定起始字符串start和结束字符串end,请编写代码,当且仅当存在一系列移动操作使得start可以转换成end时, 返回True。

LX替换XL,相当于可以把L往左移动(可以穿过X,但不能穿过R)

XR同理

class Solution {
public:
    bool canTransform(string s, string t) {
        int na=0,nb=0,n=s.length(),m=t.length();
        if(n!=m)return false;
        for(int i=0;i=n||r>=n)break;
            if(s[l]!=t[r])return false;
            if(lr&&s[l]=='R')return false;
            l++,r++;
        }
        return true;
    }
};

你可能感兴趣的:(面试算法题)