【3】Longest Substring Without Repeating Characters (2019年1月22日,复习)

【5】Longest Palindromic Substring (2019年1月22日,复习)

【6】ZigZag Conversion (2019年1月22日,复习)

【8】String to Integer (atoi) (2019年1月22日,复习)

【10】Regular Expression Matching (2019年1月22日,复习)

【12】Integer to Roman (2019年1月22日,复习)

【13】Roman to Integer (2019年1月22日,复习)

罗马数字转换成整数。

题解:用一个map来存储映射关系。

 class Solution {
public:
int romanToInt(string s) {
const int n = s.size();
initMap();
int idx = ;
int ret = ;
while (idx < n) {
if (idx + == n) {
string temp = string(, s[idx]);
ret += mp[temp];
idx++;
continue;
}
string str = s.substr(idx, );
if (mp.find(str) != mp.end()) {
ret += mp[str];
idx += ;
} else {
string temp = string(, s[idx]);
ret += mp[temp];
idx++;
}
}
return ret;
}
unordered_map<string, int> mp;
void initMap() {
mp["IV"] = , mp["IX"] = ;
mp["XL"] = , mp["XC"] = ;
mp["CD"] = , mp["CM"] = ;
mp["I"] = , mp["V"] = , mp["X"] = ,
mp["L"] = , mp["C"] = , mp["D"] = ,
mp["M"] = ;
}
};

【14】Longest Common Prefix (2019年1月22日,复习)

给了一组单词,由小写字母构成,找他们的公共前缀,返回这个字符串。

题解:可以暴力解,可以trie树。

 class Solution {
public:
string longestCommonPrefix(vector<string>& strs) {
if(strs.empty()) return "";
for(int i=; i<strs[].size(); ++i){
for(int j=; j<strs.size(); ++j){
if(strs[][i] != strs[j][i]){
return strs[].substr(,i);
}
}
}
return strs[];
}
};
 class Solution {
public:
struct TrieNode {
char c;
vector<TrieNode*> children;
bool isEndingChar = false;
int cntChildrenNotNull = ;
TrieNode(char t): c(t) {
children = vector<TrieNode*>(, nullptr);
}
};
class Trie {
public:
void insert(string s) {
TrieNode * node = root;
for (int i = ; i < s.size(); ++i) {
char c = s[i];
if (node->children[c-'a'] == nullptr) {
node->children[c-'a'] = new TrieNode(c);
node->cntChildrenNotNull++;
}
node = node->children[c-'a'];
}
node->isEndingChar = true;
return;
}
string getCommonPrefix() {
TrieNode* node = root;
string ret = "";
while (node->cntChildrenNotNull == && node->isEndingChar == false) {
for (int i = ; i < ; ++i) {
if (node->children[i]) {
node = node->children[i];
break;
}
}
ret += string(, node->c);
}
return ret;
}
TrieNode* root = new TrieNode('/');
};
string longestCommonPrefix(vector<string>& strs) {
const int n = strs.size();
Trie trie;
for (auto s : strs) {
if (s.empty()) {
return s;
}
trie.insert(s);
}
return trie.getCommonPrefix();
}
};

【17】Letter Combinations of a Phone Number (2019年1月22日,复习)

给了一个座机电话, 给了一个数字的字符串 digits,返回所有的数字对应的字母排列。

题解:map + dfs

 class Solution {
public:
vector<string> letterCombinations(string digits) {
n = digits.size();
if (n == ) { return vector<string>{}; }
initMap();
string s = "";
dfs(digits, , s);
return ret;
}
int n;
unordered_map<int, vector<string>> mp;
vector<string> ret;
void dfs(string digits, int cur, string& s) {
if (cur == n) {
ret.push_back(s);
return;
}
int num = digits[cur] - '';
for (auto ele : mp[num]) {
string ori = s;
s += ele;
dfs(digits, cur + , s);
s = ori;
}
return;
}
void initMap() {
mp[] = {"a", "b", "c"};
mp[] = {"d", "e", "f"};
mp[] = {"g", "h", "i"};
mp[] = {"j", "k", "l"};
mp[] = {"m", "n", "o"};
mp[] = {"p", "q", "r", "s"};
mp[] = {"t", "u", "v"};
mp[] = {"w", "x", "y", "z"};
}
};

【20】Valid Parentheses (2019年1月22日,复习)

Given a string containing just the characters '('')''{''}''[' and ']', determine if the input string is valid. 判断一个字符串中的括号是不是合法的。

题解:用栈做。

代码不贴了。

【22】Generate Parentheses (2019年1月22日,复习)

【28】Implement strStr()  (算法群,2018年11月4日,练习kmp)

实现在字符串 s 中找到 模式串 p, (kmp)

