sort by alphabetical order java code example
Example 1: java sort string characters alphabetically
// java sort string characters alphabetically
import java.util.Arrays;
public class CharactersAlphabetically
{
public static void main(String[] args)
{
String strInput = "flowerbrackets";
// converting string to char array
char[] ch = strInput.toCharArray();
// sorting char array
Arrays.sort(ch);
// converting char array to string
String strSorted = String.valueOf(ch);
System.out.println("sort string characters alphabetically: " + strSorted);
}
}
Example 2: Java program to sort names in an alphabetical order
import java.util.Scanner;
public class SortNamesAlphabeticalOrder
{
public static void main(String[] args)
{
int number;
String str;
Scanner sc1 = new Scanner(System.in);
System.out.println("Please enter number of strings: ");
number = sc1.nextInt();
String[] names = new String[number];
Scanner sc2 = new Scanner(System.in);
System.out.println("Enter all strings: ");
for(int a = 0; a < number; a++)
{
names[a] = sc2.nextLine();
}
for(int a = 0; a < number; a++)
{
for(int b = a + 1; b < number; b++)
{
// java alphabetical sort
if(names[a].compareTo(names[b]) > 0)
{
str = names[a];
names[a] = names[b];
names[b] = str;
}
}
}
System.out.println("After sorting names in an alphabetical order: ");
for(int a = 0; a < number - 1; a++)
{
System.out.println(names[a] + ", ");
}
System.out.print(names[number - 1]);
sc1.close();
sc2.close();
}
}
Example 3: java sort list alphabetically
Assuming that those are Strings, use the convenient static method sort…
java.util.Collections.sort(listOfCountryNames)
Example 4: string sorting in java
public class ArrayReturn3 {
public static String[] sortNames(String[] userNames) {
String temp;
for (int i = 0; i < userNames.length; i++) {
for (int j = i + 1; j < userNames.length; j++) {
if (userNames[i].compareTo(userNames[j]) > 0) {
temp = userNames[i];
userNames[i] = userNames[j];
userNames[j] = temp;
}
}
}
return userNames;
}
public static void main(String[] args) {
String[] names = {"Ram", "Mohan", "Sohan", "Rita", "Anita", "Nita", "Shyam", "Mukund"};
System.out.println("Names before sort");
for (String n : names) {
System.out.print(" " + n);
}
String[] sortedNames = sortNames(names);
System.out.println("\nNames after sort (Sent name)");
for (String n : names) {
System.out.print(" " + n);
}
System.out.println("\nNames after sort (Received name)");
for (String n : sortedNames) {
System.out.print(" " + n);
}
}
}