其他分享
首页 > 其他分享> > leetcode54. 螺旋矩阵

leetcode54. 螺旋矩阵

作者:互联网

给定一个包含 m x n 个元素的矩阵(m 行, n 列),请按照顺时针螺旋顺序,返回矩阵中的所有元素。

示例 1:
输入:
[
[ 1, 2, 3 ],
[ 4, 5, 6 ],
[ 7, 8, 9 ]
]
输出: [1,2,3,6,9,8,7,4,5]

示例 2:
输入:
[
[1, 2, 3, 4],
[5, 6, 7, 8],
[9,10,11,12]
]
输出: [1,2,3,4,8,12,11,10,9,5,6,7]

思路:一层一层的遍历就好了,注意这里的层是指二维数组从外到内的每一圈,层数是row/2(数组行数的一半),然后从左上角开始顺时针遍历这个层(遍历四条边),注意这里每个元素的索引值,然后为了防止这个二维数组只有一行的情况,需要在压入层的每一条边之后就要判断是否遍历完整个二维数组,如果遍历完成就直接退出,目标vector就已经拿到了所有的值。

class Solution {
public:
    vector<int> spiralOrder(vector<vector<int>>& matrix) {
        vector<int> vecRes;
        if(matrix.empty())
            return vecRes;
        int row = matrix.size();
        int col = matrix[0].size();
        int i=0,total = row*col;
        while(i<=row/2)
        {
            int m=i;
            int n=i;
            int temp=i;
            while(n<=col-temp-1)
            {
                vecRes.push_back(matrix[m][n]);
                n++;
            }
            if(vecRes.size() == total)
                    break;
            n--;
            m++;
            while(m<=row-temp-1)
            {
                vecRes.push_back(matrix[m][n]);
                m++;
            }
            if(vecRes.size() == total)
                    break;
            m--;
            n--;
            while(n>=temp)
            {
                vecRes.push_back(matrix[m][n]);
                n--;
            }
            if(vecRes.size() == total)
                    break;
            n++;
            m--;
            while(m>temp)
            {
                vecRes.push_back(matrix[m][n]);
                m--;
            }
            i++;
        }
        return vecRes;
    }
};

标签:leetcode54,遍历,matrix,螺旋,int,vecRes,矩阵,vector,row
来源: https://blog.csdn.net/weixin_43498985/article/details/88977168