题解:暴力O(N*M) 可以解, kmp O(N+M) 也可以解 ,kmp务必再深入理解一下 next 数组的求法。不然面试不给笔记看就凉凉了。(还有一个注意点是 p 为空串的时候要特判)

 class Solution {
public:
int strStr(string haystack, string needle) {
return kmp(haystack, needle);
}
int kmp(string& s, string& p) {
const int n = s.size(), m = p.size();
if (m == ) {return ;} //p empty
vector<int> next = getNext(p);
int i = , j = ;
while (i < n && j < m) {
if (j == - || s[i] == p[j]) {
++i, ++j;
} else {
j = next[j];
}
}
if (j == m) {
return i - j;
}
return -;
}
vector<int> getNext(string& p) {
const int n = p.size();
vector<int> next(n, );
next[] = -;
int j = , k = -;
while (j < n - ) {
if (k == - || p[j] == p[k]) {
++k, ++j;
next[j] = p[j] == p[k] ? next[k] : k;
} else {
k = next[k];
}
}
return next;
}
};

kmp

 //暴力解法 O(N*M)
class Solution {
public:
int strStr(string haystack, string needle) {
const int n = haystack.size(), m = needle.size();
if (m == ) {return ;}
for (int i = ; i + m <= n; ) { // 判断条件要不要取等号,然后下面做了++i, ++j, for循环里面就别做了,尴尬,这都能错
int j; int oldi = i;
for (j = ; j < m;) {
if (haystack[i] == needle[j]) {
++i, ++j;
} else {
break;
}
}
if (j == m) {
return i - j;
} else {
i = oldi + ;
}
}
return -;
}
};

暴力

【30】Substring with Concatenation of All Words

【32】Longest Valid Parentheses

【38】Count and Say

【43】Multiply Strings (2018年11月27日,高精度乘法) (2019年3月5日更新)

给了两个string类型的数字,num1 和 num2, 用string的形式返回 num1 * num2。(num1, num2 的长度都小于等于110)

题解:我们可以不做翻转的操作,从 num1 和 num2 的末尾开始计算,num1[i], num2[j]  的乘积要放在 nums[i+j+1] 的位置,进位放在 nums[i+j] 的位置。返回结果的字符串的长度肯定是 nums1.size() + nums2.size() 的长度。

 class Solution {
public:
string multiply(string num1, string num2) {
const int size1 = num1.size(), size2 = num2.size();
vector<int> nums(size1 + size2, );
for (int i = size1 - ; i >= ; --i) {
for (int j = size2 - ; j >= ; --j) {
int temp = (num1[i] - '') * (num2[j] - '') + (nums[i+j+]);
nums[i+j+] = temp % ;
nums[i+j] += temp / ;
}
}
string res = "";
for (auto num : nums) {
if (num == && res.empty()) {
continue;
}
res += num + '';
}
if (res.empty()) { res = ""; }
return res;
}
};

【44】Wildcard Matching

【49】Group Anagrams (2019年1月23日,谷歌tag复习)

给了一个单词列表,给所有的异构词分组。

Input: ["eat", "tea", "tan", "ate", "nat", "bat"],

Output:

[

["ate","eat","tea"],

["nat","tan"],

["bat"]

]

题解:我的解法,hashmap + sort。不是最优秀的解法。还有什么用 26个素数代替法,这个更快吧。

代码不贴了。

【58】Length of Last Word

【65】Valid Number

【67】Add Binary

【68】Text Justification

【71】Simplify Path

【72】Edit Distance

【76】Minimum Window Substring

【87】Scramble String

【91】Decode Ways

【93】Restore IP Addresses

【97】Interleaving String

【115】Distinct Subsequences

【125】Valid Palindrome

【126】Word Ladder II

【151】Reverse Words in a String (2018年11月8日, 原地翻转字符串)

Input: "the sky is blue",

Output: "blue is sky the".

题解:用stringstream能做。

 class Solution {
public:
void reverseWords(string &s) {
stringstream iss(s);
string temp;
iss >> s;
while (iss >> temp) {
s = temp + " " + s;
}
if (isspace(s[])) {s = "";}
return;
}
};

【157】Read N Characters Given Read4

【158】Read N Characters Given Read4 II - Call multiple times

【159】Longest Substring with At Most Two Distinct Characters (2019年1月29日,谷歌tag复习)

给定一个字符串 s,返回它最长的子串的长度,子串要求只能有两个distinct characters。

题解:sliding window。(time complexity is O(N))

 class Solution {
public:
int lengthOfLongestSubstringTwoDistinct(string s) {
const int n = s.size();
int ans = ;
int begin = , end = , cnt = ;
unordered_map<char, int> mp;
while (end < n) {
mp[s[end]]++;
if (mp[s[end]] == ) {
++cnt;
}
if (cnt <= ) {
ans = max(ans, end - begin + );
}
while (cnt > ) {
mp[s[begin]]--;
if (mp[s[begin]] == ) {
--cnt;
}
++begin;
}
end++;
}
return ans;
}
};

【161】One Edit Distance (2018年11月24日,刷题数)

给了两个字符串 s 和 t,问 s 能不能通过 增加一个字符, 删除一个字符,替换一个字符 这三种操作里面的任意一个变成 t。能的话返回 true, 不能的话返回 false。

