在一个 n * m 的二维数组中,每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个高效的函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。
示例:
现有矩阵 matrix 如下:
[ [1, 4, 7, 11, 15], [2, 5, 8, 12, 19], [3, 6, 9, 16, 22], [10, 13, 14, 17, 24], [18, 21, 23, 26, 30] ]
给定 target = 5
,返回 true
。
给定 target = 20
,返回 false
。
限制:
0 <= n <= 1000 0 <= m <= 1000
方法一:Krahets
class Solution { public: char firstUniqChar(string s) { unordered_map<char, int> map; for(auto ch : s) { if(map.count(ch)) { map[ch] ++; } else { map[ch] = 1; } } for(auto ch : s) { if(map[ch] == 1) return ch; } return ' '; } };
把一个数组最开始的若干个元素搬到数组的末尾,我们称之为数组的旋转。输入一个递增排序的数组的一个旋转,输出旋转数组的最小元素。例如,数组 [3,4,5,1,2]
为 [1,2,3,4,5]
的一个旋转,该数组的最小值为1。
示例 :
输入:[3,4,5,1,2] 输出:1
方法一:Krahets
class Solution { public: int minArray(vector<int>& numbers) { int i = 0, j = numbers.size() - 1; while (i < j) { int m = (i + j) / 2; if (numbers[m] > numbers[j]) i = m + 1; else if (numbers[m] < numbers[j]) j = m; else j--; } return numbers[i]; } };
在字符串 s 中找出第一个只出现一次的字符。如果没有,返回一个单空格。 s 只包含小写字母。
示例 1:
输入:s = "abaccdeff" 输出:'b'
限制:
0 <= s 的长度 <= 50000
方法一:哈希表
class Solution { public: char firstUniqChar(string s) { unordered_map<char, int> map; for(auto ch : s) { if(map.count(ch)) { map[ch] ++; } else { map[ch] = 1; } } for(auto ch : s) { if(map[ch] == 1) return ch; } return ' '; } };