import java.util.*;
public class Solution {
    public ArrayList<Integer> spiralOrder(int[][] matrix) {
        ArrayList<Integer> array = new ArrayList<>();
        if(matrix.length==0)          //要在获取矩阵属性前判断是否为空
            return array;
        int row = matrix.length;//行数
        int col = matrix[0].length;//列数
        int top = 0, bottom = row-1;
        int left = 0,right = col - 1;
      //当行和列为技术时,要让从上向下和从左向右的多加一
        while(top<(row+1)/2&&left<(col+1)/2){
            for(int i=left;i<=right;i++){
                array.add(matrix[top][i]);
            }
            for(int i=top+1;i<=bottom;i++){
                array.add(matrix[i][right]);
            }
          //从下向上找时,要避免bottom与top相同
            for(int i=right-1;top!=bottom && i>=left;i--){
                array.add(matrix[bottom][i]);
            }
          //从右向左找时,要避免left与right相同
            for(int i=bottom-1;left!=right&&i>=top+1;i--){
                array.add(matrix[i][left]);
            }
            top++;
            left++;
            right--;
            bottom--;
        }
        return array;
    }
}