Using the Math.Pow function [duplicate]

女生的网名这么多〃 提交于 2019-12-25 04:17:15

问题


I have a constructor that returns the result of two ints with a 'to the power of' operator. I am trying to use the math.pow method to do this but im not to sure how it work.

Here is my constructor

public int Power (int firstNumber, int secondNumber)
{
    result = Math.Pow(firstNumber, secondNumber);
    return result;
}

and the code that calls it

case "^":
    result = application.Power(firstInt, secondInt);
    labelResult.Text = ("" + result);
    break;

How do i use the Math.Pow method in this situation?


回答1:


As far as the error you're getting:

Math.Pow takes 2 doubles as arguments and returns a double. Your method is declared as returning an int. This means that result is an int. You need to cast the result of Math.Pow to int:

result = (int)Math.Pow(firstNumber, secondNumber);



回答2:


Basically, it returns a specified number raised to the specified power.

The first argument contains the value you want to use

The second argument contains the power value you want to implement.

For example, if you have this

result = Math.Pow(3, 3);
return result;

It will return value 27 because it is 3 x 3 x 3.

But if I write

result = Math.Pow(1, 3);
return result;

It will return value of 1 because it is 1 x 1 x 1.

What if I write the 1st argument of 5 and 2nd argument 1?

result = Math.Pow(5, 1);
return result

It will return as 5 because it is 5 x 1.

You can figure it your own. http://www.w3schools.com/jsref/tryit.asp?filename=tryjsref_pow

UPDATED

Here's the example of the input. Use Power instead of declaring application.Power

case "^":
    result = Power(firstInt, secondInt);
    labelResult.Text = ("" + result);
    break;



回答3:


Like Minelava said, the Math.Pow method has two parameters, the first parameter indicates the number you are trying to base the result on. The second parameter is the exponent itself.

Math.Pow(3, 2) = 3 * 3 = 9

Math.Pow(2, 3) = 2 * 2 * 2 = 8

If you like, you could directly call the Math.Pow method, so you do not need Power method anymore. I think it's more simple otherwise you have another concern to have other Power method.

case "^":
    result = Math.Pow(firstInt, secondInt);
    labelResult.Text = ("" + result);
    break;

Just my two cents. Thanks.



来源:https://stackoverflow.com/questions/20277010/using-the-math-pow-function

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!