【每日刷题】Day94
🥕个人主页:开敲🍉
🔥所属专栏:每日刷题🍍
🌼文章目录🌼
1. 33. 搜索旋转排序数组 - 力扣(LeetCode)
2. 1290. 二进制链表转整数 - 力扣(LeetCode)
3. 1544. 整理字符串 - 力扣(LeetCode)
1. 33. 搜索旋转排序数组 - 力扣(LeetCode)
//思路:模拟。
//因为数组在旋转前就是升序排序的,因此在旋转后,我们将数组一分为二,必定有一边是有序的。
//本题要求写出0(logn)的算法,很容易想到折半查找。当我们确定了有序的一边后,接下来就要确定所要找的target值是否在这有序的一边。
//如果在,我们就对这有序的一边进行折半查找
//如果不在,我们定位到另外一边进行查找
class Solution {
public:
int search(vector<int>& nums, int target)
{
int left = 0;
int right = nums.size()-1;
while(left<=right)
{
int mid = (left+right)/2;
if(nums[mid]==target)
return mid;
if(nums[0]<=nums[mid])//判断左半边是否有序
{
//左半边有序并且target在左半边,则向左规约,折半查找target
if(nums[0]<=target&&target<nums[mid])
right = mid-1;
else
//否则,如果左半边有序但是target不在左半边,则向右规约,去右半边查找
left = mid+1;
}
//同上
else
{
if(target>nums[mid]&&target<=nums[right])
left = mid+1;
else
right = mid-1;
}
}
return -1;
}
};
2. 1290. 二进制链表转整数 - 力扣(LeetCode)
//思路:使用数组存储+遍历。
class Solution {
public:
int getDecimalValue(ListNode* head)
{
int ans = 0;
int tmp[31] = {0};
int count = 0;
//将链表中的值存入数组中
while(head)
{
tmp[count++] = head->val;
head = head->next;
}
int flag = 0;
//从存储的最后一个值开始遍历
for(int i = count-1;i>=0;i--)
{
int ret = pow(tmp[i]*2,flag);
//这里需要注意,如果tmp[i]和flag都为0,则会计算0^0 = 1,但是这应当是0,因此我们特殊处理一下flag和tmp[i]都为0的情况
if(!flag&&!tmp[i])
ret = 0;
ans+=ret;
flag++;
}
return ans;
}
};
3. 1544. 整理字符串 - 力扣(LeetCode)
//思路:栈。
//使用一个栈,遍历字符串s并将字符与栈顶字母比较,这个过程中如果遍历到了满足题意的字母,则将栈顶数据推出;如果栈为空或者不满足题意得字母,则入栈。
class Solution {
public:
string makeGood(string s)
{
string ans;
int stack[101] = {0};
int count = 0;
stack[count++] = s[0];
for(int i = 1;i<s.size();i++)
{
//如果栈为空则入栈
if(!count)
stack[count++] = s[i];
//如果是满足题意的相同字母的大小写则出栈
else if((s[i]+32==stack[count-1])||(s[i]-32==stack[count-1]))
count--;
//其他情况均入栈
else
stack[count++] = s[i];
}
//将栈中存好的字符构成一个字符串返回
for(int i = 0;i<count;i++)
{
ans.push_back(stack[i]);
}
return ans;
}
};