Java char into int

4 ways to convert char to int in Java [Practical Examples]

In Java, the char and an int are a primitive data types. In real life applications, many times we will need to convert the value of one type to the other type. So, Java provides the mechanism for this conversion. As we know, the char type in java can hold a single character whereas an int type holds the numbers without decimal. Here, we will see several ways to convert a char to its equivalent int.

  • Using ASCII Values
  • Using Integer.parseInt() method
  • Using Character.getNumericValue() method
  • Subtracting ‘0’

Using ASCII Values

This is the simplest approach to convert char to int in Java. Here, there are two ways to accomplish this task. The first way is through an implicit type conversion, where we assign the value of char variable to int variable. So, it stores the equivalent ASCII value in int type. The other way is explicit type conversion, where we do not use int variable but we write a int in the bracket for type conversion.

Example : In this example, we are showing both implicit and explicit type conversions.

// Program to convert char to int public class Main < public static void main(String[] args) < // Initializing the variables char a = '1'; char b = '2'; // Implicit type conversion int a1 = a; int b1 = b; System.out.println("The ASCII value of " + a + " is " + a1); System.out.println("The ASCII value of " + b + " is " + b1); // Explicit type conversion a = '5'; b = '6'; System.out.println("The ASCII value of " + a + " is " + (int) a); System.out.println("The ASCII value of " + b + " is " + (int) b); >>
The ASCII value of 1 is 49 The ASCII value of 2 is 50 The ASCII value of 5 is 53 The ASCII value of 6 is 54

Using Integer.parseInt() method

In this approach, we are using the static method parseInt of Integer wrapper class. It takes one parameter of string type and converts it to integer. So, we would need to convert char to string in order to use parseInt function.

Читайте также:  Python series изменить значения индекса

Example : In this example, char variables are converted to int using parseInt method and valueOf method.

// Program to convert char to int in Java public class Main < public static void main(String[] args) < // Initializing the variables char c = '9'; char d = '5'; // Converting char to int and printing int i = Integer.parseInt(String.valueOf(c)); System.out.println("Converting char to int : " + i); i = Integer.parseInt(String.valueOf(d)); System.out.println("Converting char to int : " + i); >>
Converting char to int : 9 Converting char to int : 5

Using Character.getNumericValue() method

In this approach, we will use getNumericValue() method which is a static method of Character wrapper class. This method returns an equivalent int value that the specified Unicode character represents.

Example : In this example, char variables are converted to int using getNumericValue method of Character class.

Converting character to int : 9 Converting character to int : 5

Subtracting ‘0’

In this approach, we are simply subtracting the character ‘0’ from the other character. That means, if we subtract ‘0’ (ASCII equivalent 48) from any character let’s say ‘2’ (ASCII equivalent 50), we will get 2 as a result. Which means, ‘2’-‘0’=2.

Example : In this example, char variables are converted to int by subtracting character ‘0’ from the other character.

Converting character to int : 9 Converting character to int : 5

Examples Showing conversion of char to int

Example 1 : Evaluating expression stored in String

In this example, we are evaluating the expression stored in the string after converting the numbers to equivalent int value.

public class Main < public static void main(String[] args) < // Initializing the variables String e = "2+3"; char c; int first = 0, second = 0, result; // Iterating over the string for (int i = 0; i < e.length(); i++) < c = e.charAt(i); if (c >= '0' && c else < result = first + second; System.out.println("Result of Expression " + e + " is " + result); break; >> > >
Result of Expression 2+3 is 5

Example 2 : Find the summation of numbers stored in the String

In this example, we are finding the summation of the numbers after converting the numbers to equivalent int value.

Summation of the numbers 3455 is 17

Example 3 : Find the product of numbers stored in the String

In this example, we are finding the product of the numbers after converting the numbers to equivalent int value.

Product of the numbers 1248 is 64

Example 4 : Convert the multi digit numbers stored in String to int

In this example, we are converting the multi digit number stored in the string to its equivalent int value.

