How to assign values to variables in java and other languages

This article discusses methods to assign values to variables. 

Method 1: Direct Initialisation Method 

In this method, you will directly assign the value in python but in other programming languages like C, C++, you have to first initialise the data type of variable. So, In Python, there is no need of explicit declaration  in variables as compare to using some other programming languages. You can start using the variable right away. 

// Java code to demonstrate variable assignment
// upon condition using Direct Initialisation Method

import java.io.*;

class GFG {
    public static void main(String args[])
    {

        // initialising variables directly
        int a = 5;

        // printing value of a
        System.out.println("The value of a is: " + a);
    }

Output: 
The value of a is: 5

 

Method 2: Using Conditional Operator (?:)

This method is also called Ternary operators. So Basic Syntax of Conditional Operator is:- 

 condition? True_value : False_Value

Using Conditional Operator, you can write one line code in python. The conditional operator works in a such way that first evaluates the condition, if  condition is true , first expression( True_value) will print else evaluates the second expression(False_Value).

Below is the syntax in other popular languages. 

// Java code to demonstrate variable assignment
// upon condition using Conditional Operator

import java.io.*;

class GFG {
    public static void main(String args[])
    {

        // initialising variables using Conditional Operator
        int a = 20 > 10 ? 1 : 0;

        // printing value of a
        System.out.println("The value of a is: " + a);
    }

Output: 
The value of a is: 1

 

One liner if-else instead of Conditional Operator (?:) in Python 

# Python 3 code to demonstrate variable assignment
# upon condition using One liner if-else

# initialising variable using Conditional Operator
# a = 20 > 10 ? 1 : 0 is not possible in Python
# Instead there is one liner if-else
a = 1 if 20 > 10 else 0

printing value of a
print ("The value of a is: " + str(a))

Output: 

The value of a is: 1

Submit Your Programming Assignment Details