java - Sorting characters inside String -
i'm trying sort characters alphabetically in string , when run code following example: hello
, get: heeeeeeeeeheeeelheeellhee
instead of ehllo
. smb suggest me should fix in code? in advance!
public static void main(string[] args) { string result = ""; scanner kbd = new scanner(system.in); string input = kbd.nextline(); char[] myarray = input.tochararray(); for(int = 0; < myarray.length; i++) for(int j = 0; j < myarray.length; j++) { if(myarray[i] > myarray[j]) { char temp = myarray[j]; myarray[j] = myarray[i]; myarray[i] = temp; result += myarray[i]; } else result += myarray[i]; } system.out.println(result); }
on each iteration of loop, appending character @ i
within array result
, array not sorted yet
the loop perform n * (n - 1)
loops, so, string
of 5 characters, that's going 5 * (5 - 1)
(or 20) iterations.
instead, sort array , create new string
based on it's content...
string input = "hello"; char[] myarray = input.tochararray(); (int = 0; < myarray.length; i++) { (int j = 1; j < myarray.length; j++) { if (myarray[i] > myarray[j]) { char temp = myarray[j]; myarray[j] = myarray[i]; myarray[i] = temp; } } } system.out.println(new string(myarray));
also note, for (int j = 0; j < myarray.length; j++) {
wrong , should for (int j = 1; j < myarray.length; j++) {
, otherwise you'll comparing same character @ same position, isn't want do...
a more "accurate" bubble sort might like...
for (int = 0; < (myarray.length - 1); i++) { (int j = 0; j < myarray.length - - 1; j++) { if (myarray[j] > myarray[j + 1]) { char swap = myarray[j]; myarray[j] = myarray[j + 1]; myarray[j + 1] = swap; } } }
Comments
Post a Comment