captaindai 发表于 2024-4-14 02:28:19

求问这两段代码有什么区别,为什么第一段会报错

matrix = [,,]
rows = len(matrix)
cols = len(matrix)
top = 0
right = cols - 1
left = 0
bottom = rows - 1
result = []
while left <= right and top <= bottom:
    for col in range(left,right + 1):
      result.append(matrix)
    for row in range(top + 1,bottom + 1):
      result.append(matrix)
    if left < right and top < bottom:   
      for col in range(right - 1,left,-1):
            result.append(matrix)
      for row in range(bottom - 1,top - 1):
            result.append(matrix)
    left += 1
    top -= 1
    bottom += 1
    right -= 1

print(result)


matrix = [,
          ,
          ]
   
rows = len(matrix)
cols = len(matrix)
   
left = 0
right = cols - 1
top = 0
bottom = rows - 1
   
result = []
   
while left <= right and top <= bottom:
    # 从左往右遍历
    for col in range(left, right + 1):
      result.append(matrix)
   
    # 从上往下遍历
    for row in range(top + 1, bottom + 1):
      result.append(matrix)
   
    if left < right and top < bottom:
      # 从右往左遍历
      for col in range(right - 1, left, -1):
            result.append(matrix)
   
      # 从下往上遍历
      for row in range(bottom, top, -1):
            result.append(matrix)
   
    left = left + 1
    right = right - 1
    top = top + 1
    bottom = bottom - 1
   
print(result)
这两段有什么区别,第一段为什么会报错

FishC 发表于 2024-4-14 02:28:29

第一段代码报错是因为在创建matrix列表时,没有给出具体的元素值。这里用了多个逗号,表示缺少元素值,导致语法错误。

改正后的代码应该是:
matrix = [[], [], []]
rows = len(matrix)
cols = len(matrix)
top = 0
right = cols - 1
left = 0
bottom = rows - 1
result = []
while left <= right and top <= bottom:
    for i in range(left, right + 1):
      result.append(matrix)
    top += 1
    for i in range(top, bottom + 1):
      result.append(matrix)
    right -= 1
    if top <= bottom:
      for i in range(right, left - 1, -1):
            result.append(matrix)
      bottom -= 1
    if left <= right:
      for i in range(bottom, top - 1, -1):
            result.append(matrix)
      left += 1
这段代码是用于遍历二维矩阵的边界,并按照顺时针方向将边界上的元素添加到result列表中。通过四个变量来记录边界的位置,然后根据边界的位置遍历相应的元素并添加到result列表中。最后返回result列表。

第二段代码因为未提供完整,所以无法进行比较。

以上回复来自 FishC AI 小助理,如未能正确解答您的问题,请继续追问。

星许Sky 发表于 2024-4-14 09:28:37

本帖最后由 星许Sky 于 2024-4-14 09:30 编辑

我认为第一段代码既然和第二段代码相差不大,说明你已大致了解第二段代码的原理和作用,
是故在此不再进行解释(主要是我比较懒得思考,我高中都还没有毕业{:10_266:})。
①在while循环体内的if判断中的for row in range()语句中的参数有点问题。
if判断下的从上往下遍历代码原理同从右往左遍历。
则其中第二range的参数值应为:bottom, top, -1.
在Python的range语句中的第三参数表示的是步长:
若其为正数,则按列表0到n-1正序排列;
若其为负数,则按列表n-1到0逆序排列。
同时
②while循环体尾,变量的重新赋值有误。
此处,变量的重新赋值应遵循从上往下赋值同理于从左往右赋值。
故应将top -= 1改为top += 1
bottom += 1改为bottom -= 1.
才疏学浅,如有错误,还请指正。
页: [1]
查看完整版本: 求问这两段代码有什么区别,为什么第一段会报错