其他分享
首页 > 其他分享> > 每日LeetCode一道题————螺旋矩阵

每日LeetCode一道题————螺旋矩阵

作者:互联网

每日一题

题目说明

59.螺旋矩阵 II
给你一个正整数 n ,生成一个包含 1 到 n2 所有元素,且元素按顺时针顺序螺旋排列的 n x n 正方形矩阵 matrix 。

示例 1:
图源来自LeetCode
输入:n = 3
输出:[[1,2,3],[8,9,4],[7,6,5]]

示例 2:
输入:n = 1
输出:[[1]]

算法思路

模拟(按层模拟):

  1. 定义四个指针left,right,top,bottom分别指向矩阵四角,具体如图所示:
    图源来自LeetCode
  2. 定义一个数字num初始值为1。
  3. 然后按照螺旋状依次把num值输入,然后num++。

代码实现

class Solution 
{
public:
    vector<vector<int>> generateMatrix(int n)
    {
        int num = 1;
        vector<vector<int>> ans(n, vector<int>(n));
        int left = 0, right = n - 1, top = 0, bottom = n - 1;
        while (left <= right && top <= bottom)
        {
            for (int i = left; i <= right; i++)
            {
                ans[top][i] = num++;
            }
            for (int j = top + 1; j <= bottom; j++)
            {
                ans[j][right] = num++;
            }
            if (left < right && top < bottom)
            {
                for (int i = right - 1; i > left; i--)
                {
                    ans[bottom][i] = num++;
                }
                for (int j = bottom; j > top; j--)
                {
                    ans[j][left] = num++;
                }
            }
            left++;
            right--;
            top++;
            bottom--;
        }
        return ans;
    }
};

复杂度分析

标签:right,螺旋,int,top,矩阵,++,num,LeetCode,left
来源: https://blog.csdn.net/lsz20000813/article/details/121251731