Skip to content

Latest commit

 

History

History
64 lines (48 loc) · 1.82 KB

661-image-smoother.md

File metadata and controls

64 lines (48 loc) · 1.82 KB

661. Image Smoother - 图片平滑器

包含整数的二维矩阵 M 表示一个图片的灰度。你需要设计一个平滑器来让每一个单元的灰度成为平均灰度 (向下舍入) ,平均灰度的计算是周围的8个单元和它本身的值求平均,如果周围的单元格不足八个,则尽可能多的利用它们。

示例 1:

输入:
[[1,1,1],
 [1,0,1],
 [1,1,1]]
输出:
[[0, 0, 0],
 [0, 0, 0],
 [0, 0, 0]]
解释:
对于点 (0,0), (0,2), (2,0), (2,2): 平均(3/4) = 平均(0.75) = 0
对于点 (0,1), (1,0), (1,2), (2,1): 平均(5/6) = 平均(0.83333333) = 0
对于点 (1,1): 平均(8/9) = 平均(0.88888889) = 0

注意:

  1. 给定矩阵中的整数范围为 [0, 255]。
  2. 矩阵的长和宽的范围均为 [1, 150]。

题目标签:Array

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
python3 980 ms N/A
class Solution:
    def imageSmoother(self, M):
        """
        :type M: List[List[int]]
        :rtype: List[List[int]]
        """
        res = [[None] * len(M[0]) for _ in range(len(M))]
        for i in range(len(M)):
            for j in range(len(M[0])):
                tmp = []
                for x in (-1, 0, 1):
                    for y in (-1, 0, 1):
                        if 0 <= i + x < len(M) and 0 <= j + y < len(M[0]):
                            tmp.append(M[i+x][j+y])
                res[i][j] = sum(tmp) // len(tmp)
        return res