LeetCode 第 28 场双周赛(505/2144,前23.6%)

文章目录

    • 1. 比赛结果
    • 2. 题目
      • 1. LeetCode 5420. 商品折扣后的最终价格 easy
      • 2. LeetCode 5422. 子矩形查询 medium
      • 3. LeetCode 5423. 找两个和为目标值且不重叠的子数组 medium
      • 4. LeetCode 5421. 安排邮筒 hard

1. 比赛结果

两题选手😂,前两题很水,暴力解题拼手速,第三题超时😂,第四题不太会,继续加油!

全国排名: 505 / 2144,23.6%;全球排名: 1944 / 8571,22.7%
在这里插入图片描述
在这里插入图片描述

2. 题目

1. LeetCode 5420. 商品折扣后的最终价格 easy

题目链接
给你一个数组 prices ,其中 prices[i] 是商店里第 i 件商品的价格。

商店里正在进行促销活动,如果你要买第 i 件商品,那么你可以得到与 prices[j] 相等的折扣,其中 j 是满足 j > i 且 prices[j] <= prices[i]最小下标 ,如果没有满足条件的 j ,你将没有任何折扣。

请你返回一个数组,数组中第 i 个元素是折扣后你购买商品 i 最终需要支付的价格。

示例 1:
输入:prices = [8,4,6,2,3]
输出:[4,2,4,2,3]
解释:
商品 0 的价格为 price[0]=8 ,你将得到 prices[1]=4 的折扣,所以最终价格为 8 - 4 = 4 。
商品 1 的价格为 price[1]=4 ,你将得到 prices[3]=2 的折扣,所以最终价格为 4 - 2 = 2 。
商品 2 的价格为 price[2]=6 ,你将得到 prices[3]=2 的折扣,所以最终价格为 6 - 2 = 4 。
商品 34 都没有折扣。示例 2:
输入:prices = [1,2,3,4,5]
输出:[1,2,3,4,5]
解释:在这个例子中,所有商品都没有折扣。示例 3:
输入:prices = [10,1,1,6]
输出:[9,0,1,6]提示:
1 <= prices.length <= 500
1 <= prices[i] <= 10^3

解题:

  • 读懂题目就可以了
class Solution {//C++
public:vector<int> finalPrices(vector<int>& prices) {int i, j, n = prices.size();for(i = 0; i < n-1; i++){for(j = i+1; j < n; j++){if(prices[j] <= prices[i]){prices[i] -= prices[j];break;}}}return prices;}
};

4 ms 9.9 MB

class Solution:# py3def finalPrices(self, prices: List[int]) -> List[int]:n = len(prices)for i in range(n-1):for j in range(i+1,n):if prices[j] <= prices[i]:prices[i] -= prices[j]break;return prices

44 ms 13.7 MB

  • 数据规模大的话,需要用单调栈
class Solution {	//C++
public:vector<int> finalPrices(vector<int>& prices) {int i, n = prices.size();stack<int> stk;vector<int> ans(prices);for(i = n-1; i >= 0; --i){while(!stk.empty() && prices[i] < prices[stk.top()])stk.pop();if(!stk.empty())ans[i] -= prices[stk.top()];stk.push(i);}return ans;}
};

2. LeetCode 5422. 子矩形查询 medium

题目链接
请你实现一个类 SubrectangleQueries ,它的构造函数的参数是一个 rows x cols 的矩形(这里用整数矩阵表示),并支持以下两种操作:

  • updateSubrectangle(int row1, int col1, int row2, int col2, int newValue)
    用 newValue 更新以 (row1,col1) 为左上角且以 (row2,col2) 为右下角的子矩形。
  • getValue(int row, int col)
    返回矩形中坐标 (row,col) 的当前值。