题解:感觉是基础版的编辑距离。直接通过模拟来做。beats 36%。时间复杂度是 O(N).

 class Solution {
public:
bool isOneEditDistance(string s, string t) {
if (s == t) {return false;}
const int ssize = s.size(), tsize = t.size();
int cnt = ;
if (ssize == tsize) { //check replace;
int idx = findfirstidx(s, t);
if (idx == ssize || s.substr(idx+) == t.substr(idx+)) {
return true;
}
} else if (ssize == tsize - ) { //check insert
int idx = findfirstidx(s, t);
if (idx == tsize || s.substr(idx) == t.substr(idx+)) {
return true;
} } else if (ssize == tsize + ){ //check delete
int idx = findfirstidx(s, t);
if (idx == ssize || s.substr(idx+) == t.substr(idx)) {
return true;
}
}
return false;
}
inline int findfirstidx (string s, string t) {
const int ssize = s.size(), tsize = t.size();
int tot = min(ssize, tsize);
for (int i = ; i < tot; ++i) {
if (s[i] != t[i]) {
return i;
}
}
return max(ssize, tsize);
}
};

【165】Compare Version Numbers (2019年5月5日, 字符处理类型的题目)

比较两个字符串版本号的大小。input 是 version1 和 version2。

比较规则是: ‘.’ 作为分隔符,如果同一层级的 version1 的number 小于 version2 的 number,返回 -1, 反之,如果大于,返回 1. 如果相等的话,继续比较下一个层级。

题解:直接模拟法做。时间复杂度是O(N).

 class Solution {
public:
int compareVersion(string version1, string version2) {
int size1 = version1.size(), size2 = version2.size();
int p1 = , p2 = ;
int num1 = , num2 = ;
while (p1 < size1 || p2 < size2) {
if (p1 < size1 && version1[p1] == '.') {++p1;}
if (p2 < size2 && version2[p2] == '.') {++p2;}
while (p1 < size1 && isdigit(version1[p1])) {
num1 = num1 * + (version1[p1] - '');
++p1;
}
while (p2 < size2 && isdigit(version2[p2])) {
num2 = num2 * + (version2[p2] - '');
++p2;
}
if (num1 < num2) {return -;}
if (num1 > num2) {return ;}
num1 = , num2 = ;
}
return ;
}
};

【186】Reverse Words in a String II (2018年11月8日, 原地翻转字符串)

Given an input string , reverse the string word by word.

Example:
Input: ["t","h","e"," ","s","k","y"," ","i","s"," ","b","l","u","e"]
Output: ["b","l","u","e"," ","i","s"," ","s","k","y"," ","t","h","e"] Note:
A word is defined as a sequence of non-space characters.
The input string does not contain leading or trailing spaces.
The words are always separated by a single space.

题解:无。

 class Solution {
public:
void reverseWords(vector<char>& str) {
reverse(str.begin(), str.end());
const int n = str.size();
int p1 = , p2 = ;
while (p2 < n) {
while (p1 < n && str[p1] == ' ') {p1++;}
p2 = p1;
while (p2 < n && str[p2] != ' ') {p2++;}
reverse(str.begin() + p1, str.begin() + p2);
p1 = p2;
}
return;
}
};

【214】Shortest Palindrome (2018年11月2日,周五,算法群)

给了一个字符串 S,为了使得 S 变成回文串可以在前面增加字符,在增加最少的字符的前提下返回新的回文 S。

题解:我的做法跟昨天的题一样(366)就是找从第一个字符开始最长的回文串,然后把后面的那小段翻转一下,拼到前面。时间复杂度是O(N^2)

 //类似的题目可以见 336 Palindrome Pairs
class Solution {
public:
string shortestPalindrome(string s) {
const int n = s.size();
string ans = "";
for (int j = n; j >= ; --j) {
if (isPalindrome(s, , j-)) {
string str = s.substr(j);
reverse(str.begin(), str.end());
ans = str + s;
break;
}
}
return ans;
}
bool isPalindrome(const string& s, int start, int end) { //[start, end]
while (start < end) {
if (s[start] != s[end]) {return false;}
start++, end--;
}
return true;
}
};

应该还有更好的解法:(学习学习学习)。

【227】Basic Calculator II (2019年3月18日)

给了一个字符串,包含数字,+,-,*,/,和空格,求字符串表达式的值。

Example 1:

Input: "3+2*2"
Output: 7

Example 2:

Input: " 3/2 "
Output: 1

Example 3:

Input: " 3+5 / 2 "
Output: 5

题解:本题大爷他们说用状态机的方法来做。状态机的方法就是遍历字符串,如果碰到 digit 应该怎么做,如果碰到 + - * / 应该怎么做,如果碰到 空格 应该怎么做。

