美文网首页
Leetcode_566 Reshape the Matrix

Leetcode_566 Reshape the Matrix

作者: vcancy | 来源:发表于2018-04-20 17:23 被阅读0次

    在MATLAB中,有一个非常有用的函数 reshape,它可以将一个矩阵重塑为另一个大小不同的新矩阵,但保留其原始数据。

    给出一个由二维数组表示的矩阵,以及两个正整数r和c,分别表示想要的重构的矩阵的行数和列数。

    重构后的矩阵需要将原始矩阵的所有元素以相同的行遍历顺序填充。

    如果具有给定参数的reshape操作是可行且合理的,则输出新的重塑矩阵;否则,输出原始矩阵。

    示例 1:

    输入:
    nums =
    [[1,2],
    [3,4]]
    r = 1, c = 4
    输出:
    [[1,2,3,4]]
    解释:
    行遍历nums的结果是 [1,2,3,4]。新的矩阵是 1 * 4 矩阵, 用之前的元素值一行一行填充新矩阵。
    示例 2:

    输入:
    nums =
    [[1,2],
    [3,4]]
    r = 2, c = 4
    输出:
    [[1,2],
    [3,4]]
    解释:
    没有办法将 2 * 2 矩阵转化为 2 * 4 矩阵。 所以输出原矩阵。
    注意:

    给定矩阵的宽和高范围在 [1, 100]。
    给定的 r 和 c 都是正数。

    """

    分析:
    给的r 和 c 能不能用来塑造一个2d array。比较一下总数就可以了。

    遍历二维数组,每c个数值添加到一个1维数组中,再将这个1维数组添加到数组中。

    """

    class Solution:
        def matrixReshape(self, nums, r, c):
            """
            :type nums: List[List[int]]
            :type r: int
            :type c: int
            :rtype: List[List[int]]
            """
            index = 0
            temp = []
            res = []
            if len(nums) * len(nums[0]) != r * c:
                return nums
    
            for i in nums:
                for j in i:
                    if index < c:
                        temp.append(j)
                        index += 1
                    if index==c:
                        res.append(temp)
                        temp = []
                        index = 0
            return res
    

    相关文章

      网友评论

          本文标题:Leetcode_566 Reshape the Matrix

          本文链接:https://www.haomeiwen.com/subject/bpjzkftx.html