我需要知道如何用变量取一个方程并让它计算并输出所述变量的值。等式的例子。
2900 = 1 * T *((52 + 6)/ 12)
我需要程序取所有值并给我'T'的值。任何和所有帮助将不胜感激:)
答案 0 :(得分:3)
如果方程式相同,则只更改参数 - 然后将其重新排列为变量。
如果整个方程是一个用户输入,那么它会变得很快(“2 * cos(log(x ^ 3))= - e ^ tg(x)”)并且没有银弹。 您可以做的最简单的事情是在运行时评估它(例如使用NCalc)和“暴力破解”解决方案。
答案 1 :(得分:1)
首先将等式重新排列为T = ....
形式2900 = 1 * T * ((52 + 6) / 12)
成为(例如)
T = 2900/(52 + 6) * 12 / 1
接下来用变量替换数字
T = a/(b + c) * d / e
然后你编写一个函数来计算给定a-e
的T.double T(double a, double b, double b, double c, double d, double e) {
return a/(b + c) * d / e;
}
然后你就像这样使用它
double T = T(2900, 52, 6, 12, 1)
答案 2 :(得分:0)
这是一个使用CSharpCodeProvider
将方程编译为代码然后使用简单二进制搜索搜索T值的脏解决方案。
using Microsoft.CSharp;
using System;
using System.CodeDom.Compiler;
using System.Linq;
using System.Reflection;
namespace EquationSolver
{
public class EquationSolver
{
MethodInfo meth;
double ExpectedResult;
public EquationSolver(string equation)
{
var codeProvider = new CSharpCodeProvider();
var splitted = equation.Split(new[] {'='});
ExpectedResult = double.Parse(splitted[0]);
var SourceString = "using System; namespace EquationSolver { public static class Eq { public static double Solve(double T) { return "+
splitted[1] + ";}}}";
System.CodeDom.Compiler.CompilerParameters parameters = new CompilerParameters();
parameters.GenerateInMemory = true;
CompilerResults results = codeProvider.CompileAssemblyFromSource(parameters, SourceString);
var cls = results.CompiledAssembly.GetType("EquationSolver.Eq");
meth = cls.GetMethod("Solve", BindingFlags.Static | BindingFlags.Public);
}
public double Evaluate(double T)
{
return (double)meth.Invoke(null, new[] { (object)T });
}
public double SearchT(double start, double end, double tolerance)
{
do
{
var results = Enumerable.Range(0, 4).Select(x => start + (end - start) / 3 * x).Select(x => new Tuple<double, double>(
x, Evaluate(x))).ToArray();
foreach (var result in results)
{
if (Math.Abs(result.Item2 - ExpectedResult) <= tolerance)
{
return result.Item1;
}
}
if (Math.Abs(results[2].Item2 - ExpectedResult) > Math.Abs(results[1].Item2 - ExpectedResult))
{
end -= (end - start) / 3;
}
else
{
start += (end - start) / 3;
}
} while (true);
}
}
}
目前,它有严重的局限性:
用法示例:
var eq = new EquationSolver( "2900 = 1 * T * ((52 + 6.0) / 12)");
var r = eq.SearchT(int.MinValue,int.MaxValue,0.001);