用一个 vector<int> 做为 cache 缓存前面的只用 +,- 的值。

 class Solution {
public:
int calculate(string s) {
const int n = s.size();
int num = ;
char sign = '+';
vector<int> cache;
for (int i = ; i < n; ++i) {
if (isdigit(s[i])) {
num = num * + (s[i] - '');
}
if (i == n- || !isdigit(s[i]) && s[i] != ' '){
if (sign == '+') {cache.push_back(num);}
if (sign == '-') {cache.push_back(-num);}
if (sign == '*' || sign == '/') {
int last = cache.back();
cache.pop_back();
if (sign == '*') {cache.push_back(last * num);}
else if (sign == '/') {cache.push_back(last / num);}
}
num = ;
if (!isdigit(s[i])) { sign = s[i]; }
}
}
int res = ;
for (auto& e : cache) {
res += e;
}
return res;
}
};

【249】Group Shifted Strings

【271】Encode and Decode Strings

【273】Integer to English Words

【293】Flip Game

【336】Palindrome Pairs (2018年11月1日,周四,算法群)

给了一组字符串words,找出所有的pair (i,j),使得 words[i] + words[j] 这个新的字符串是回文串。

题解:这题WA出了天际。因为map似乎一旦访问了某个不存在的key,这个key就变的存在了。。一开始我想暴力,暴力超时,暴力时间的时间复杂度是O(N^2*K)。后来认真思考了一下一个字符串是怎么变成回文的。如果一个字符串word,他的长度是n,如果它的前半段 word[0..j] 是个回文串,那么我们需要匹配它后面那段 word[j+1..n-1], 我们把后半段reverse一下, 查找字符串集合(map)里面有没有对应的这段。同理,如果它的后半段 word[j+1..n-1] 是个回文串,那么我们把前半段 reverse一下,在 map 里面查找有没有前半段就可以了。特别注意这个前半段和后半段都可以包含空串,所以 j 的范围是[0, n]。

 class Solution {
public:
vector<vector<int>> palindromePairs(vector<string>& words) {
const int n = words.size();
unordered_map<string, int> mp;
for (int i = ; i < n; ++i) {
mp[words[i]] = i;
}
vector<vector<int>> ans;
set<vector<int>> st;
for (int i = ; i < n; ++i) {
string word = words[i];
int size = word.size();
for (int j = ; j <= size; ++j) {
if (isPalindrome(word, , j-)) {
string str = word.substr(j);
reverse(str.begin(), str.end());
//vector<int> candidate = vector<int>{mp[str], i}; 这个不能放在外面,不然mp[str]可能不存在
if (mp.find(str) != mp.end() && mp[str] != i) {
vector<int> candidate = vector<int>{mp[str], i};
if (st.find(candidate) == st.end()) {
ans.push_back(candidate);
st.insert(candidate);
}
}
}
if (isPalindrome(word, j, size-)) {
string str = word.substr(, j);
reverse(str.begin(), str.end());
//vector<int> candidate = vector<int>{i, mp[str]};
if (mp.find(str) != mp.end() && mp[str] != i) {
vector<int> candidate = vector<int>{i, mp[str]};
if (st.find(candidate) == st.end()) {
ans.push_back(candidate);
st.insert(candidate);
}
}
}
}
}
return ans;
}
bool isPalindrome(const string& word, int start, int end) { // [start, end]
while (start < end) {
if (word[start++] != word[end--]) { return false; }
}
return true;
}
};

听说这题还能用 trie 解,有空要看答案啊。

【340】Longest Substring with At Most K Distinct Characters (2019年1月29日,谷歌tag复习)

类似题:159. Longest Substring with At Most 2 Distinct Characters, sliding window 一模一样的。时间复杂度是O(N)

 class Solution {
public:
int lengthOfLongestSubstringKDistinct(string s, int k) {
const int n = s.size();
if (n <= k) {return n;}
int begin = , end = , cnt = ;
unordered_map<char, int> mp;
int ans = ;
while (end < n) {
mp[s[end]]++;
if (mp[s[end]] == ) {
++cnt;
}
if (cnt <= k) {
ans = max(ans, end - begin + );
}
while (cnt > k) {
mp[s[begin]]--;
if (mp[s[begin]] == ) {
--cnt;
}
++begin;
}
++end;
}
return ans;
}
};

【344】Reverse String (2018年12月3日,第一次review,ko)

逆序一个字符串。

题解:直接reverse,或者 2 pointers

 class Solution {
public:
string reverseString(string s) {
int start = , end = s.size() - ;
while (start < end) {
swap(s[start++], s[end--]);
}
return s;
}
};

【345】Reverse Vowels of a String (2018年12月4日,第一次review,ko)

逆序一个字符串的元音字母。

题解:2 pointers

 class Solution {
public:
string reverseVowels(string s) {
set<char> setVowels = {'a', 'e', 'i', 'o', 'u', 'A', 'E', 'I', 'O', 'U'};
int left = , right = s.size()-;
while (left < right) {
while (setVowels.find(s[left]) == setVowels.end()) {++left;}
while (setVowels.find(s[right]) == setVowels.end()) {--right;}
if (left < right) { //这里需要再次判断
swap(s[left++], s[right--]);
}
}
return s;
}
};

【383】Ransom Note

