美文网首页
小根堆的应用2

小根堆的应用2

作者: shoulda | 来源:发表于2018-07-16 17:20 被阅读0次

思路:小根堆的应用

****题目:
参数1, 正数数组costs
参数2, 正数数组profits
参数3, 正数k
参数4, 正数m
costs[i]表示i号项目的花费
profits[i]表示i号项目在扣除花费之后还能挣到的钱(利润)
k表示你不能并行、 只能串行的最多做k个项目
m表示你初始的资金
说明: 你每做完一个项目, 马上获得的收益, 可以支持你去做下一个
项目。
输出:
你最后获得的最大钱数


//定义节点
public static class Node {
        public int p;
        public int c;

        public Node(int p, int c) {
            this.p = p;
            this.c = c;
        }
    }

//小根堆
public static class MinCostComparator implements Comparator<Node> {

        @Override
        public int compare(Node o1, Node o2) {
            return o1.c - o2.c;
        }

    }

//大根堆
public static class MaxProfitComparator implements Comparator<Node> {

        @Override
        public int compare(Node o1, Node o2) {
            return o2.p - o1.p;
        }

    }

//主要函数
public static int findMaximizedCapital(int k, int W, int[] Profits, int[] Capital) {
        Node[] nodes = new Node[Profits.length];
        for (int i = 0; i < Profits.length; i++) {
            nodes[i] = new Node(Profits[i], Capital[i]);
        }

        PriorityQueue<Node> minCostQ = new PriorityQueue<>(new MinCostComparator());
        PriorityQueue<Node> maxProfitQ = new PriorityQueue<>(new MaxProfitComparator());
        for (int i = 0; i < nodes.length; i++) {
            minCostQ.add(nodes[i]);
        }
        for (int i = 0; i < k; i++) {
            while (!minCostQ.isEmpty() && minCostQ.peek().c <= W) {
                maxProfitQ.add(minCostQ.poll());
            }
            if (maxProfitQ.isEmpty()) {
                return W;
            }
            W += maxProfitQ.poll().p;
        }
        return W;
    }

相关文章

  • 小根堆的应用2

    思路:小根堆的应用

  • 小根堆的应用1

    思路:利用小根堆实现

  • 前端-堆排序 (选择排序)

    堆排序小根堆: L[i] <= L[2i] && L[i] <= L[2i + 1]大根堆: L[i] >= L[...

  • 堆的创建

    二叉堆的定义 堆通常由大根堆和小根堆,大根堆表示父节点大于字节点,小根堆相反eg:小根堆 可以看出堆屎一个完全二叉...

  • 2018-08-14 LeetCode数据流的中位数

    较小的一半数放在大根堆较大的在小根堆,大根堆堆顶为较小数的最大值,小根堆的堆顶为较大数的最小值始终保持大根堆和小根...

  • 堆排序详解

    1. 什么是堆? 堆其实就是一颗完全二叉树堆有大根堆和小根堆,望文生义,即是根节点分别是最大和最小节点。 2.堆的...

  • 数据结构与算法之堆排序

    小根堆--向下构建 大根堆--向上构建 不要误解,其实无论向上调整还是向下调整都是可以构建大根堆或者小根堆的。注:...

  • 堆简述 堆(heap)的结构是一个完全二叉树的结构。 堆分大根堆和小根堆。如果一个二叉树它即不是大根堆,也不是小根...

  • 春招笔记 堆

    1. 堆是完全二叉树,根据父节点和子节点的关系,可以分为大根堆和小根堆。 大根堆的父节点比它的所有子节点大,小根...

  • TopK及小根堆

网友评论

      本文标题:小根堆的应用2

      本文链接:https://www.haomeiwen.com/subject/xhibpftx.html