public class Main < public static void main(String[] args) < // Initializing the variables String s = "4588"; char c; int i, num = 0, multiplier = 1; for (i = s.length() - 1; i >= 0; i--) < // Getting a character from the string c = s.charAt(i); // Converting character to int and multiplying with multiplier num = num + (Integer.parseInt(String.valueOf(c)) * multiplier); // Printing the intermediate values System.out.println("character is " + c); System.out.println("\n Now the number is " + num); // reset the multiplier multiplier = multiplier * 10; >// Printing the result System.out.println("Equivalent number is " + num); > >
character is 8 Now the number is 8 character is 8 Now the number is 88 character is 5 Now the number is 588 character is 4 Now the number is 4588 Equivalent number is 4588

Summary

The knowledge of converting char value to a int in Java is very useful while working on real time applications. In this tutorial, we covered four different approaches to convert char to int in Java. As per the requirement of an application, we can choose an appropriate approach for conversion. We learned in detail about this approaches with an example. All in all, this tutorial, covers everything that you need to know in order to have a clear view on conversion of char value to a int value in Java.

Читайте также:  Python selenium диалоговое окно

References

Didn’t find what you were looking for? Perform a quick search across GoLinuxCloud

If my articles on GoLinuxCloud has helped you, kindly consider buying me a coffee as a token of appreciation.

Buy GoLinuxCloud a Coffee

For any other feedbacks or questions you can either use the comments section or contact me form.

Thank You for your support!!

Leave a Comment Cancel reply

