给定数字n,请打印第n个奇数。第一个奇数是1,第二个是3,依此类推。
例子:
Input : 3
Output : 5
First three odd numbers are 1, 3, 5, ..
Input : 5
Output : 9
First 5 odd numbers are 1, 3, 5, 7, 9, ..
The nth odd number is given by the formula 2*n-1.
C++
// CPP program to find the nth odd number
#include
using namespace std;
// Function to find the nth odd number
int nthOdd(int n)
{
return (2 * n - 1);
}
// Driver code
int main()
{
int n = 10;
cout << nthOdd(n);
return 0;
}
Java
// JAVA program to find the nth odd number
class GFG
{
// Function to find the nth odd number
static int nthOdd(int n)
{
return (2 * n - 1);
}
// Driver code
public static void main(String [] args)
{
int n = 10;
System.out.println(nthOdd(n));
}
}
// This code is contributed
// by ihritik
Python3
# Python 3 program to find the
# nth odd number
# Function to find the nth odd number
def nthOdd(n):
return (2 * n - 1)
# Driver code
if __name__=='__main__':
n = 10
print(nthOdd(n))
# This code is contributed
# by ihritik
C#
// C# program to find the nth odd number
using System;
class GFG
{
// Function to find the nth odd number
static int nthOdd(int n)
{
return (2 * n - 1);
}
// Driver code
public static void Main()
{
int n = 10;
Console.WriteLine(nthOdd(n));
}
}
// This code is contributed
// by inder_verma
PHP
输出:
19