ruby打印
Ruby中数字的幂 (Power of a number in Ruby)
The task to develop a program that prints power of a number in Ruby programming language.
开发可以用Ruby编程语言打印数字幂的程序的任务。
If we want to calculate the power of a number manually then we have to multiply the base to itself by exponent times which means that if the base is 3 and the exponent is 4, then power will be calculated as
如果要手动计算数字的幂,则必须将底数乘以自身乘以指数时间,这意味着如果底数为3且指数为4 ,则幂将计算为
power = 3*3*3*3, which will result in 81.
power = 3 * 3 * 3 * 3 ,结果为81。
Let us put the above logic into codes. We have used two methods to calculate power, one is by using user-defined function “pow” and one is with the help of ** operator. If you want to write code from scratch then the first method is appropriate for you.
让我们将以上逻辑放入代码中。 我们使用了两种方法来计算功率,一种方法是使用用户定义的函数“ pow”,另一种方法是借助**运算符。 如果您想从头开始编写代码,则第一种方法适合您。
Methods used:
使用的方法:
puts: This is used to create an interaction with the user by putting some message on the console.
puts :用于通过在控制台上放置一些消息来与用户进行交互。
gets: This is used to take input from the user in the form of string.
gets :用于接收用户以字符串形式的输入。
to_i: This method is used to convert any type into an integer type.
to_i :此方法用于将任何类型转换为整数类型。
pow: This is a user-defined function which takes two arguments and returns an integer value. It is defined purposefully for calculating power by taking base and exponent as an argument.
pow :这是一个用户定义的函数,它带有两个参数并返回一个整数值。 它的定义是有目的的,以底数和指数为参数来计算功效。
Ruby代码来计算数字的幂 (Ruby code to calculate power of a number)
=begin
Ruby program to calculate power of a number.
=end
def pow(a,b)
power=1
for i in 1..b
power=power*a
end
return power
end
puts "Enter Base:-"
base=gets.chomp.to_i
puts "Enter exponent:-"
expo=gets.chomp.to_i
puts "The power is #{pow(base,expo)}"
Output
输出量
RUN 1:
Enter Base:-
3
Enter exponent:-
5
The power is 243
RUN 2:
Enter Base:-
2
Enter exponent:-
3
The power is 8
Method 2:
方法2:
=begin
Ruby program to calculate power of a number
using ** operator.
=end
puts "Enter Base:-"
base=gets.chomp.to_i
puts "Enter exponent:-"
expo=gets.chomp.to_i
power=base**expo
puts "The power is #{power}"
Output
输出量
RUN 1:
Enter Base:-
5
Enter exponent:-
5
The power is 3125
RUN 2:
Enter Base:-
9
Enter exponent:-
2
The power is 81
翻译自: https://www.includehelp.com/ruby/print-power-of-a-number.aspx
ruby打印