poj 1456 Supermarket

简介: 点击打开链接poj 1456 思路: 贪心+并查集 分析: 1 题目的意思是给定n个物品的利润和出售的最后时间,求最大的利润 2 比较明显的贪心问题,按照利润排序,假设当前是第i个物品,那么利润为pi出售的时间为di,那么假设di还没有物品销售那么肯定先销售第i个物品,否则找di~1这些时间里面是否有没有销售物品 3 如果按照2的思路做法最坏的情况是O(n^2),但是数据比较弱可以过。

点击打开链接poj 1456

思路: 贪心+并查集
分析:
1 题目的意思是给定n个物品的利润和出售的最后时间,求最大的利润
2 比较明显的贪心问题,按照利润排序,假设当前是第i个物品,那么利润为pi出售的时间为di,那么假设di还没有物品销售那么肯定先销售第i个物品,否则找di~1这些时间里面是否有没有销售物品
3 如果按照2的思路做法最坏的情况是O(n^2),但是数据比较弱可以过。但是我们这边可以利用并查集来优化,根据2如果di已经被占用了那么我们要去找di~1的时间,这里利用并查集的思路。如果di被占用了之后,那么father[di] = di-1说明如果下次再来一个销售日期为di的话是要放到di-1天,那么对于第i个物品我们只要判断find(di)是不是大于0,如果是di可以放到find(di)这一天销售,否则跳过

代码:

#include<cstdio>
#include<cstring>
#include<iostream>
#include<algorithm>
using namespace std;

const int MAXN = 10010;

struct Node{
    int val;
    int day; 
    bool operator<(const Node &s)const{
        return val > s.val;
    }
};
Node node[MAXN];
int father[MAXN];

int find(int x){
    if(father[x] != x)
        father[x] = find(father[x]);
    return father[x];
}

int solve(int n){
    int ans = 0;
    for(int i = 1 ; i <= n ; i++){
        int fa = find(node[i].day);
        if(fa > 0){
            father[fa] = fa-1; 
            ans += node[i].val;
        }
    }
    return ans;    
}

int main(){
    int n;  
    while(scanf("%d" , &n) != EOF){
         for(int i = 1 ; i < MAXN ; i++)
             father[i] = i;
         for(int i = 1 ; i <= n ; i++)
             scanf("%d%d" , &node[i].val , &node[i].day);
         sort(node+1 , node+n+1);
         printf("%d\n" , solve(n));
    }
    return 0;
}



目录
相关文章
POJ 1936 All in All
POJ 1936 All in All
75 0
|
人工智能
POJ 2531
初学dfs参考别人代码,如有雷同,见怪不怪。#include using namespace std; int aa[25][25]; int maxa=0; int step[25]={0},n; void dfs(int a,int b) { int t=b; step...
709 0
poj-1006-Biorhythms
Description 人生来就有三个生理周期,分别为体力、感情和智力周期,它们的周期长度为23天、28天和33天。每一个周期中有一天是高峰。在高峰这天,人会在相应的方面表现出色。例如,智力周期的高峰,人会思维敏捷,精力容易高度集中。
621 0
POJ 2027 No Brainer
Problem Description Zombies love to eat brains. Yum. Input The first line contains a single integer n indicating the number of data sets.
868 0
|
存储
大数加法-poj-1503
poj-1503-Integer Inquiry Description One of the first users of BIT's new supercomputer was Chip Diller. He extended his exploration of powers of 3 to go from 0 to 333 and he explored taking vari
1118 0