Supercover DDA算法

时间:2013-09-18 20:10:17

标签: algorithm

我正在试图弄清楚如何制作一个超级DDA算法。或者换句话说,DDA算法将覆盖由线穿过的所有网格点。见下图。

图像是由我绘制的,可能不是100%准确但它显示了一般的想法。我还想注意图像下半部分的例子没有整数开始和结束坐标,这是必要的。

如果您需要知道,我打算将其用于视线射线投射。

我能够实现典型的DDA算法,但我的问题是,如何修改它以涵盖所有点?

谢谢!

我目前在Lua中实现DDA算法

function dline(x0,y0, x1,y1) -- floating point input
  local dx = x1-x0
  local dy = y1-y0

  local s = math.max(math.abs(dx),math.abs(dy))

  dx = dx/s
  dy = dy/s

  local x = x0
  local y = y0
  local i = 0
  return function() -- iterator intended for a for loop
    if i <= s then
      local rx,ry = x,y
      x = x+dx
      y = y+dy
      i = i+1
      return rx,ry
    end
  end
end

2 个答案:

答案 0 :(得分:3)

抱歉,我不经常提问,主要是因为我不是那么好。但我会告诉你我擅长的是什么!解决我自己的问题! :d

作为一个注释,我的问题中的图像显示了线条穿过对角线,如果线条精确地通过一个点,这个算法没有,但经过一番思考后,穿越对角线对我来说是不可取的。

感谢我发现的this文章。

这是新的实现

function line(x0,y0, x1,y1)
  local vx,vy = x1-x0, y1-y0           -- get the differences
  local dx = math.sqrt(1 + (vy/vx)^2)  -- length of vector <1, slope>
  local dy = math.sqrt(1 + (vx/vy)^2)  -- length of vector <1/slope, 1>

  local ix,iy = math.floor(x0), math.floor(y0) -- initialize starting positions
  local sx,ex -- sx is the increment direction
              -- ex is the distance from x0 to ix
  if vx < 0 then
    sx = -1
    ex = (x0-ix) * dx
  else
    sx = 1
    ex = (ix + 1-x0) * dx -- subtract from 1 instead of 0
                          -- to make up for flooring ix
  end

  local sy,ey
  if vy < 0 then
    sy = -1
    ey = (y0-iy) * dy
  else
    sy = 1
    ey = (iy + 1-y0) * dy
  end

  local done = false
  local len  = math.sqrt(vx^2 + vy^2)
  return function()
    if math.min(ex,ey) <= len then
      local rx,ry = ix,iy
      if ex < ey then
        ex = ex + dx
        ix = ix + sx
      else
        ey = ey + dy
        iy = iy + sy
      end
      return rx,ry
    elseif not done then -- return the final two coordinates
      done = true
      return ix,iy
    end
  end
end

答案 1 :(得分:1)

只需在相邻的正方形上添加一些检查,就可以在与普通dda算法相同的时间内完成复制。