【385】Mini Parser

【387】First Unique Character in a String

【408】Valid Word Abbreviation

【434】Number of Segments in a String

【443】String Compression (2019年2月12日)

压缩一个字符数组,"aaa" -> "a3", "bb" -> "b2", "c" -> "c"。要求 in-place。space复杂度为O(1).

题解:用指针做。用一个index指针记录当前新字符串的末尾的位置。

 class Solution {
public:
int compress(vector<char>& chars) {
const int n = chars.size();
int idx = ;
int begin = , end = , cnt = ;
while (end < n) {
if (chars[begin] == chars[end]) {
++cnt; ++end;
}
if (end == n || (end < n && chars[begin] != chars[end])) {
chars[idx++] = chars[begin];
if (cnt > ) {
string s = to_string(cnt);
for (auto c : s) { chars[idx++] = c; }
}
begin = end;
cnt = ;
}
}
return idx;
}
};

【459】Repeated Substring Pattern

【468】Validate IP Address (2018年12月7日)

判断一个字符串是不是有效的 IP 地址,区分 IPv4 和 IPv6, 都不是的话返回 Neither。IPv4 的判断很简单,就是用 ‘.’ 隔开的四段数字,然后每段数字都在0~255中间,数字没有前导 0。 IPv6 的判断比较麻烦,是八段用 ‘:’ 隔开是数字,每段数字都是四位十六进制数。四位数字如果有前置 0 的话,可以省略,以及大小写都可以忽略不同。

题解:比较复杂的模拟题。我用 getline 分割字符串,注意如果 它已经有 7 个 ‘:’ 分割八段十六进制数之后,如果在尾部还有一个 ‘:’ ,那么这个要特判。

 #define NEITHER "Neither"
#define IPV4 "IPv4"
#define IPV6 "IPv6" class Solution {
public:
string validIPAddress(string IP) {
if (IP.find(':') != string::npos) {
return checkIPV6(IP);
}
return checkIPV4(IP);
}
string checkIPV4(string IP) {
int cnt = ;
string word;
stringstream ss;
ss << IP;
if (IP.front() == '.' || IP.back() == '.') {return NEITHER;}
while (getline(ss, word, '.')) {
cnt++;
if (word.size() > || word.empty()) {return NEITHER;}
for (int i = ; i < word.size(); ++i) {
if (i == && word[i] == '' && word.size() > || !isdigit(word[i])) {
return NEITHER;
}
}
int num = stoi(word);
if (num < || num > ) {return NEITHER;}
}
if (cnt != ) {
return NEITHER;
}
return IPV4;
}
string checkIPV6(string IP) {
int cnt = ;
string word;
stringstream ss;
ss << IP;
if (IP.front() == ':' || IP.back() == ':') {return NEITHER;}
while (getline(ss, word, ':')) {
cnt++;
printf("word = %s \n", word.c_str());
if (word.size() > || word.empty()) {return NEITHER;}
for (int i = ; i < word.size(); ++i) {
char c = word[i];
if (!isalnum(c) || c > 'f' && c <= 'z' || c > 'F' && c <= 'Z') {
return NEITHER;
}
}
}
if (cnt != ) {
return NEITHER;
}
return IPV6;
}
};

【520】Detect Capital

【521】Longest Uncommon Subsequence I

【522】Longest Uncommon Subsequence II

【527】Word Abbreviation

【536】Construct Binary Tree from String

【537】Complex Number Multiplication (2018年11月27日)

给了两个字符串,代表两个 complex, 返回这两个complex 的乘积(用字符串表示)。

题解:见math分类:https://www.cnblogs.com/zhangwanying/p/9790007.html

【539】Minimum Time Difference (2019年2月11日)

给了一个字符串list,代表时间,返回最小的时间差(分钟为单位)。

Input: ["23:59","00:00"]
Output: 1 

题解:先排序,然后两两相邻的相减。还有第一个和最后一个相减。

 class Solution {
public:
int findMinDifference(vector<string>& timePoints) {
sort(timePoints.begin(), timePoints.end());
int ret = calDiff(timePoints[], timePoints.back());
for (int i = ; i < timePoints.size() - ; ++i) {
ret = min(ret, calDiff(timePoints[i], timePoints[i+]));
}
return ret;
}
int calDiff(string s1, string s2) {
int num1 = trans(s1), num2 = trans(s2);
if (num1 < num2) { swap(num1, num2); }
return min(num1 - num2, num2 + - num1);
}
int trans(string s) {
int hour = stoi(s.substr(, ));
int min = stoi(s.substr());
return hour * + min;
}
};

【541】Reverse String II

【544】Output Contest Matches

【551】Student Attendance Record I

【553】Optimal Division

【555】Split Concatenated Strings

【556】Next Greater Element III

【557】Reverse Words in a String III

【564】Find the Closest Palindrome (2019年3月3日,H)

给定一个字符串 N, 求距离 N 最近的回文数。

  1. The input n is a positive integer represented by string, whose length will not exceed 18.
  2. If there is a tie, return the smaller one as answer.