Java Tutorial

  • Set Up Java Environment
    • Set Up Java on Linux
    • Set up Java with BlueJ IDE
    • Set up Java with VSC IDE
    • Set up Java with Eclipse IDE
    • Java Multiline Comments
    • Java Variables
    • Java Global Variables
    • Java Date & Time Format
    • Different Java Data Types
    • Java Booleans
    • Java Strings
    • Java Array
    • Java Byte
    • Java convert list to map
    • Java convert double to string
    • Java convert String to Date
    • Java convert Set to List
    • Java convert char to int
    • Java convert long to string
    • Java Operators Introduction
    • Java Boolean Operators
    • Java Relational Operators
    • Java Arithmetic Operators
    • Java Bitwise Operators
    • Java Unary Operators
    • Java Logical Operators
    • Java XOR (^) Operator
    • Java Switch Statement
    • Java If Else Statement
    • Java While Loop
    • Java For / For Each Loop
    • Java Break Continue
    • Java Nested Loops
    • Java throw exception
    • Java Try Catch
    • Java Accessor and Mutator Methods
    • Java main() Method
    • IndexOf() Java Method
    • Java ListIterator() Method
    • Java create & write to file
    • Java read file
    • Java Parameter
    • Java Argument
    • Java Optional Parameters
    • Java Arguments vs Parameters
    • Java Arrays.asList
    • Java HashSet
    • Java Math
    • Java HashMap vs Hashtable vs HashSet
    • Java LinkedList
    • Linked List Cycle
    • Java List vs LinkedList
    • Java ArrayList vs LinkedList

    Источник

    Java char into int

    2) Java char to int Example: Character.getNumericValue()

    Let’s see the simple code to convert char to int in java using Character.getNumericValue(char) method which returns an integer value.

    3) Java char to int Example: String.valueOf()

    Let’s see another example which returns integer value of specified char value using String.valueOf(char) method.

    Youtube

    For Videos Join Our Youtube Channel: Join Now

    Feedback

    Help Others, Please Share

    facebook twitter pinterest

    Learn Latest Tutorials

    Splunk tutorial

    SPSS tutorial

    Swagger tutorial

    T-SQL tutorial

    Tumblr tutorial

    React tutorial

    Regex tutorial

    Reinforcement learning tutorial

    R Programming tutorial

    RxJS tutorial

    React Native tutorial

    Python Design Patterns

    Python Pillow tutorial

    Python Turtle tutorial

    Keras tutorial

    Preparation

    Aptitude

    Logical Reasoning

    Verbal Ability

    Company Interview Questions

    Artificial Intelligence

    AWS Tutorial

    Selenium tutorial

    Cloud Computing

    Hadoop tutorial

    ReactJS Tutorial

    Data Science Tutorial

    Angular 7 Tutorial

    Blockchain Tutorial

    Git Tutorial

    Machine Learning Tutorial

    DevOps Tutorial

    B.Tech / MCA

    DBMS tutorial

    Data Structures tutorial

    DAA tutorial

    Operating System

    Computer Network tutorial

    Compiler Design tutorial

    Computer Organization and Architecture

    Discrete Mathematics Tutorial

    Ethical Hacking

    Computer Graphics Tutorial

    Software Engineering

    html tutorial

    Cyber Security tutorial

    Automata Tutorial

    C Language tutorial

    C++ tutorial

    Java tutorial

    .Net Framework tutorial

    Python tutorial

    List of Programs

    Control Systems tutorial

    Data Mining Tutorial

    Data Warehouse Tutorial

    Javatpoint Services

    JavaTpoint offers too many high quality services. Mail us on h[email protected], to get more information about given services.

    • Website Designing
    • Website Development
    • Java Development
    • PHP Development
    • WordPress
    • Graphic Designing
    • Logo
    • Digital Marketing
    • On Page and Off Page SEO
    • PPC
    • Content Development
    • Corporate Training
    • Classroom and Online Training
    • Data Entry

    Training For College Campus

    JavaTpoint offers college campus training on Core Java, Advance Java, .Net, Android, Hadoop, PHP, Web Technology and Python. Please mail your requirement at [email protected].
    Duration: 1 week to 2 week

    Like/Subscribe us for latest updates or newsletter RSS Feed Subscribe to Get Email Alerts Facebook Page Twitter Page YouTube Blog Page

    Источник

    Преобразование между char и int в Java

    В этом посте будет обсуждаться преобразование между char и int в Java.

    1. Преобразование char в int

    Чтобы преобразовать символ в целое число, вы можете использовать любой из следующих методов:

    1. Неявное преобразование

    Простое решение — воспользоваться преимуществом неявного преобразования компилятором, когда значение char присваивается целому числу, как показано ниже:

    2. Использование String.getBytes() метод

    Строка может быть преобразована в последовательность байтов с помощью getBytes() метод, который возвращает массив байтов. Чтобы сделать это для одного символа, используйте как:

    3. Использование Character.digit() метод

    Если вам нужно числовое значение, представленное символом в указанной системе счисления, вы можете использовать Character.digit() метод. Например,

    2. Преобразование int в char

    Чтобы преобразовать целое число в символ, вы можете использовать любой из следующих методов:

    1. Использование кастинга

    Если ваше целое число представляет диапазон символов ASCII, вы можете просто преобразовать его в символ без потери точности.

    Чтобы получить соответствующее символьное представление указанной цифры, вы можете сделать следующее:

    2. Использование Character.forDigit() метод

    Стандартное решение для получения символьного представления для конкретной цифры в указанной системе счисления использует Character.forDigit() метод.

    Чтобы преобразовать указанный символ (кодовая точка Unicode) в его представление UTF-16, вы можете использовать Character.toChars() метод, который возвращает массив символов.

    Это все о преобразовании между char и int в Java.

    Средний рейтинг 5 /5. Подсчет голосов: 7

    Голосов пока нет! Будьте первым, кто оценит этот пост.

    Сожалеем, что этот пост не оказался для вас полезным!

    Расскажите, как мы можем улучшить этот пост?

    Спасибо за чтение.

    Пожалуйста, используйте наш онлайн-компилятор размещать код в комментариях, используя C, C++, Java, Python, JavaScript, C#, PHP и многие другие популярные языки программирования.

    Как мы? Порекомендуйте нас своим друзьям и помогите нам расти. Удачного кодирования 🙂

    Этот веб-сайт использует файлы cookie. Используя этот сайт, вы соглашаетесь с использованием файлов cookie, нашей политикой, условиями авторского права и другими условиями. Читайте наши Политика конфиденциальности. Понятно

    Источник

Оцените статью