博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
挑战程序设计竞赛选录:2
阅读量:5023 次
发布时间:2019-06-12

本文共 1168 字,大约阅读时间需要 3 分钟。

2.1 截木板    【贪心法(Huffman 编码)】

截断一块木板时,开销为此木板的长度。现在将一根很长的木板截成 N 块,第 i 块长度为 Li 。求最小开销。

Limits: (1 <= N <= 20000, 0 <= Li <= 50000)

样例: 输入: N = 3,  L = {8, 5, 8}      输出: 34 (21 + 13)

思路:方法1. 根据 N 块木板长度,构建 Huffman 树。 时间复杂度:O(N2)

typedef long long ll;void solve(int L[], int N) {	ll cost = 0;	while (N > 1) {		int firMin = 0, secMin = 1;		if (L[firMin] > L[secMin]) swap(L[firMin], L[secMin]);		for (int i = 2; i < N; ++i) {			if (L[i] < L[firMin]) {				secMin = firMin;				firMin = i;			} else if (L[i] < L[secMin]) {				secMin = i;			}		}		int tmp = L[firMin] + L[secMin];		cost += tmp;		if(firMin == N-1) L[secMin] = tmp;		else {			L[firMin] = tmp;			L[secMin] = L[N-1];		}		N--;	}	cout << cost << endl;	/*printf("%lld\n", cost);*/}

 方法2:优先级队列 (基于堆实现)。 时间复杂度: O(NlogN)

typedef long long ll;void solve(int L[], int N) {	ll cost = 0;	/***  实现一个从小到大取值的优先级队列  ***/	priority_queue
, greater
> que; for (int i = 0; i < N; i++) { que.push(L[i]); } while (que.size() > 1) { int L1 = que.top(); que.pop(); int L2 = que.top(); que.pop(); cost += L1 + L2; que.push(L1 + L2); } cout << cost << endl; /*printf("%lld\n", cost);*/}

 

转载于:https://www.cnblogs.com/liyangguang1988/p/4002685.html

你可能感兴趣的文章
poj2299 Ultra-QuickSort
查看>>
第三部分shell编程3(shell脚本2)
查看>>
一个基于jQuery的移动端条件选择查询插件(原创)
查看>>
C# Winform 自适应
查看>>
IE阻止个别AC插件的原因及解决办法
查看>>
网络编程原始套接字
查看>>
Centos下源码安装git
查看>>
gulp-rev-append md5版本号
查看>>
IO流之File类
查看>>
sql 基础语句
查看>>
CF717A Festival Organization(第一类斯特林数,斐波那契数列)
查看>>
oracle直接读写ms sqlserver数据库(二)配置透明网关
查看>>
控件发布:div2dropdownlist(div模拟dropdownlist控件)
查看>>
Oracle composite index column ordering
查看>>
大话设计模式随笔四
查看>>
关于 ORA-01439: 要更改数据类型, 则要修改的列必须为空
查看>>
Docker 生态
查看>>
Spring整合jdbc-jdbc模板api详解
查看>>
Tomcat:Can't load AMD 64-bit .dll on a IA 32 platform(问题记录)
查看>>
JAVA 集合JGL
查看>>