Input: "123"
Output: "121"

题解:唔,这个题看了awice的思路。就是说,我们先把这个数分成前面一半和后面一半,比如“23456”,一半就是“234”,用前面一半分别 +{-1, 0 ,1}, 然后生成对应的回文(注意原数字长度的奇偶性)。这样能生成3个candidate。

但是其实还有两个数字,就是比给定数字长度少一位的最大回文,9999...999,和比给定数字长度多一位的最小回文,10...01。一共五个candidate。

如果candidate中有N本身,就忽略掉。从candidate中选出距离最近的那个。

 class Solution {
public:
string nearestPalindromic(string n) {
const int size = n.size();
string strHalf = n.substr(, (size + )/ );
long long half = stoll(strHalf);
set<string> st;
long long biggest = pow(10LL, size) + , smallest = pow(10LL, size - ) - ;
st.insert(to_string(smallest));
st.insert(to_string(biggest));
for (int i = -; i <= ; ++i) {
string p = to_string(half + i);
string pp = p;
if (size & ) {
pp += string(p.rbegin() + , p.rend());
} else {
pp += string(p.rbegin(), p.rend());
}
st.insert(pp);
}
st.erase(n);
string res = "";
long long absMinDiff = LLONG_MAX;
for (auto& s : st) {
long long num = stoll(s), target = stoll(n);
if (abs(num - target) < absMinDiff) {
res = s;
absMinDiff = abs(num - target);
} else if (abs(num - target) == absMinDiff && num < target) {
res = s;
}
}
return res;
}
};

【583】Delete Operation for Two Strings

【591】Tag Validator

【606】Construct String from Binary Tree

2018年11月14日,树的分类里面做了:https://www.cnblogs.com/zhangwanying/p/6753328.html

【609】Find Duplicate File in System

【616】Add Bold Tag in String

【632】Smallest Range

【635】Design Log Storage System

【647】Palindromic Substrings

【657】Robot Return to Origin

【678】Valid Parenthesis String

【680】Valid Palindrome II (2019年2月12日)

输入是一个字符串,问字符串最多删除一个字符,看能不能变成回文字符串。

题解:2 pointers 先遍历,找到第一个失配的地方,然后分别从左右去查找跳过这个字符,剩下的字符串是不是能成回文。

 class Solution {
public:
bool validPalindrome(string s) {
int begin = , end = s.size() - ;
while (begin < end) {
if (s[begin] != s[end]) {
if (isValid(s, begin+, end) || isValid(s, begin, end-)) {
return true;
}
return false;
}
++begin, --end;
}
return true;
}
bool isValid(string s, int begin, int end) {
while (begin < end) {
if (s[begin++] != s[end--]) {return false;}
}
return true;
}
};

【681】Next Closest Time (2019年1月29日,谷歌tag复习)

给了一个字符串,代表时间,HH:MM,返回用当前数字组成的合法的下一个时间。There is no limit on how many times a digit can be reused.

Input: "19:34"
Output: "19:39"
Explanation: The next closest time choosing from digits 1, 9, 3, 4, is 19:39, which occurs 5 minutes later. It is not 19:33, because this occurs 23 hours and 59 minutes later.
Input: "23:59"
Output: "22:22"
Explanation: The next closest time choosing from digits 2, 3, 5, 9, is 22:22. It may be assumed that the returned time is next day's time since it is smaller than the input time numerically.

题解:思路就是先把所有的四个数字存下来,从最小的(分针)开始往前找,如果找到了比当前位置更大的一个数的话,就用这个更大的数字去代替当前的数字。(前提是这个更大的数字代替完了之后这个时间得合法。)如果找到最大的位置都没有找到的话,那就用最小的数字生成一个第二天的时间来作为新的数字。

 class Solution {
public:
string nextClosestTime(string time) {
set<int> st;
int minn = ;
for (int i = ; i < ; ++i) {
if (isdigit(time[i])) {
int t = time[i] - '';
minn = min(t, minn);
st.insert(t);
}
}
if (st.size() == ) {return time;} //invalid
string ret = time;
for (int i = ; i >= ; --i) {
char c = ret[i];
int t = c - '';
auto iter = upper_bound(st.begin(), st.end(), t);
if (iter == st.end()) {continue;}
if (i == && *iter > ) {
continue;
}
if (i == && *iter > && ret[] == '') {
continue;
}
if (i == && *iter > ) {
continue;
}
ret[i] = (*iter) + '';
for (int k = i + ; k < ; ++k) {
if (isdigit(ret[k])) {
ret[k] = minn + '';
}
}
break;
}
if (ret == time) {
for (auto& c : ret) {
if (isdigit(c)) {
c = minn + '';
}
}
}
return ret; }
};

【686】Repeated String Match

【696】Count Binary Substrings

【709】To Lower Case

【722】Remove Comments (2019年2月16日, M)

给了一个字符串的数组,每个字符串代码一行代码,里面'//', '/*', '*/' 分别代表一行和多行注释。返回去掉注释后的代码段。

