golang力扣leetcode 2245.转角路径的乘积中最多能有几个尾随零

简介: golang力扣leetcode 2245.转角路径的乘积中最多能有几个尾随零

2245.转角路径的乘积中最多能有几个尾随零

2245.转角路径的乘积中最多能有几个尾随零

题解

题目:只能转一次,求路径中每个元素相乘的结果有几个零

思路:

  1. 正数的乘积结果中尾 0 的个数由乘数中 因子 2,5 的个数中较小的决定,即 尾随零=min(num2,num5)
  2. 路径要么是横,竖,要么是UL,UR,DL,DR
  3. 用前缀和维护每一行和每一列因子 22 与因子 55 的数量
  4. 枚举拐点(i,j)计算答案

代码

func maxTrailingZeros(grid [][]int) int {
  //初始化
  n := len(grid)
  m := len(grid[0])
  factor := make([][]pair, n+1) //2和5的数量
  x := make([][]pair, n+1)      //列 x
  y := make([][]pair, n+1)      //行 y
  for i := 0; i <= len(grid); i++ {
    factor[i] = make([]pair, m+1)
    x[i] = make([]pair, m+1)
    y[i] = make([]pair, m+1)
  }
  //计算前缀和
  for i := 1; i <= n; i++ {
    for j := 1; j <= m; j++ {
      factor[i][j] = getRes(grid[i-1][j-1])
      x[i][j].two = x[i-1][j].two + factor[i][j].two
      x[i][j].five = x[i-1][j].five + factor[i][j].five
      y[i][j].two = y[i][j-1].two + factor[i][j].two
      y[i][j].five = y[i][j-1].five + factor[i][j].five
    }
  }
  //计算答案
  ans := 0
  for i := 1; i <= n; i++ {
    for j := 1; j <= m; j++ {
      upAndLeft := min(x[i][j].two+y[i][j].two-factor[i][j].two, x[i][j].five+y[i][j].five-factor[i][j].five)
      upAndRight := min(x[i][j].two+y[i][m].two-y[i][j].two, x[i][j].five+y[i][m].five-y[i][j].five)
      downAndLeft := min(x[n][j].two+y[i][j].two-x[i][j].two, x[n][j].five+y[i][j].five-x[i][j].five)
      downAndRight := min(x[n][j].two+y[i][m].two-x[i-1][j].two-y[i][j].two, x[n][j].five+y[i][m].five-x[i-1][j].five-y[i][j].five)
      ans = max(ans, upAndLeft)
      ans = max(ans, upAndRight)
      ans = max(ans, downAndLeft)
      ans = max(ans, downAndRight)
    }
  }
  return ans
}
func getRes(val int) pair {
  two, five := 0, 0
  a, b := val, val
  for a%2 == 0 && a != 0 {
    a /= 2
    two++
  }
  for b%5 == 0 && b != 0 {
    b /= 5
    five++
  }
  return pair{two: two, five: five}
}
func min(i, j int) int {
  if i > j {
    return j
  }
  return i
}
func max(i, j int) int {
  if i > j {
    return i
  }
  return j
}


目录
相关文章
|
1月前
【LeetCode 35】112.路径总和
【LeetCode 35】112.路径总和
22 0
|
1月前
【LeetCode 36】113.路径总和II
【LeetCode 36】113.路径总和II
27 0
|
3月前
|
机器人 Python
【Leetcode刷题Python】62. 不同路径
LeetCode 62题 "不同路径" 的Python解决方案,使用动态规划算法计算机器人从网格左上角到右下角的所有可能路径数量。
68 0
|
28天前
|
程序员 C语言
【C语言】LeetCode(力扣)上经典题目
【C语言】LeetCode(力扣)上经典题目
|
1月前
【LeetCode 34】257.二叉树的所有路径
【LeetCode 34】257.二叉树的所有路径
11 0
|
1月前
|
索引
力扣(LeetCode)数据结构练习题(3)------链表
力扣(LeetCode)数据结构练习题(3)------链表
72 0
|
1月前
力扣(LeetCode)数据结构练习题(2)
力扣(LeetCode)数据结构练习题(2)
28 0
|
1月前
|
存储
力扣(LeetCode)数据结构练习题
力扣(LeetCode)数据结构练习题
50 0
|
3月前
|
存储 Python
【Leetcode刷题Python】64. 最小路径和
一种使用动态规划解决LeetCode上64题“最小路径和”的Python实现方法,通过维护一个一维数组来计算从网格左上角到右下角的最小路径总和。
32 1
【Leetcode刷题Python】64. 最小路径和
|
3月前
|
存储 算法 Linux
LeetCode第71题简化路径
文章讲述了LeetCode第71题"简化路径"的解题方法,利用栈的数据结构特性来处理路径中的"."和"..",实现路径的简化。
LeetCode第71题简化路径