删除和添加项目到数组?

时间:2014-10-28 02:00:41

标签: java arrays

我正在尝试编写一个接收数字数组的方法。如果数组中有任何零,它将添加另一个零,但数组必须保持相同的长度,以便从新数组中删除最后一个数字。这是我开始做的事情,但我认为它不会发生在任何地方。

public static int[] MoveToRightOne(int userArray[] ) 
{ 
    int newArray [] = new int[userArray.length + 1]; 
    int zero = 0; 
    for(int i = 0; i < userArray.length; i++) 
    { 
        if (userArray[i] == 0) 
            zero = zero + 1; 
        newArray[i + zero] = userArray[i - 1]; 
    } 

    return(userArray); 
}

2 个答案:

答案 0 :(得分:0)

我认为这会做你想做的事情

public static int[] MoveToRightOne(int userArray[] ) {
    // the new array will have the same length as the input 
    int newArray [] = new int[userArray.length]; 
    // two indexes i for the input and j for the output
    int i = 0, j = 0;
    while(j < userArray.length){ // while it's not the end of the output
        // we insert the element
        newArray[j] = userArray[i];
        if(userArray[i] == 0){ // if the current element is a 0
            // we insert an additional 0
            j ++;
            if(j < userArray.length)
                newArray[j] = 0;
        }
        // increment indexes
        i ++;
        j ++;
    }
    return newArray; 
}

答案 1 :(得分:0)

以下代码将用于您的目的

public static int[] MoveToRightOne(int userArray[] ) { 
    int newArray [] = new int[userArray.length];
    for(int i = 0, j = 0;j < userArray.length;i++,j++){
        newArray[j] = userArray[i];
        if(userArray[i] == 0 && j+1 < userArray.length){
            j ++;
            newArray[j] = 0;
        }
    }  
    return(newArray); 
}