示例 1:
输入:
["SubrectangleQueries","getValue","updateSubrectangle",
"getValue","getValue","updateSubrectangle","getValue","getValue"]
[[[[1,2,1],[4,3,4],[3,2,1],[1,1,1]]],[0,2],[0,0,3,2,5],[0,2],[3,1],[3,0,3,2,10],[3,1],[0,2]]
输出:
[null,1,null,5,5,null,10,5]
解释:
SubrectangleQueries subrectangleQueries = new SubrectangleQueries([[1,2,1],[4,3,4],[3,2,1],[1,1,1]]);  
// 初始的 (4x3) 矩形如下:
// 1 2 1
// 4 3 4
// 3 2 1
// 1 1 1
subrectangleQueries.getValue(0, 2); // 返回 1
subrectangleQueries.updateSubrectangle(0, 0, 3, 2, 5);
// 此次更新后矩形变为:
// 5 5 5
// 5 5 5
// 5 5 5
// 5 5 5 
subrectangleQueries.getValue(0, 2); // 返回 5
subrectangleQueries.getValue(3, 1); // 返回 5
subrectangleQueries.updateSubrectangle(3, 0, 3, 2, 10);
// 此次更新后矩形变为:
// 5   5   5
// 5   5   5
// 5   5   5
// 10  10  10 
subrectangleQueries.getValue(3, 1); // 返回 10
subrectangleQueries.getValue(0, 2); // 返回 5示例 2:
输入:
["SubrectangleQueries","getValue","updateSubrectangle",
"getValue","getValue","updateSubrectangle","getValue"]
[[[[1,1,1],[2,2,2],[3,3,3]]],[0,0],[0,0,2,2,100],[0,0],[2,2],[1,1,2,2,20],[2,2]]
输出:
[null,1,null,100,100,null,20]
解释:
SubrectangleQueries subrectangleQueries = new SubrectangleQueries([[1,1,1],[2,2,2],[3,3,3]]);
subrectangleQueries.getValue(0, 0); // 返回 1
subrectangleQueries.updateSubrectangle(0, 0, 2, 2, 100);
subrectangleQueries.getValue(0, 0); // 返回 100
subrectangleQueries.getValue(2, 2); // 返回 100
subrectangleQueries.updateSubrectangle(1, 1, 2, 2, 20);
subrectangleQueries.getValue(2, 2); // 返回 20提示:
最多有 500 次updateSubrectangle 和 getValue 操作。
1 <= rows, cols <= 100
rows == rectangle.length
cols == rectangle[i].length
0 <= row1 <= row2 < rows
0 <= col1 <= col2 < cols
1 <= newValue, rectangle[i][j] <= 10^9
0 <= row < rows
0 <= col < cols

解题:

  • 暴力更新
class SubrectangleQueries {//C++vector<vector<int>> v;
public:SubrectangleQueries(vector<vector<int>>& rectangle) {v = rectangle;}void updateSubrectangle(int row1, int col1, int row2, int col2, int newValue) {int i,j;for(i = row1; i <= row2; ++i)for(j = col1; j <= col2; ++j)v[i][j] = newValue;}int getValue(int row, int col) {return v[row][col];}
};

84 ms 18.6 MB

  • 或者不用更新,直接逆序查历史记录
class SubrectangleQueries {vector<vector<int>> record;vector<vector<int>> v;
public:SubrectangleQueries(vector<vector<int>>& rectangle) {v = rectangle;}void updateSubrectangle(int row1, int col1, int row2, int col2, int newValue) {record.push_back({row1,col1,row2,col2,newValue});}int getValue(int row, int col) {for(int i = record.size()-1; i >= 0; --i){if(row>=record[i][0] && row<=record[i][2] && col>=record[i][1] && col<=record[i][3])return record[i][4];}return v[row][col];}
};

84 ms 19.2 MB

class SubrectangleQueries:# py3def __init__(self, rectangle: List[List[int]]):import numpy as npself.rec = np.array(rectangle)def updateSubrectangle(self, row1: int, col1: int, row2: int, col2: int, newValue: int) -> None:self.rec[row1:row2+1, col1:col2+1] = newValuedef getValue(self, row: int, col: int) -> int:return int(self.rec[row][col])

140 ms 30.2 MB

3. LeetCode 5423. 找两个和为目标值且不重叠的子数组 medium

题目链接
给你一个整数数组 arr 和一个整数值 target 。

请你在 arr 中找 两个互不重叠的子数组 且它们的和都等于 target 。
可能会有多种方案,请你返回满足要求的两个子数组长度和最小值

请返回满足要求的最小长度和,如果无法找到这样的两个子数组,请返回 -1 。

