列表

详情


NC14526. 购物

描述

在遥远的东方,有一家糖果专卖店。
这家糖果店将会在每天出售一些糖果,它每天都会生产出m个糖果,第i天的第j个糖果价格为C[i][j]元。
现在的你想要在接下来的n天去糖果店进行选购,你每天可以买多个糖果,也可以选择不买糖果,但是最多买m个。(因为最多只生产m个)买来糖果以后,你可以选择吃掉糖果或者留着之后再吃。糖果不会过期,你需要保证这n天中每天你都能吃到至少一个糖果。
这家店的老板看你经常去光顾这家店,感到非常生气。(因为他不能好好睡觉了)于是他会额外的要求你支付点钱。具体来说,你在某一天购买了 k 个糖果,那么你在这一天需要额外支付 k2 的费用。

那么问题来了,你最少需要多少钱才能达成自己的目的呢?

输入描述

第一行两个正整数n和m,分别表示天数以及糖果店每天生产的糖果数量。
接下来n行(第2行到第n+1行),每行m个正整数,第x+1行的第y个正整数表示第x天的第y个糖果的费用。

输出描述

输出只有一个正整数,表示你需要支付的最小费用。

示例1

输入:

3 2 
1 1
100 100 
10000 10000

输出:

107

示例2

输入:

5 5
1 2 3 4 5
2 3 4 5 1 
3 4 5 1 2 
4 5 1 2 3 
5 1 2 3 4

输出:

10

原站题解

上次编辑到这里,代码来自缓存 点击恢复默认模板

C++(g++ 7.5.0) 解法, 执行用时: 75ms, 内存消耗: 4576K, 提交时间: 2023-05-14 21:14:16

#include<bits/stdc++.h>
#define int long long
#define N 10005
using namespace std;
int n,m,ans,a[N];
multiset<int> s;
signed main(){
    cin>>n>>m;
    for(int i=1;i<=n;i++){
        for(int j=1;j<=m;j++) cin>>a[j];
        sort(a+1,a+m+1);
        for(int j=2;j<=m+1;j++) s.insert(a[j-1]+2*(j-1)-1);
        ans+=*s.begin();
        s.erase(s.begin());
    }
    cout<<ans<<endl;
}

C++14(g++5.4) 解法, 执行用时: 31ms, 内存消耗: 1560K, 提交时间: 2020-09-24 21:33:42

#include<bits/stdc++.h>
using namespace std;
const int maxn=310;
priority_queue<int, vector<int>, greater<int>> q,tq;
int n,m,c[maxn],ans=0;
int main(){
	cin>>n>>m;
	for(int i=1;i<=n;i++){
		for(int j=1;j<=m;j++) cin>>c[j];
		sort(c+1,c+1+m);
		for(int j=1;j<=m;j++) q.push(c[j]+2*j-1);
		ans += q.top(),q.pop();
	} 
	cout<<ans<<endl;
}

C++ 解法, 执行用时: 41ms, 内存消耗: 1720K, 提交时间: 2022-04-10 21:31:17

#include<bits/stdc++.h>
using namespace std;
priority_queue<int,vector<int>,greater<int>>q;
int a[350],pp=0;
int main(){
	int n,m;
	cin>>n>>m;
	for(int i=1;i<=n;i++){
		for(int j=1;j<=m;j++){
			cin>>a[j];
		}
		sort(a+1,a+1+m);
		for(int j=1;j<=m;j++){
			q.push(a[j]+2*j-1);
		}
		pp+=q.top();
		q.pop();
	}
	cout<<pp<<endl;
}

Python3 解法, 执行用时: 264ms, 内存消耗: 8264K, 提交时间: 2022-11-29 15:59:52

n,m = map(int,input().split())
b = []
sum = 0
for i in range(n):
    a = list(map(int,input().split()))
    a.sort()
    for j in range(m):
        b.append(a[j] + 1 + (j * 2))
    b.sort(reverse=True)
    sum += b.pop()
print(sum)

pypy3 解法, 执行用时: 754ms, 内存消耗: 33348K, 提交时间: 2022-04-10 13:07:20

n, m = map(int, input().split())
p = []
ans = 0
for _ in range(n):
    t = sorted(list(map(int, input().split())))
    for i in range(m):
        p.append( t[i] + 1 + (i*2))
    p.sort(reverse=True)
    ans += p.pop()
print(ans)

上一题