[java] Java에서 배열 배열을 만드는 방법

가정적으로 5 개의 문자열 배열 객체가 있습니다.

String[] array1 = new String[];
String[] array2 = new String[];
String[] array3 = new String[];
String[] array4 = new String[];
String[] array5 = new String[];

다른 배열 개체에 5 개의 문자열 배열 개체를 포함하고 싶습니다. 어떻게하나요? 다른 배열에 넣을 수 있습니까?



답변

이렇게 :

String[][] arrays = { array1, array2, array3, array4, array5 };

또는

String[][] arrays = new String[][] { array1, array2, array3, array4, array5 };

(후자의 구문은 변수 선언 지점 이외의 할당에 사용할 수 있지만 더 짧은 구문은 선언에서만 작동합니다.)


답변

시험

String[][] arrays = new String[5][];


답변

방법을 알려주는 두 가지 훌륭한 답변이 있지만 다른 답변이 누락 된 것 같습니다. 대부분의 경우 전혀하지 말아야합니다.

배열은 번거 롭습니다. 대부분의 경우 Collection API를 사용하는 것이 좋습니다 .

컬렉션을 사용하면 요소를 추가 및 제거 할 수 있으며 다양한 기능 (인덱스 기반 조회, 정렬, 고유성, FIFO 액세스, 동시성 등)에 대한 특수 컬렉션이 있습니다.

물론 Array와 그 사용법에 대해 아는 것이 좋고 중요하지만 대부분의 경우 Collections를 사용하면 API를 훨씬 더 쉽게 관리 할 수 ​​있습니다 (이것이 Google Guava 와 같은 새로운 라이브러리가 Arrays를 거의 사용하지 않는 이유입니다 ).

따라서 귀하의 시나리오에서는 List of Lists를 선호하고 Guava를 사용하여 생성합니다.

List<List<String>> listOfLists = Lists.newArrayList();
listOfLists.add(Lists.newArrayList("abc","def","ghi"));
listOfLists.add(Lists.newArrayList("jkl","mno","pqr"));


답변

Sean Patrick Floyd와 함께했던 주석에서 언급 한 클래스가 있습니다. WeakReference가 필요한 특이한 사용으로 수행했지만 어떤 객체로도 쉽게 변경할 수 있습니다.

이것이 언젠가 누군가를 도울 수 있기를 바랍니다. 🙂

import java.lang.ref.WeakReference;
import java.util.LinkedList;
import java.util.NoSuchElementException;
import java.util.Queue;


/**
 *
 * @author leBenj
 */
public class Array2DWeakRefsBuffered<T>
{
    private final WeakReference<T>[][] _array;
    private final Queue<T> _buffer;

    private final int _width;

    private final int _height;

    private final int _bufferSize;

    @SuppressWarnings( "unchecked" )
    public Array2DWeakRefsBuffered( int w , int h , int bufferSize )
    {
        _width = w;
        _height = h;
        _bufferSize = bufferSize;
        _array = new WeakReference[_width][_height];
        _buffer = new LinkedList<T>();
    }

    /**
     * Tests the existence of the encapsulated object
     * /!\ This DOES NOT ensure that the object will be available on next call !
     * @param x
     * @param y
     * @return
     * @throws IndexOutOfBoundsException
     */public boolean exists( int x , int y ) throws IndexOutOfBoundsException
    {
        if( x >= _width || x < 0 )
        {
            throw new IndexOutOfBoundsException( "Index out of bounds (get) : [ x = " + x + "]" );
        }
        if( y >= _height || y < 0 )
        {
            throw new IndexOutOfBoundsException( "Index out of bounds (get) : [ y = " + y + "]" );
        }
        if( _array[x][y] != null )
        {
            T elem = _array[x][y].get();
            if( elem != null )
            {
            return true;
            }
        }
        return false;
    }

    /**
     * Gets the encapsulated object
     * @param x
     * @param y
     * @return
     * @throws IndexOutOfBoundsException
     * @throws NoSuchElementException
     */
    public T get( int x , int y ) throws IndexOutOfBoundsException , NoSuchElementException
    {
        T retour = null;
        if( x >= _width || x < 0 )
        {
            throw new IndexOutOfBoundsException( "Index out of bounds (get) : [ x = " + x + "]" );
        }
        if( y >= _height || y < 0 )
        {
            throw new IndexOutOfBoundsException( "Index out of bounds (get) : [ y = " + y + "]" );
        }
        if( _array[x][y] != null )
        {
            retour = _array[x][y].get();
            if( retour == null )
            {
            throw new NoSuchElementException( "Dereferenced WeakReference element at [ " + x + " ; " + y + "]" );
            }
        }
        else
        {
            throw new NoSuchElementException( "No WeakReference element at [ " + x + " ; " + y + "]" );
        }
        return retour;
    }

    /**
     * Add/replace an object
     * @param o
     * @param x
     * @param y
     * @throws IndexOutOfBoundsException
     */
    public void set( T o , int x , int y ) throws IndexOutOfBoundsException
    {
        if( x >= _width || x < 0 )
        {
            throw new IndexOutOfBoundsException( "Index out of bounds (set) : [ x = " + x + "]" );
        }
        if( y >= _height || y < 0 )
        {
            throw new IndexOutOfBoundsException( "Index out of bounds (set) : [ y = " + y + "]" );
        }
        _array[x][y] = new WeakReference<T>( o );

        // store local "visible" references : avoids deletion, works in FIFO mode
        _buffer.add( o );
        if(_buffer.size() > _bufferSize)
        {
            _buffer.poll();
        }
    }

}

사용 방법의 예 :

// a 5x5 array, with at most 10 elements "bufferized" -> the last 10 elements will not be taken by GC process
Array2DWeakRefsBuffered<Image> myArray = new Array2DWeakRefsBuffered<Image>(5,5,10);
Image img = myArray.set(anImage,0,0);
if(myArray.exists(3,3))
{
    System.out.println("Image at 3,3 is still in memory");
}


답변