image-20210829114205849

5956. 找出数组中的第一个回文字符串

回文串判定不在赘述,遍历下字符串数组找到第一个回文串返回即可。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
class Solution {
public:
bool check(string word) {
int n = word.length();
for (int i=0, j=n-1; i<j; i++, j--) {
if (word[i] != word[j]) return false;
}
return true;
}
string firstPalindrome(vector<string>& words) {
for (auto word: words) {
if (check(word)) return word;
}

return "";
}
};

5957. 向字符串添加空格

简单模拟题,整一个空字符串,不断追加即可,

遍历原字符串,索引在spaces中的时候就先加一个空格。

考虑spaces数组是有序的,维护一个spaces的下标,一个个比对就好。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
class Solution {
public:
string addSpaces(string s, vector<int>& spaces) {
string ans = "";
int p = 0;
for (int i=0; i<s.length(); i++) {
if (p < spaces.size() && i == spaces[p]) {
ans += " ";
p++;
}
ans += s[i];
}

return ans;
}
};

5958. 股票平滑下跌阶段的数目

对于第i天的股票价格,如果有连续k天下降为11,对结果的贡献就是k

eg:[3,2,1][3,2,1] 中第33天的价格是11,那么多了的平滑下降阶段就有[3,2,1][2,1][1][3,2,1],[2,1],[1]33个。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
class Solution {
public:
long long getDescentPeriods(vector<int>& prices) {
long long ans = 1;
long long sum = 1;
for(int i=1; i<prices.size(); i++) {
if (prices[i] == prices[i-1]-1) sum ++;
else sum = 1;
ans += sum;
}

return ans;
}
};

5959. 使数组 K 递增的最少操作次数

首先要意识到,k把原数组分成了k个不相干的子数组。

子数组要成为连续不下降序列,那就可以求他的连续不下降子序列的值,然后再改其他值就行了。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
class Solution {
public:
int lis (vector<int>& a) {
int n = a.size();
vector<int> b;

b.push_back(a[0]);
for(int i=1; i<a.size(); i++) {
if (a[i] > b.back()) {
b.push_back(a[i]);
continue;
}

auto p = upper_bound(b.begin(), b.end(), a[i]);
if (p == b.end()) {
b.push_back(a[i]);
} else {
*p = a[i];
}
}

// for(auto x: a) printf(" %d", x); puts("");
// for(auto x: b) printf(" %d", x); puts("");

return b.size();
}

int kIncreasing(vector<int>& arr, int k) {
vector<vector<int> > a(k);

for (int i=0; i<arr.size(); i++) {
a[i%k].push_back(arr[i]);
}

int ans = 0;

for (auto b: a) {
ans += b.size() - lis(b);
}

return ans;
}
};