Open In App

Program for n-th odd number

Last Updated : 20 Aug, 2022
Improve
Improve
Like Article
Like
Save
Share
Report

Given a number n, print the nth odd number. The 1st odd number is 1, 2nd is 3, and so on.
Examples: 
 

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 <bits/stdc++.h>
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




<?php
// PHP program to find the
// Nth odd number
 
// Function to find the
// Nth odd number
function nthOdd($n)
{
    return (2 * $n - 1);
}
 
// Driver code
$n = 10;
echo nthOdd($n);
 
// This code is contributed
// by inder_verma
?>


Javascript




<script>
 
// Javascript program to find the nth odd number
 
// Function to find the nth odd number
function nthOdd(n)
{
    return (2 * n - 1);
}
 
// Driver code
 
var n = 10;
document.write( nthOdd(n));
 
 
</script>


Output: 

19

Time Complexity: O(1)

Auxiliary Space: O(1)
 



Like Article
Suggest improvement
Share your thoughts in the comments

Similar Reads