Given a Temperature in Fahrenheit scale, our task is to convert it into Kelvin scale.
Examples :
Input : F = 100
Output : K = 311.278
Input : F = 110
Output : K = 316.833
The temperature conversion from Fahrenheit ( F ) to Kelvin ( K ) is given by the formula :
K = 273.5 + ((F - 32.0) * (5.0/9.0))
C++
#include<iostream>
using namespace std ;
float Fahrenheit_to_Kelvin( float F )
{
return 273.5 + ((F - 32.0) * (5.0/9.0));
}
int main()
{
float F = 100;
cout << "Temperature in Kelvin ( K ) = "
<< Fahrenheit_to_Kelvin( F ) ;
return 0;
}
|
Java
class GFG
{
static float Fahrenheit_to_Kelvin( float F )
{
return 273 .5f + ((F - 32 .0f) * ( 5 .0f/ 9 .0f));
}
public static void main(String arg[])
{
float F = 100 ;
System.out.print( "Temperature in Kelvin ( K ) = "
+ (Math.round(Fahrenheit_to_Kelvin( F )
* 1000.0 )/ 1000.0 )) ;
}
}
|
Python
def Fahrenheit_to_Kelvin(F):
return 273.5 + ((F - 32.0 ) * ( 5.0 / 9.0 ))
F = 100
print ( "Temperature in Kelvin ( K ) = {:.3f}"
. format (Fahrenheit_to_Kelvin( F )))
|
C#
using System;
class GFG
{
static float Fahrenheit_to_Kelvin( float F )
{
return 273.5f + ((F - 32.0f) *
(5.0f/9.0f));
}
public static void Main()
{
float F = 100;
Console.WriteLine( "Temperature in Kelvin (K) = "
+ (Math.Round(Fahrenheit_to_Kelvin(F)
*1000.0)/1000.0)) ;
}
}
|
PHP
<?php
function Fahrenheit_to_Kelvin( $F )
{
return 273.5 + (( $F - 32.0) *
(5.0 / 9.0));
}
$F = 100;
$x = number_format(Fahrenheit_to_Kelvin( $F ), 3);
echo "Temperature in Kelvin ( K ) = " . $x ;
?>
|
Javascript
<script>
function Fahrenheit_to_Kelvin( F )
{
return 273.5 + ((F - 32.0) * (5.0/9.0));
}
let F = 100;
document.write( "Temperature in Kelvin ( K ) = "
+ Fahrenheit_to_Kelvin( F )) ;
</script>
|
Output :
Temperature in Kelvin ( K ) = 311.278
Time Complexity: O(1), as we are not using any loops.
Auxiliary Space: O(1), as we are not using any extra space.