How do I offset a grid function?

I am using this grid function to snap locations to a grid:

 function BuildFunctions.SnapToGrid(pos, size)
	return Vector3.new(math.round(pos.X / GRID_SIZE), math.round(pos.Y / GRID_SIZE), math.round(pos.Z / GRID_SIZE)) * GRID_SIZE
 end

(in this case GRID_SIZE is two but that shouldn’t matter as its just how many studs per grid unit)

this snaps everything to even intervals, for example (1.5, 3.2, 2) becomes (2, 4, 2). I have been wracking my brain for some way to convert this to snap to odd for about an hour with 0 luck. I need a way to do it without offset, this means adding GRID_SIZE/2 to the end position doesn’t work because that skews the output and doesn’t find the nearest odd coordinate. If I plug (1.5, 3.2, 2) into the odd snap function it should return (1, 3, 3) as those are the nearest odd cords.

3 Likes

i hope this work

function BuildFunctions.SnapToGridWithOffset(pos, offset)
    return Vector3.new(
        math.round((pos.X - offset.X) / GRID_SIZE) * GRID_SIZE + offset.X,
        math.round((pos.Y - offset.Y) / GRID_SIZE) * GRID_SIZE + offset.Y,
        math.round((pos.Z - offset.Z) / GRID_SIZE) * GRID_SIZE + offset.Z
    )
end


3 Likes

This should work

function BuildFunctions.SnapToGrid(pos, size)
    return Vector3.new(
        math.round(pos.X / GRID_SIZE) * GRID_SIZE + (math.round(pos.X / GRID_SIZE) % 2 == 0 and GRID_SIZE or 0),
        math.round(pos.Y / GRID_SIZE) * GRID_SIZE + (math.round(pos.Y / GRID_SIZE) % 2 == 0 and GRID_SIZE or 0),
        math.round(pos.Z / GRID_SIZE) * GRID_SIZE + (math.round(pos.Z / GRID_SIZE) % 2 == 0 and GRID_SIZE or 0)
    )
end
2 Likes
function BuildFunctions.SnapToOddGrid(pos, size)
    local snapped = Vector3.new(
        math.round(pos.X / GRID_SIZE),
        math.round(pos.Y / GRID_SIZE),
        math.round(pos.Z / GRID_SIZE)
    ) * GRID_SIZE

    local function make_odd(n)
        return n % 2 == 0 and n - GRID_SIZE or n
    end

    return Vector3.new(make_odd(snapped.X), make_odd(snapped.Y), make_odd(snapped.Z))
end

Works perfectly, I thought I tried this earlier but I must’ve done it wrong as it resulted in exponential error as you move away from 0, 0 when I implemented it. Thanks!