编程题--数组,请你编写一个函数,返回该数组排序后
示例1
[5,2,3,1,4]
[1,2,3,4,5]
示例2
[5,1,6,2,5]
[1,2,5,5,6]
备注:
数组的长度不大于100000,数组中每个数的绝对值不超过10^9109
import java.util.*;
public class Solution {
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
* 将给定数组排序
* @param arr int整型一维数组 待排序的数组
* @return int整型一维数组
*/
public int[] MySort (int[] arr) {
// write code here
LinkedList<Integer> sortedList = new LinkedList<Integer>();
for(int i=0;i<arr.length;i++){
int t = arr[i];
if(sortedList.size()==0){
sortedList.add(t);
continue;
}else{
int m = sortedList.size();
for(int n=0;n<m;n++){
if(t>sortedList.get(n) && n == (m-1)){
sortedList.add(t);
}else if(t<=sortedList.get(n)){
sortedList.add(n,t);
break;
}
continue;
}
}
}
int[] result = new int[5];
for(int n=0;n<sortedList.size();n++){
result[n] = sortedList.get(n);
}
return result;
}
}