题解:用两个bool变量记录,inline记录是否当前在//注释里面,inBlock记录是否当前在 /**/ 里面。然后业务逻辑比较一下。

 class Solution {
public:
vector<string> removeComments(vector<string>& source) {
vector<string> res;
bool inBlock = false;
string s = "";
for (auto& line : source) {
const int n = line.size();
bool inLine = false;
for (int i = ; i < n; ++i) {
if (i + < n && line[i] == '/') {
if (line[i+] == '/' && !inBlock) {
inLine = true;
} else if (line[i+] == '*' && !inLine && !inBlock) {
++i, inBlock = true;
} else if (!inBlock && !inLine) {
s += string(, line[i]);
}
} else if (i + < n && line[i] == '*' && line[i+] == '/') {
if (inBlock) {
++i, inBlock = false;
} else if (!inLine){
s += string(, line[i]);
}
} else {
if (inBlock || inLine) {continue;}
s += string(, line[i]);
}
}
if (!inBlock && !s.empty()) {
res.push_back(s);
s.clear();
}
}
return res;
}
};

【730】Count Different Palindromic Subsequences

【736】Parse Lisp Expression

【758】Bold Words in String

【761】Special Binary String

【767】Reorganize String

【770】Basic Calculator IV

【772】Basic Calculator III

【788】Rotated Digits

【791】Custom Sort String (2018年11月27日)

给了两个字符串 S 和 T, S中最多有 26个小写字母,给 T 重新排序,如果字母 x, y 在 S 中出现,且在 T 中出现,如果在 S 中 x 出现在 y 之前, 那么在 T 中 x 也要出现在 y 之前。没有在 S 中出现的字符就随便放哪里都可以。

题解:直接 unordered_map

 class Solution {
public:
string customSortString(string S, string T) {
const int n = T.size();
unordered_map<char, int> mp;
for (int i = ; i < n; ++i) {
mp[T[i]]++;
}
string ret;
for (auto c : S) {
if (mp.find(c) == mp.end() || mp[c] == ) {continue;}
ret += string(mp[c], c);
mp[c] = ;
}
for (auto ele : mp) {
if (ele.second > ) {
ret += string(ele.second, ele.first);
}
}
return ret;
}
};

【800】Similar RGB Color

【804】Unique Morse Code Words

【809】Expressive Words (2019年2月13日,google tag)

给了一个word S和一个word list,问word list中有多少pattern符合S。一个 pattern w 符合 S 的条件是,w extend之后可以变成 S。w 中的一个字母可以extend成三个或者三个以上相同的字母。问word list中有多少个这样的pattern。

题解:我的解法时间复杂度是O(NM),空间复杂度使用了一个map,还是比较高的。我的解法的说明如下:对于S中每一个小段重复序列,计算当前字符重复了多少次。根据不同重复的次数得到pattern中的相同字符的范围,然后去对比pattern。

 class Solution {
public:
int expressiveWords(string S, vector<string>& words) {
const int n = S.size();
unordered_map<string, int> mp;
for (auto& w : words) { mp[w] = ; }
int begin = , end = , cnt = ;
int res = ;
while (end < n) {
while (end < n && S[begin] == S[end]) {
++end;
}
cnt = end - begin;
pair<int, int> range(, );
if (cnt <= ) {
range = make_pair(cnt, cnt);
} else {
range = make_pair(, cnt + - );
}
res = ;
for (auto& p : mp) {
string pattern = p.first;
int start = p.second, end1 = start, size = pattern.size();
if (start < ) {continue;}
while (end1 < size && pattern[end1] == pattern[start]) {
++end1;
}
int sameSize = end1 - start;
if (sameSize >= range.first && sameSize <= range.second) {
p.second = end1;
++res;
} else {
p.second = -;
}
}
begin = end;
}
return res;
}
};

还有lee215的解法。写的很短,也很好理解。需要好好复习学习。

用word list中每个单词和S做一个比较,比较规则如下:

Loop through all words. check(string S, string W) checks if W is stretchy to S.

In check function, use two pointer:

  1. If S[i] == W[j]i++, j++
  2. If S[i - 2] == S[i - 1] == S[i] or S[i - 1] == S[i] == S[i + 1]i++
  3. return false
 class Solution {
public:
int expressiveWords(string S, vector<string>& words) {
int res = ;
for (auto& w : words) {
if (check(S, w)) {++res;}
}
return res;
}
bool check(const string& s, const string& w) {
int n = s.size(), m = w.size();
int j = ;
for (int i = ; i < n; ++i) {
if (j < m && s[i] == w[j]) {++j;}
else if (i - >= && s[i] == s[i-] && s[i] == s[i-]) {;}
else if (i - >= && i + < n && s[i] == s[i-] && s[i] == s[i+]) {;}
else { return false; }
}
return j == m;
}
};

【816】Ambiguous Coordinates

【819】Most Common Word

【824】Goat Latin

【831】Masking Personal Information

【833】Find And Replace in String

