Contents

Baekjun, number 1427, inside

   Mar 10, 2025     2 min read

Baekjun No. 1427, this is an article about Sort Inside.

I want to solve the coding test problem, find out how to solve it differently from the retrospective of the problem I solved, and get to know.

Let’s get to the problem first.

Problem

It is easy to arrange an array. Given a number, let’s arrange each digit of the number in descending order.

Input

The number N that you want to sort is given in the first line. N is a natural number less than or equal to 1,000,000,000.

Output

Outputs the number of digits arranged in descending order on the first line.

problem solving

import java.io.*;
import java.util.*;

class Main {
    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        String input = br.readLine();
        br.close();

        char[] charArray = input.toCharArray();
        Arrays.sort(charArray);

        StringBuilder sb = new StringBuilder(new String(charArray));
        System.out.println(sb.reverse());
    }
}

Solution Description

First, use BufferedReader to receive a single line of string from the user.

After the input is finished, call br.close() to close the input stream.

After that, convert the entered string into a character array.

This allows you to manipulate individual characters in a string.

Next, use Arrays.sort() to arrange the character arrangements in ascending order.

In this process, the alphabet and numbers are sorted in dictionary order.

For example, if the input is “3142”, it becomes “1234” after sorting, and if you type “dcba”, it becomes “abcd”.

Subsequently, the aligned character arrangement is transformed into a string and then wrapped using the StringBuilder object.

The reason you use StringBuilder is that you can manipulate strings efficiently.

Finally, we flip the string using StringBuilder’s reverse() method and output it through System.out.println().

For example, “abcd” is converted to “dcba”, and “1234” is converted to “4321” when a number is entered.

The overall flow of this code is to convert a string into a character array, perform ascending sort, convert it into descending order using StringBuilder, and output it.

This can be useful for sorting numbers and alphabetic strings in descending order.