最大限度地降低批量折扣订单的价格

时间:2010-08-16 18:04:53

标签: c# algorithm

我正在尝试整合一个系统,根据要求的数量建议消耗品套件。我遇到的挑战是套件具有批量/批量折扣,因此客户订购更大数量的价格可能更便宜,因为价格可能更低。例如,假设可用的套件是:

  • 25个小部件,15美元
  • 10个小部件,价格为7美元
  • 5个小部件,价格为4美元
  • 1个$ 1的小部件

现在,对于请求的数量74,我的算法将建议2 x 25,2 x 10和4 x 1 = $ 48。然而,对于客户来说订购3 x 25 = 45美元会更便宜。

有关如何解决此问题的任何想法?我在C#编码。

谢谢!

3 个答案:

答案 0 :(得分:7)

看起来像标准DP(动态编程)。

// bestPrice is array of best prices for each amount
// initially it's [0, INFINITY, INFINITY, INFINITY, ...]

for (int i = 0; i <= 74; ++i) {
    for (Pack pack : packs) {
        // if (i + pack.amount) can be achieved with smaller price, do it
        int newPrice = bestPrice[i] + pack.price;
        if (newPrice < bestPrice[i + pack.amount]) {
            bestPrice[i + pack.amount] = newPrice;
        }
    }
}

答案是min(bestPrice[74], bestPrice[74 + 1], ... bestPrice[74 + 25 - 1])。开销25 - 1显然已经足够了,因为否则您将删除一个包,金额仍为>= 74

有关该主题的一些链接:
http://en.wikipedia.org/wiki/Dynamic_programming
http://www.topcoder.com/tc?module=Static&d1=tutorials&d2=dynProg

修改
如果稍微修改一下,就可以找到最佳解决方案。添加lastPack数组,因此lastPack[i]是您用于获得金额i的包的大小。我想,你可以弄清楚如何更新上面的伪代码。

算法完成后,您可以获得这样的解决方案

int total = 74;
while (total > 0) {
    // package of size lastPack[total] was used to get amount 'total'
    // do whatever you want with this number here

    total -= lastPack[total];
}

答案 1 :(得分:3)

因此,您实际上必须手动确定25个数量级下项目的所有断点。然后基本上使用查找表类型方案来确定要为qty小于25的顺序。AS先前指出这是非常类似于背包问题。

基本上你的代码看起来像;

int qtyOrder;
int qtyRemain;
int qty25pack;
int qty10pack;
int qty5pack;
int qty1pack;

//Grab as many 25 packs as possible
qty25pack = (qtyOrder % 25);
qtyRemain -= qty25Pack * 25;

//Here use your lookup table to determine what to order
// for the qty's that are less than 25

您可以使用某种贪婪算法来动态确定它。如果价格预计会发生很大变化,这将是理想的。

这可能看起来像是用完全匹配来填充包装尺寸,然后确定最接近剩余数量的匹配,看看它是否更便宜。

例如:

//find the perfect product amount price
While (qtyRemain != 0) {
perfectPrice += (qtyRemain % nextSmallestSize) * nextSmallestPackagePrice;
qtyRemain -= (qtyReamin % nextSmallestSize)
}

//Find the closest match over price
While ((qtyRemain % nextSmallestSize) != 0){
closePrice += (qtyRemain % nextSmallestSize) * nextSmallestPackagePrice;
qtyRemain -= (qtyRemain % nextSmallestSize)
}
//add the last price before we reached the perfect price size
closePrice += nextSmallestPackagePrice;

//determine lowest price
if closePrice < perfectPrice {
 cost = closePrice;
}
else {
 cost = PerfectPrice;
}

此代码不是接近完成的,但应该给你一个想法。代码也可能不是最好的。

修改

第二个代码块将在第一个块之后代替查找

答案 2 :(得分:2)

好吧,从第25个单位开始,价格为0.60美元/项。 因此,如果客户订单超过25,请忘记您正在计算的包裹,并将数量乘以$ 0.60。