【842】Split Array into Fibonacci Sequence

【848】Shifting Letters

【856】Score of Parentheses

【859】Buddy Strings

【890】Find and Replace Pattern

【893】Groups of Special-Equivalent Strings

【899】Orderly Queue

【LeetCode】字符串 string(共112题)的更多相关文章

  1. Leetcode 简略题解 - 共567题

    Leetcode 简略题解 - 共567题     写在开头:我作为一个老实人,一向非常反感骗赞.收智商税两种行为.前几天看到不止两三位用户说自己辛苦写了干货,结果收藏数是点赞数的三倍有余,感觉自己的 ...

  2. Leetcode 8. String to Integer (atoi) atoi函数实现 (字符串)

    Leetcode 8. String to Integer (atoi) atoi函数实现 (字符串) 题目描述 实现atoi函数,将一个字符串转化为数字 测试样例 Input: "42&q ...

  3. 【leetcode 字符串处理】Compare Version Numbers

    [leetcode 字符串处理]Compare Version Numbers @author:wepon @blog:http://blog.csdn.net/u012162613 1.题目 Com ...

  4. LeetCode Reverse String

    原题链接在这里:https://leetcode.com/problems/reverse-string/ 题目: Write a function that takes a string as in ...

  5. LeetCode 字符串专题(一)

    目录 LeetCode 字符串专题 <c++> \([5]\) Longest Palindromic Substring \([28]\) Implement strStr() [\(4 ...

  6. c/c++日期时间处理与字符串string转换

    转自:https://www.cnblogs.com/renjiashuo/p/6913668.html 在c/c++实际问题的编程中,我们经常会用到日期与时间的格式,在算法运行中,通常将时间转化为i ...

  7. C/C++中字符串String及字符操作方法

    本文总结C/C++中字符串操作方法,还在学习中,不定期更新. .. 字符串的输入方法 1.单个单词能够直接用std::cin,由于:std::cin读取并忽略开头全部的空白字符(如空格,换行符,制表符 ...

  8. C++基础之字符串string

    C++基础之字符串string 标准库类型string表示可变长的字符序列,使用string类型必须首先包含string头文件.作为标准裤的一部分,string定义在命名空间std中. 定义和初始化s ...

  9. javascript类型系统——字符串String类型

    × 目录 [1]定义 [2]引号 [3]反斜线[4]特点[5]转字符串 前面的话 javascript没有表示单个字符的字符型,只有字符串String类型,字符型相当于仅包含一个字符的字符串 字符串S ...

随机推荐

  1. poj 3468 : A Simple Problem with Integers 【线段树 区间修改】

    题目链接 题目是对一个数组,支持两种操作 操作C:对下标从a到b的每个元素,值增加c: 操作Q:对求下标从a到b的元素值之和. #include<cstdio> #include<c ...

  2. 【leetcode】1037. Valid Boomerang

    题目如下: A boomerang is a set of 3 points that are all distinct and not in a straight line. Given a lis ...

  3. shiro安全框架学习-1

    1. apche shiro 是Java的一个安全)框架 2.shiro可以非常容易的开发出足够好的应用,不仅可以在JavaSE环境,也可用在JavaEE环境 3. shiro可以完成 认证,授权,加 ...

  4. Ckeditor IE下粘贴word中图片问题

    自动导入Word图片,或者粘贴Word内容时自动上传所有的图片,并且最终保留Word样式,这应该是Web编辑器里面最基本的一个需求功能了.一般情况下我们将Word内容粘贴到Web编辑器(富文本编辑器) ...

  5. 201903-2 CCF 二十四点

    题面: 考场写的30分== #include<bits/stdc++.h> using namespace std; stack<int>st; stack<char&g ...

  6. BUUCTF |[0CTF 2016]piapiapia

    步骤: nickname[]=wherewherewherewherewherewherewherewherewherewherewherewherewherewherewherewherewhere ...

  7. Jenkins搭建(by tomcat)

    Jenkins官网https://jenkins.io/download/下载最新版本jenkins.war 把jenkins.war放到tomcat-jenkins的webapps下 修改tomca ...

  8. Oracle_管理控制文件和日志文件

    控制文件: 控制文件在数据库创建时被自动创建,并在数据库发生物理变化时更新.控制文件被不断更新,并且在任何时候都要保证控制文件是可用的.只有Oracle进程才能安全地更新控制文件的内容,所以,任何时候 ...

  9. jmeter测试https请求

    测试https请求时,需要添加证书 目录 1.下载证书 2.导入 3.执行https请求 1.下载证书 在浏览器中打开要测试的https协议的网站,以谷歌为例打开,下载证书到桌面 4.一直点击下一步 ...

  10. CodeIgniter 技巧 - 通过 Composer 安装 CodeIgniter 框架并安装依赖包

    PHP 项目中,通过 Composer 来管理各种依赖包,类似 Java 中的 Maven,或 Node 中的 npm.CodeIgniter 框架要想通过 Composer 自动加载包也很简单,步骤 ...