任何人都可以解释在C#和.net中使用Math.Pow()
和Math.Exp()
之间的区别吗?
Exp()
只是将一个数字作为指数用于自己的力量吗?
答案 0 :(得分:47)
Math.Pow
为某些 x 和 y x y >
Math.Exp
为某些 x 计算 e x ,其中 e 是Euler's number。
请注意,虽然Math.Pow(Math.E, d)
产生与Math.Exp(d)
相同的结果,但快速基准比较显示Math.Exp
的实际执行速度约为Math.Pow
的两倍:
Trial Operations Pow Exp
1 1000 0.0002037 0.0001344 (seconds)
2 100000 0.0106623 0.0046347
3 10000000 1.0892492 0.4677785
答案 1 :(得分:4)
Math.Pow(Math.E,n) = Math.Exp(n) //of course this is not actual code, just a human equation.
答案 2 :(得分:4)
Math.Exp(x)
是e x 。 (见http://en.wikipedia.org/wiki/E_(mathematical_constant)。)
Math.Pow(a, b)
是 b 。
Math.Pow(Math.E, x)
和Math.Exp(x)
是相同的,但如果您使用e作为基础,第二个是惯用的。
答案 3 :(得分:0)
快速扩展来自p.s.w.g的基准贡献 -
我想再看一次比较,相当于10 ^ x ==> e ^(x * ln(10))或{double ln10 = Math.Log(10.0); y = Math.Exp(x * ln10);}
以下是我所拥有的:
Operation Time
Math.Exp(x) 180 ns (nanoseconds)
Math.Pow(y, x) 440 ns
Math.Exp(x*ln10) 160 ns
Times are per 10x calls to Math functions.
我不明白为什么在进入Exp()
之前在循环中包含乘法的时间始终会产生更短的时间,除非此代码中存在错误,或者算法是否取决于价值?
该计划如下。
namespace _10X {
public partial class Form1 : Form {
int nLoops = 1000000;
int ix;
// Values - Just to not always use the same number, and to confirm values.
double[] x = { 0.5, 1, 1.5, 2, 2.5, 3, 3.5, 4, 4.5, 5 };
public Form1() {
InitializeComponent();
Proc();
}
void Proc() {
double y;
long t0;
double t1, t2, t3;
t0 = DateTime.Now.Ticks;
for (int i = 0; i < nLoops; i++) {
for (ix = 0; ix < x.Length; ix++)
y = Math.Exp(x[ix]);
}
t1 = (double)(DateTime.Now.Ticks - t0) * 1e-7 / (double)nLoops;
t0 = DateTime.Now.Ticks;
for (int i = 0; i < nLoops; i++) {
for (ix = 0; ix < x.Length; ix++)
y = Math.Pow(10.0, x[ix]);
}
t2 = (double)(DateTime.Now.Ticks - t0) * 1e-7 / (double)nLoops;
double ln10 = Math.Log(10.0);
t0 = DateTime.Now.Ticks;
for (int i = 0; i < nLoops; i++) {
for (ix = 0; ix < x.Length; ix++)
y = Math.Exp(x[ix] * ln10);
}
t3 = (double)(DateTime.Now.Ticks - t0) * 1e-7 / (double)nLoops;
textBox1.Text = "t1 = " + t1.ToString("F8") + "\r\nt2 = " + t2.ToString("F8")
+ "\r\nt3 = " + t3.ToString("F8");
}
private void btnGo_Click(object sender, EventArgs e) {
textBox1.Clear();
Proc();
}
}
}
所以我想我会跟Math.Exp(x * ln10)
一起去,直到有人发现错误......