编辑代码

-- 初始化
snake = {{10, 10}, {10, 9}, {10, 8}} -- 蛇的位置
food = {15, 15} -- 食物的位置
direction = "right" -- 蛇的方向
score = 0 -- 得分

-- 屏幕大小
width = 20
height = 20

-- 游戏区域
grid = {}

-- 初始化游戏区域
for i = 1, width do
    grid[i] = {}
    for j = 1, height do
        grid[i][j] = "."
    end
end

-- 将蛇和食物放入游戏区域
for _, pos in ipairs(snake) do
    grid[pos[1]][pos[2]] = "#"
end
grid[food[1]][food[2]] = "*"

-- 更新游戏状态
function update()
    local head = table.remove(snake, 1) -- 移除蛇尾
    local newHead = {head[1], head[2]} -- 复制蛇头

    -- 根据方向更新蛇头位置
    if direction == "right" then
        newHead[1] = newHead[1] + 1
    elseif direction == "left" then
        newHead[1] = newHead[1] - 1
    elseif direction == "up" then
        newHead[2] = newHead[2] - 1
    elseif direction == "down" then
        newHead[2] = newHead[2] + 1
    end

    -- 检查是否吃到食物或撞墙
    if newHead[1] < 1 or newHead[1] > width or newHead[2] < 1 or newHead[2] > height then
        print("Game Over!")
        return
    end

    -- 如果蛇头碰到自己的身体,游戏结束
    for _, bodyPart in ipairs(snake) do
        if bodyPart[1] == newHead[1] and bodyPart[2] == newHead[2] then
            print("Game Over!")
            return
        end
    end

    -- 吃到食物,增长蛇身并更新食物位置
    if newHead[1] == food[1] and newHead[2] == food[2] then
        score = score + 1
        table.insert(snake, newHead)
        -- 生成新的食物位置
        while true do
            local newFood = {math.random(1, width), math.random(1, height)}
            if newFood[1] ~= newHead[1] and newFood[2] ~= newHead[2] then
                food = newFood
                break
            end
        end
    else
        table.insert(snake, 1, newHead) -- 添加新的蛇头
    end

    -- 更新游戏区域
    grid[head[1]][head[2]] = "."
    grid[newHead[1]][newHead[2]] = "#"
end

-- 控制蛇移动
function changeDirection(newDir)
    if newDir == "up" and direction ~= "down" or
       newDir == "down" and direction ~= "up" or
       newDir == "left" and direction ~= "right" or
       newDir == "right" and direction ~= "left" then
        direction = newDir
    end
end

-- 主循环
while true do
    local event = io.read()
    if event == "w" then
        changeDirection("up")
    elseif event == "s" then
        changeDirection("down")
    elseif event == "a" then
        changeDirection("left")
    elseif event == "d" then
        changeDirection("right")
    end

    update()

    -- 打印游戏区域
    for i = 1, height do
        for j = 1, width do
            io.write(grid[i][j])
        end
        print()
    end

    print("Score: ", score)
    os.execute("sleep 0.2") -- 控制游戏速度
end