English | 简体中文 | 繁體中文 | Русский язык | Français | Español | Português | Deutsch | 日本語 | 한국어 | Italiano | بالعربية

Tutoriel de base Java

Contrôle de flux Java

Java tableau

Java orienté objet (I)

Java orienté objet (II)

Java orienté objet (III)

Gestion des exceptions Java

Java Liste (List)

Java Queue (file d'attente)

Java Map collection

Java Set collection

Java entrée/sortie (I/O)

Java Reader/Writer

Autres sujets Java

Programme Java pour rechercher la valeur ASCII d'un caractère

Java complete list of examples

Dans ce programme, vous apprendrez à rechercher et afficher la valeur ASCII d'un caractère en Java. Cela est réalisé par le type de conversion et les opérations d'affectation de variables conventionnelles.

Exemple : rechercher la valeur ASCII d'un caractère

public class AsciiValue {
    public static void main(String[] args) {
        char ch = 'a';
        int ascii = ch;
        //You can also convert char to int
        int castAscii = (int) ch;
        System.out.println("ASCII value ", + ch + " = " + ascii);
        System.out.println("ASCII value ", + ch + " = " + castAscii);
    }
}

When running the program, the output is:

ASCII value a = 97
ASCII value a = 97

In the above program, the character a is stored in the char variable ch. Just like we use double quotes ("") to declare a string, we use single quotes ('') to declare a character.

Now, to find the ASCII value of ch, we just need to assign ch to an int variable ascii. Internally, Java converts the character value to the ASCII value.

We can also use (int) to convert the character ch to an integer. In simple terms, the conversion is the process of converting a variable from one type to another type, here the char variable ch is converted to the int variable castAscii.

Finally, we use the println() function to print the ascii value.

Java complete list of examples