示例 1:
输入:arr = [3,2,2,4,3], target = 3
输出:2
解释:只有两个子数组和为 3[3][3])。它们的长度和为 2 。示例 2:
输入:arr = [7,3,4,7], target = 7
输出:2
解释:尽管我们有 3 个互不重叠的子数组和为 7[7], [3,4][7]),
但我们会选择第一个和第三个子数组,因为它们的长度和 2 是最小值。示例 3:
输入:arr = [4,3,2,6,2,3,4], target = 6
输出:-1
解释:我们只有一个和为 6 的子数组。示例 4:
输入:arr = [5,5,4,4,5], target = 3
输出:-1
解释:我们无法找到和为 3 的子数组。示例 5:
输入:arr = [3,1,1,1,5,1,2,1], target = 3
输出:3
解释:注意子数组 [1,2][2,1] 不能成为一个方案因为它们重叠了。提示:
1 <= arr.length <= 10^5
1 <= arr[i] <= 1000
1 <= target <= 10^8

解题:

  • 先通过滑动窗口求出所有的区间,注意 使用multiset时,才能保存长度一样的
  • 然后在区间里双重循环,内层找到一个解的时候就 break,然后外层循环 注意剪枝
struct cmp
{bool operator()(const pair<int,int>& a, const pair<int,int>& b)const{return a.second-a.first < b.second-b.first;// 或者使用 set ,但是这里要加入 <= 号,但是这是个很不好的,// set就是去重的,你弄个相同的在里面,很让人迷惑}
};
class Solution {
public:int minSumOfLengths(vector<int>& arr, int target) {int i=0, j=0, n = arr.size(), sum = 0;int minlen = INT_MAX;multiset<pair<int,int>,cmp> v;for(;j < n; ++j){sum += arr[j];if(sum==target)v.insert({i,j});while(sum > target){sum -= arr[i++];if(sum==target)v.insert({i,j});}}for(auto it1 = v.begin(); it1 != v.end(); ++it1){if(2*(it1->second-it1->first+1) >= minlen)break;//记得优化,容易超时auto it2 = it1;for(it2++; it2 != v.end(); ++it2){if(it1->second < it2->first || it1->first > it2->second){minlen = min(minlen, it1->second - it1->first+it2->second - it2->first+2);break;//找到了一个解,break,后面不会有更优的}}}return minlen==INT_MAX?-1:minlen;}
};

516 ms 87.8 MB

  • 利用前缀和,分别记录每个位置左侧的最短长度,右侧的最短长度
  • 再遍历一次求解最短的 l+r
class Solution {
public:int minSumOfLengths(vector<int>& arr, int target) {int i, n = arr.size(), sum = 0, minlen = INT_MAX;unordered_map<int,int> m;//前缀和,indexm[0] = -1;vector<int> left(n,0);vector<int> right(n,0);for(i = 0; i < n; ++i){sum += arr[i];m[sum] = i;if(m.count(sum-target))minlen = min(minlen, i-m[sum-target]);left[i] = minlen;}unordered_map<int,int> m1;//前缀和,indexm1[0] = n;sum = 0;minlen = INT_MAX;for(i = n-1; i >= 0; --i){sum += arr[i];m1[sum] = i;if(m1.count(sum-target))minlen = min(minlen, m1[sum-target]-i);right[i] = minlen;}minlen = INT_MAX;for(i = 0; i < n-1; ++i)if(left[i]!=INT_MAX && right[i+1]!=INT_MAX)//左右都存在minlen = min(minlen, left[i]+right[i+1]);return minlen==INT_MAX?-1:minlen;}
};

1172 ms 164.8 MB

4. LeetCode 5421. 安排邮筒 hard

题目链接
给你一个房屋数组houses 和一个整数 k ,其中 houses[i] 是第 i 栋房子在一条街上的位置,现需要在这条街上安排 k 个邮筒。

请你返回每栋房子与离它最近的邮筒之间的距离的 最小 总和。

答案保证在 32 位有符号整数范围以内。

示例 1:
在这里插入图片描述

输入:houses = [1,4,8,10,20], k = 3
输出:5
解释:将邮筒分别安放在位置 3920 处。
每个房子到最近邮筒的距离和为 |3-1| + |4-3| + |9-8| + |10-9| + |20-20| = 5

示例 2:
在这里插入图片描述

输入:houses = [2,3,5,12,18], k = 2
输出:9
解释:将邮筒分别安放在位置 314 处。
每个房子到最近邮筒距离和为 |2-3| + |3-3| + |5-3| + |12-14| + |18-14| = 9 。示例 3:
输入:houses = [7,4,6,1], k = 1
输出:8示例 4:
输入:houses = [3,6,14,10], k = 4
输出:0提示:
n == houses.length
1 <= n <= 100
1 <= houses[i] <= 10^4
1 <= k <= n
数组 houses 中的整数互不相同。

解题:

待补

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/475545.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

决策树模型 - (ID3算法、C4.5算法) - Python代码实现

目录 算法简介 信息熵(Entropy) 信息增益(Information gain) - ID3算法 信息增益率(gain ratio) - C4.5算法 源数据 代码实现 - ID3算法 代码实现 - C4.5算法 画决策树代码-treePlotter 算法简介 决策数(Decision Tree)在机器学习中也是比较常见的一种算法&#xff0c…

重复值处理 - 清洗 DataFrame 中的各种重复类型 - Python代码

目录 所有列是否完全重复 指定某一列是否重复 根据多列判断是否重复&#xff0c;防止误删数据 其他数据预处理方法 通过八爪鱼或者火车头等采集器从全网抓取的数据中&#xff0c;总会存在各种各样的重复数据&#xff0c;为保证数据在使用过程中的准确性&#xff0c;总要先进…

Silverlight带关闭动画的内容控件,可移动的内容控件(一)

本例给大家介绍两个自定义控件&#xff0c;一个有显示和关闭两种状态&#xff0c;在状态切换时有动画效果。另外一个是可以拖动的内容控件&#xff0c;可以制作能拖动的面板。 A&#xff0e;带关闭动画的内容控件。 .xaml View Code <ResourceDictionary xmlns"htt…

Autodesk云计算系列视频 --- 云计算与Civil 3D

前面的视频介绍了云计算与AutoCAD/Revit/Inventor的结合&#xff0c;这一节是云计算与Civil 3D的结合例子&#xff1a; 演示中使用的云计算程序源代码可以从下面链接下载&#xff1a; The sample code used in the demonstration is available here. 转载于:https://www.cnblo…

模型评价 - 机器学习与建模中怎么克服过拟合问题?

上一篇博客链接&#xff1a; 机器学习与建模中 - 判断数据模型拟合效果的三种方法 在上一篇博客中&#xff0c;我们谈到了使用损失函数来判断模型的拟合效果。但是拟合效果比较好的模型不一定是最好的模型&#xff0c;建模的最终目的是为了预测&#xff0c;因此预测最精准的模…

因子分析模型

主成分分析和因子分析 #包载入 library(corrplot) library(psych) library(GPArotation) library(nFactors) library(gplots) library(RColorBrewer)1234567 主成分分析 主成分分析&#xff08;PCA&#xff09;是对针对大量相关变量提取获得很少的一组不相关的变量&#xff…

因子分析模型 - 案例按步骤详解 - (SPSS建模)

一、SPSS中的因子分析。 步骤: &#xff08;1&#xff09;定义变量&#xff1a;x1-财政用于农业的支出的比重,x2-第二、三产业从业人数占全社会从业人数的比重&#xff0c;x3-非农村人口比重&#xff0c;x4-乡村从业人员占农村人口的比重&#xff0c;x5-农业总产值占农林牧总…

神经网络 - 用单层感知器实现多个神经元的分类 - (Matlab建模)

训练样本矩阵&#xff1a; P [0.1 0.7 0.8 0.8 1.0 0.3 0.0 –0.3 –0.5 –1.5; 1.2 1.8 1.6 0.6 0.8 0.5 0.2 0.8 –1.5 –1.3]; 训练样本对应的分类&#xff1a; T [1 1 1 0 0 1 1 1 0 0 ;0 0 0 0 0 1 1 1 1 1]; 用MATLAB实现分类&…

缺失值处理 - 定位空值并用空值的上一个值填充 - (Excel)

今天小助理很烦恼&#xff0c;说要处理一批汇率的数据&#xff0c;用近邻日期的汇率填充汇率为空的日期的汇率&#xff0c;这句话比较拗口&#xff0c;我们用数据解释一下。 比如下表&#xff0c;10月6日和10月8日9日的汇率没有采集到&#xff0c;那么我们就用10月5日的汇率填…

C#开发基础类库

下载地址&#xff1a;http://files.cnblogs.com/dashi/Sxmobi.rar转载于:https://www.cnblogs.com/dashi/archive/2011/09/09/2172506.html

因子分析模型 - 因子分析法原理与代码实现 -(Python,R)

因子分析基本思想 和主成分分析相似&#xff0c;首先从原理上说&#xff0c;主成分分析是试图寻找原有自变量的一个线性组合&#xff0c;取出对线性关系影响较大的原始数据&#xff0c;作为主要成分。 因子分析&#xff0c;是假设所有的自变量可以通过若干个因子&#xff08;中…

ACDSee Photo Manager 12 中文绿色版

用WinRAR解压即玩&#xff0c;无需安装。可以拷贝到USB硬盘&#xff0c;便于携带 凭借易于使用且速度极快的特点&#xff0c;ACDSee 12提供了整理相片、优化拍摄以及与亲朋好友分享往事所需的全部功能。 幻灯片浏览 支持幻灯片浏览图片&#xff0c;并支持背景音乐和多种多样的图…

排序算法 - 6种 - 超炫的动画演示 - Python实现

1.冒泡排序 思路&#xff1a;遍历列表&#xff0c;每一轮每次比较相邻两项&#xff0c;将无序的两项交换&#xff0c;下一轮遍历比前一轮比较次数减1。 def bubble_sort(a_list):for passnum in range(len(a_list)-1, 0, -1):for i in range(passnum):if a_list[i] > a_list…

因子分析模型 - Python 做因子分析简直比 SPSS 还简单 - ( Python、SPSS)

为什么&#xff1f; SPSS 那么简单还免费&#xff0c;为什么还要用 Python 做因子分析&#xff08;factor analysis&#xff09;呢&#xff1f;工作狗表示&#xff0c;建模的目的是要卖钱的&#xff0c;也就是要嵌入到公司开发的产品上去&#xff0c;用 Python 写因子分析&…

缺失值处理 - 拉格朗日插值法 - Python代码

目录 缺失值处理 拉格朗日差值法的理论基础 拉格朗日插值法代码实现 其他数据预处理方法 缺失值处理 处理缺失值常用的办法可分为三类&#xff1a;删除记录、数据插补、不处理。 其中常见的数据插补法有&#xff1a; 如果通过删除小部分的数据就可以达到既定的目标&#…

做po_requisitions_interface_all接口开发问题

po_requisitions_interface_all这个接口表的字段charge_account_id来源于: 1、组织参数的Material Account 2、工单类型的Outside Processing Account 转载于:https://www.cnblogs.com/songdavid/archive/2011/09/19/2181757.html

[Hands On ML] 3. 分类(MNIST手写数字预测)

文章目录1. 数据预览2. 数据集拆分3. 二分类4. 性能评估4.1 交叉验证4.2 准确率、召回率4.3 受试者工作特征&#xff08;ROC&#xff09;曲线5. 多分类6. 误差分析6.1 检查混淆矩阵本文为《机器学习实战&#xff1a;基于Scikit-Learn和TensorFlow》的读书笔记。 中文翻译参考 …

支持向量机 - 从原理到算法的实现

思想&#xff1a;寻找能够成功分开两类样本并且具有最大分类间隔的最优超平面。 1.原理解析 空间中任何一个平面的方程都可以表示为wxb 0,如上图&#xff0c;设最优超平面方程H为wxb0,支持向量x-到H的距离为,要使分类间隔最大&#xff0c;即该距离最大&#xff0c;而该距离只与…

Struts2初始化过程代码分析

根据web.xml的配置 调用FilterDispatcher.init(FilterConfig filterConfig) 1. 创建org.apache.struts2.Dispatcher&#xff0c;并调用init()方法 1.1. 创建com.opensymphony.xwork2.config.ConfigurationManager,其中属性List<ContainerProvider> containerProviders存放…

LeetCode 1292. 元素和小于等于阈值的正方形的最大边长(DP)

1. 题目 给你一个大小为 m x n 的矩阵 mat 和一个整数阈值 threshold。 请你返回元素总和小于或等于阈值的正方形区域的最大边长&#xff1b; 如果没有这样的正方形区域&#xff0c;则返回 0 。 示例 1&#xff1a; 输入&#xff1a;mat [[1,1,3,2,4,3,2],[1,1,3,2,4,3,2],[…