多年来,我一直在追踪解决技术 - and I maintain a blog post关于将它们应用于特定难题 - “穿越梯子”。
为了达到这一点,我偶然发现了z3,并尝试将其用于特定问题。我使用了Python绑定,并写了这个:
$ cat laddersZ3.py
#!/usr/bin/env python
from z3 import *
a = Int('a')
b = Int('b')
c = Int('c')
d = Int('d')
e = Int('e')
f = Int('f')
solve(
a>0, a<200,
b>0, b<200,
c>0, c<200,
d>0, d<200,
e>0, e<200,
f>0, f<200,
(e+f)**2 + d**2 == 119**2,
(e+f)**2 + c**2 == 70**2,
e**2 + 30**2 == a**2,
f**2 + 30**2 == b**2,
a*d == 119*30,
b*c == 70*30,
a*f - 119*e + a*e == 0,
b*e - 70*f + b*f == 0,
d*e == c*f)
不幸的是,z3报告......
$ python laddersZ3.py
failed to solve
问题至少有这个整数解:a = 34,b = 50,c = 42,d = 105,e = 16,f = 40。
我做错了什么,或者这种方程/范围约束系统超出了z3可以解决的范围?
提前感谢您的帮助。
更新,5年后:Z3现在解决了这个问题。
答案 0 :(得分:5)
如果将整数编码为实数,则可以使用Z3解决此问题,这将迫使Z3使用非线性实数算术求解器。有关非线性整数与实数算术求解器的更多详细信息,请参阅此内容:How does Z3 handle non-linear integer arithmetic?
以下是使用解决方案编码为实数的示例(z3py link:http://rise4fun.com/Z3Py/1lxH):
a,b,c,d,e,f = Reals('a b c d e f')
solve(
a>0, a<200,
b>0, b<200,
c>0, c<200,
d>0, d<200,
e>0, e<200,
f>0, f<200,
(e+f)**2 + d**2 == 119**2,
(e+f)**2 + c**2 == 70**2,
e**2 + 30**2 == a**2,
f**2 + 30**2 == b**2,
a*d == 119*30,
b*c == 70*30,
a*f - 119*e + a*e == 0,
b*e - 70*f + b*f == 0,
d*e == c*f) # yields [a = 34, b = 50, c = 42, d = 105, e = 16, f = 40]
虽然结果是整数,但正如Z3所发现的那样,Z3显然需要使用真正的算术求解器来处理它。
或者,您可以将变量声明为整数,并从引用帖子的建议中执行以下操作:
t = Then('purify-arith','nlsat')
s = t.solver()
solve_using(s, P)
其中P
是约束的结合(z3py link:http://rise4fun.com/Z3Py/7nqN)。
答案 1 :(得分:0)
您可以向Microsoft Solver Foundation的求解者询问
,而不是向Z3
询问实数中的解决方案。
using Microsoft.SolverFoundation.Services;
static Term sqr(Term t)
{
return t * t;
}
static void Main(string[] args)
{
SolverContext context = SolverContext.GetContext();
Domain range = Domain.IntegerRange(1, 199); // integers ]0; 200[
Decision a = new Decision(range, "a");
Decision b = new Decision(range, "b");
Decision c = new Decision(range, "c");
Decision d = new Decision(range, "d");
Decision e = new Decision(range, "e");
Decision f = new Decision(range, "f");
Model model = context.CreateModel();
model.AddDecisions(a, b, c, d, e, f);
model.AddConstraints("limits",
sqr(e+f) + d*d == 119*119,
sqr(e+f) + c*c == 70*70,
e*e + 30*30 == a*a,
f*f + 30*30 == b*b,
a*d == 119*30,
b*c == 70*30,
a*f - 119*e + a*e == 0,
b*e - 70*f + b*f == 0,
d*e == c*f);
Solution solution = context.Solve();
Report report = solution.GetReport();
Console.WriteLine("a={0} b={1} c={2} d={3} e={4} f={5}", a, b, c, d, e, f);
Console.Write("{0}", report);
}
求解器在几分之一秒内提出你提到的解决方案。 Express Edition 曾经是免费的,但我不确定目前的状态。
a: 34
b: 50
c: 42
d: 105
e: 16
f: 40
答案 2 :(得分:0)
通常,没有算法可以回答多元多项式方程(或其系统,如您的情况)是否具有整数解(这是Hilbert第十个问题的否定答案)。因此,所有求解整数的方法要么限于某些类(例如线性方程,一个变量中的多项式......),要么使用不完整的技巧,例如:
这就是为什么需要告诉Z3使用实数求解器。