标签:坐标 http info 形式 ++ 范围 nts png str
题目链接:https://leetcode.com/problems/spiral-matrix/description/
Given a matrix of m x n elements (m rows, n columns), return all elements of the matrix in spiral order.
Example 1:
Input: [ [ 1, 2, 3 ], [ 4, 5, 6 ], [ 7, 8, 9 ] ] Output: [1,2,3,6,9,8,7,4,5]
Example 2:
Input: [ [1, 2, 3, 4], [5, 6, 7, 8], [9,10,11,12] ] Output: [1,2,3,4,8,12,11,10,9,5,6,7]
思路:
为了便于分析,将每次扫描矩阵边的四个角分别命名为:left_Up、right_Up、right_Down、left_Down;
注意:在循环遍历过程中也要判断元素个数,确定是否遍历完成;因为可能最后一次遍历只有四个方向的遍历(left_Up->right_Up->right_Down->left_Down->left_Up......)中的某几个方向,即一次不完整的遍历。
编码如下:
1 class Solution { 2 public: 3 vector<int> spiralOrder(vector<vector<int>>& matrix) { 4 vector<int> ivtr; 5 if (matrix.size() == 0) 6 { 7 return ivtr; 8 } 9 10 int m = matrix.size(); // 矩阵行 11 int n = matrix[0].size(); // 矩阵列 12 13 int i = 0, j = 0; // (i, j) 14 int loop = min(m, n) / 2 + min(m, n) % 2; 15 16 while (loop-- > 0) 17 { 18 int left_Up = 0, right_Up = n - j, right_Down = m - i, left_Down = 0; 19 // 左上角到右上角遍历 20 for (left_Up = j; left_Up < right_Up && ivtr.size() < m * n; ++left_Up) 21 { 22 ivtr.push_back(matrix[i][left_Up]); 23 } 24 left_Up--; 25 26 27 // 右上角到右下角遍历 28 for (right_Up = i + 1; right_Up < right_Down && ivtr.size() < m * n; ++right_Up) 29 { 30 ivtr.push_back(matrix[right_Up][left_Up]); 31 } 32 right_Up--; 33 34 35 // 从右下角到左下角遍历 36 for (right_Down = left_Up - 1; right_Down >= j && ivtr.size() < m * n; --right_Down) 37 { 38 ivtr.push_back(matrix[right_Up][right_Down]); 39 } 40 right_Down++; 41 42 // 从左下角到左上角遍历 43 ++i; 44 for (left_Down = right_Up - 1; left_Down >= i && ivtr.size() < m * n; --left_Down) 45 { 46 ivtr.push_back(matrix[left_Down][right_Down]); 47 } 48 ++j; 49 50 } 51 52 return ivtr; 53 } 54 };
标签:坐标 http info 形式 ++ 范围 nts png str
原文地址:https://www.cnblogs.com/ming-1012/p/9968810.html