因此,我与一些同事交谈,而我目前遇到的问题实际上非常具有挑战性。该问题背后的背景与质谱分析以及将结构分配给软件给出的不同峰有关。
但是要将其分解为一个优化问题,我有一个特定的目标值。我还列出了各种输入,我希望它们的总和尽可能接近目标。
因此,例如,这就是我所拥有的。
List of inputs: [18.01, 42.01, 132.04, 162.05, 203.08, 176.03]
Target value: 1800.71
我想找到列出的总和在1800.71的0.5之内的所有可能的输入组合。因此,总和可以介于1800.21和1801.21之间。
我已经知道两个输入可能是:
[18.01, 162.05, 162.05, 162.05, 162.05, 162.05, 162.05, 162.05, 162.05, 162.05, 162.05, 162.05] **which gives a sum of 1800.59**
和
[18.01, 18.01, 203.08, 203.08, 203.08, 162.05, 203.08, 18.01, 18.01, 18.01, 18.01, 18.01, 18.01, 18.01, 18.01, 18.01, 18.01, 42.01, 162.05, 203.08, 203.08] **which gives a sum 1800.71**
我并不是想找到使我尽可能接近目标值的组合;我对目标值的0.5范围内的所有可能组合感兴趣。
如果有人可以帮助我解决这个问题,我将不胜感激!
答案 0 :(得分:5)
仅允许为每个值计算一个整数因子,而不是允许多个值。
对于您的问题,我得到988个结果。
import math
import time
def combinator(tolerance, target, inputs):
# Special case for inputs with one element, speeds up computation a lot
if len(inputs) == 1:
number = inputs[0]
result_min = int(math.ceil((target-tolerance)/number))
result_max = int(math.floor((target+tolerance)/number))
for factor in range(result_min, result_max+1):
yield [factor]
return
# Special case for no inputs, just to prevent infinite recursion
if not inputs:
return
number = inputs[-1]
max_value = int(math.floor((target + tolerance)/number))
for i in range(max_value+1):
for sub_factors in combinator(tolerance, target-i*number, inputs[:-1]):
sub_factors.append(i)
yield sub_factors
def main():
inputs = [18.01, 42.01, 132.04, 162.05, 203.08, 176.03]
target = 1800.71
tolerance = 0.5
t_start = time.perf_counter()
results = list(combinator(tolerance, target, inputs))
t_end = time.perf_counter()
for result in results:
result_str = ""
result_value = 0
for factor, value in zip(result, inputs):
if not factor:
continue
if result_str != "":
result_str += " + "
result_str += "{}* {}".format(factor, value)
result_value += factor*value
print("{:.2f}".format(result_value) + " =\t[" + result_str + "]")
print("{} results found!".format(len(results)))
print("Took {:.2f} milliseconds.".format((t_end-t_start)*1000))
if __name__ == "__main__":
main()
1801.00 = [100* 18.01]
1800.96 = [93* 18.01 + 3* 42.01]
1800.92 = [86* 18.01 + 6* 42.01]
...
1800.35 = [5* 18.01 + 3* 42.01 + 9* 176.03]
1800.33 = [2* 42.01 + 1* 132.04 + 9* 176.03]
1800.35 = [3* 18.01 + 1* 162.05 + 9* 176.03]
988 results found!
Took 11.48 milliseconds.
我还在Rust中重新实现了相同的算法。
您的问题的表现:
代码如下:
use std::time::Instant;
fn combinator(tolerance : f32, target: f32, inputs: &[f32]) -> Vec<Vec<i32>>{
let number = match inputs.last() {
Some(i) => i,
None => return vec![]
};
if inputs.len() == 1 {
let result_min = ((target-tolerance)/number).ceil() as i32;
let result_max = ((target+tolerance)/number).floor() as i32;
return (result_min..=result_max).map(|x| vec![x]).collect();
}
let max_value = ((target + tolerance)/number).floor() as i32;
let mut results = vec![];
for i in 0..=max_value {
for mut sub_factors in combinator(tolerance, target - i as f32 * number, &inputs[..inputs.len()-1]) {
sub_factors.push(i);
results.push(sub_factors);
}
}
results
}
fn print_result(factors: &[i32], values: &[f32]){
let sum : f32 = factors.iter()
.zip(values.iter())
.map(|(factor,value)| *factor as f32 * *value)
.sum();
println!("{:.2} =\t[{}]", sum,
factors.iter()
.zip(values.iter())
.filter(|(factor, _value)| **factor > 0)
.map(|(factor, value)| format!("{}* {}", factor, value))
.collect::<Vec<String>>()
.join(", "));
}
fn main() {
let inputs = vec![18.01, 42.01, 132.04, 162.05, 203.08, 176.03];
let target = 1800.71;
let tolerance = 0.5;
let t_start = Instant::now();
let results = combinator(tolerance, target, &inputs);
let duration = t_start.elapsed().as_micros() as f64;
for result in &results {
print_result(&result, &inputs);
}
println!("{} results found!", results.len());
println!("Took {} milliseconds", duration / 1000.0);
}
1801.00 = [100* 18.01]
1800.96 = [93* 18.01, 3* 42.01]
1800.92 = [86* 18.01, 6* 42.01]
...
1800.35 = [5* 18.01, 3* 42.01, 9* 176.03]
1800.33 = [2* 42.01, 1* 132.04, 9* 176.03]
1800.35 = [3* 18.01, 1* 162.05, 9* 176.03]
988 results found!
Took 0.656 milliseconds
另外,仅出于娱乐目的,这些都是解决您问题的精确方法。有五个。
1800.71 = [12* 18.01, 1* 42.01, 2* 162.05, 6* 203.08]
1800.71 = [13* 18.01, 2* 42.01, 2* 132.04, 6* 203.08]
1800.71 = [16* 18.01, 7* 42.01, 6* 203.08]
1800.71 = [52* 18.01, 1* 42.01, 1* 132.04, 1* 162.05, 3* 176.03]
1800.71 = [54* 18.01, 4* 42.01, 1* 132.04, 3* 176.03]
答案 1 :(得分:4)
另一个答案与现有的良好答案相同。我发现使用范围而不是目标+容差,并使用琐碎的(未优化的)递归解决方案更为简单,这似乎足够快地找到您的用例的〜1000个答案。
更改使用生成器/收益率或优化单值情况并不会改变所有结果所花费的时间,尽管如果您有管道,这可能会有用。
def fuzzy_coins(vals, lower, upper):
'''
vals: [Positive]
lower: Positive
upper: Positive
return: [[Int]]
Returns a list of coefficients for vals such that the dot
product of vals and return falls between lower and upper.
'''
ret = []
if not vals:
if lower <= 0 <= upper:
ret.append(())
else:
val = vals[-1]
for i in xrange(int(upper / val) + 1):
for sub in fuzzy_coins(vals[:-1], lower, upper):
ret.append(sub + (i,))
lower -= val
upper -= val
return ret
即使这样,在python 2.7和3.6中也要花费约100ms
[('1800.33', (0, 2, 1, 0, 0, 9)),
('1800.35', (3, 0, 0, 1, 0, 9)),
('1800.35', (5, 3, 0, 0, 0, 9)),
('1800.38', (0, 10, 0, 2, 0, 6)),
('1800.38', (1, 11, 2, 0, 0, 6)),
...
('1800.92', (86, 6, 0, 0, 0, 0)),
('1800.94', (88, 2, 1, 0, 0, 0)),
('1800.96', (91, 0, 0, 1, 0, 0)),
('1800.96', (93, 3, 0, 0, 0, 0)),
('1801.00', (100, 0, 0, 0, 0, 0))]
Took 0.10885s to get 988 results
例如用法:
from __future__ import print_function
import pprint
import time
def main():
vals = [18.01, 42.01, 132.04, 162.05, 203.08, 176.03]
target = 1800.71
fuzz = .5
lower = target - fuzz
upper = target + fuzz
start = time.time()
coefs = fuzzy_coins(vals, lower, upper)
end = time.time()
pprint.pprint(sorted(
('%.2f' % sum(c * v for c, v in zip(coef, vals)), coef)
for coef in coefs
))
print('Took %.5fs to get %d results' % (end - start, len(coefs)))
答案 2 :(得分:3)
我实现了递归,以获取输入列表中值的所有组合,该组合的总和在阈值之内。输出在列表out
中(总和和合并列表的元组。由于它很大,所以我不会全部打印出来)。
lst = [18.01, 42.01, 132.04, 162.05, 203.08, 176.03]
target = 1800.71
def find_combination(lst, target, current_values=[], curr_index=0, threshold=0.5):
s = sum(current_values)
if abs(s - target) <= threshold:
yield s, tuple(current_values)
elif s - target < 0:
for i in range(curr_index, len(lst)):
yield from find_combination(lst, target, current_values + [lst[i]], i)
elif s - target > 0:
curr_index += 1
if curr_index > len(lst) - 1:
return
yield from find_combination(lst, target, current_values[:-1] + [lst[curr_index]], curr_index)
out = []
for v in find_combination(sorted(lst, reverse=True), target):
out.append(v)
out = [*set(out)]
print('Number of combinations: {}'.format(len(out)))
## to print the output:
# for (s, c) in sorted(out, key=lambda k: k[1]):
# print(s, c)
打印:
Number of combinations: 988
编辑:过滤出重复项。