????????贪心算法是一种在每一步选择中都采取在当前状态下最好或最优(即最有利)的选择,从而
希望导致结果是最好或最优的算法。
????????贪心算法的每一步都是基于当前状态下的最优解来选择下一步,因此它不能保证全局最优
解,只能保证局部最优解。
????????贪心算法的优点是思路简单、易于实现、时间复杂度较低,但缺点是可能得到非全局最优解。
贪心策略:在每一步选择当前可用物品中单位价值最高的物品放入背包,直到背包容量达到上限。
算法步骤:
选择装入背包的物品价值最大。
package com.ybw.algorithm.greedy.dto;
import lombok.AllArgsConstructor;
import lombok.Data;
/**
* @author weixiansheng
* @version V1.0
* @className Goods
* @date 2023/12/22
**/
@Data
@AllArgsConstructor
public class Goods {
/**
* 商品价格
*
* @author: weixiansheng
* @date: 2023/12/22
**/
private Integer price;
/**
* 重量
*
* @author: weixiansheng
* @date: 2023/12/22
**/
private Integer weight;
}
package com.ybw.algorithm.greedy;
import com.ybw.algorithm.greedy.dto.Goods;
import org.junit.jupiter.api.Test;
import java.util.ArrayList;
import java.util.List;
/**
* 贪心算法-背包问题
*
* @author weixiansheng
* @version V1.0
* @className KnapsackProblemTest
* @date 2023/12/25
**/
public class KnapsackProblemTest {
/**
* @methodName: knapsackProblemTest
* @return: void
* @author: weixiansheng
* @date: 2023/12/22
**/
@Test
public void knapsackProblemTest() {
//1、定义物品列表
List<Goods> goodsList = new ArrayList<>();
goodsList.add(new Goods(60, 10));
goodsList.add(new Goods(100, 20));
goodsList.add(new Goods(120, 30));
// 背包的容量
int capacity = 50;
// 输出背包的最大价值
System.out.println(maxValue(capacity, goodsList));
}
private int maxValue(int capacity, List<Goods> goodsList) {
int totalValue = 0;
for (Goods goods : goodsList) {
if (capacity >= goods.getWeight()) {
totalValue += goods.getPrice();
capacity -= goods.getWeight();
} else {
totalValue += goods.getPrice() * (capacity / goods.getWeight());
break;
}
}
return totalValue;
}
}
运行结果:160。全局最优解为220。
总结:它不能保证全局最优解,只能保证局部最优解。