轻触交换位置 - Corona SDK

如何查看两个轻触并使它们互换位置? 例如:我先轻触对象[1],然后再轻触对象[2],然后它们将过渡并交换位置。您们将如何尝试设置这个呢?

Cheers

点赞
用户2735929
用户2735929

我会保存第一个敲击的坐标,然后在第二个敲击事件中,让第二个对象过渡到第一个对象的坐标,第一个对象过渡到第二个敲击的坐标。

类似这样的小东西。 这是伪代码,仅用于帮助演示这个想法。

local firstObject
local secondObject
local coordX, coordY
function firstTapEventListener(event.target)
   coordX = target.x
   coordY = target.y
end

function secondTapEventListener(event.target)
   firstObject.x = target.x
   firstObject.y = target.y
   target.x = coordX
   target.y = coordY
end
2016-05-12 16:47:42
用户6312494
用户6312494
local last = nil

local circle1 = display.newCircle(display.contentCenterX - 50, display.contentCenterY - 50, 25)
circle1.fill = { 0.0, 0.6, 1.0 }
local circle2 = display.newCircle(display.contentCenterX + 50, display.contentCenterY + 100, 25)
circle2.fill = { 1.0, 0.5, 0.0 }
local circle3 = display.newCircle(display.contentCenterX + 75, display.contentCenterY - 100, 25)
circle3.fill = { 0.4, 0.5, 0.0 }

local function onTouch( event )
    local target = event.target
    if event.phase == "ended" then
        if last == nil then
            last = target
        elseif last ~= target then
            transition.moveTo( last, { x=target.x, y=target.y } )
            transition.moveTo( target, { x=last.x, y=last.y } )
            last = nil
        end
    end
end

circle1:addEventListener( "touch", onTouch )
circle2:addEventListener( "touch", onTouch )
circle3:addEventListener( "touch", onTouch )
local last = nil  // 定义变量

local circle1 = display.newCircle(display.contentCenterX - 50, display.contentCenterY - 50, 25)  // 创建第一个圆
circle1.fill = { 0.0, 0.6, 1.0 } // 设置第一个圆的颜色
local circle2 = display.newCircle(display.contentCenterX + 50, display.contentCenterY + 100, 25) // 创建第二个圆
circle2.fill = { 1.0, 0.5, 0.0 } // 设置第二个圆的颜色
local circle3 = display.newCircle(display.contentCenterX + 75, display.contentCenterY - 100, 25) // 创建第三个圆
circle3.fill = { 0.4, 0.5, 0.0 } // 设置第三个圆的颜色

local function onTouch( event ) 
    local target = event.target  // 获取当前点击的圆
    if event.phase == "ended" then // 如果触摸事件的阶段是结束
        if last == nil then  // 如果变量last的值为nil
            last = target  // 将last变量设为当前点击的圆
        elseif last ~= target then // 如果变量last的值不等于当前点击的圆
            transition.moveTo( last, { x=target.x, y=target.y } )  // 让上一个圆移动到当前点击的圆的位置
            transition.moveTo( target, { x=last.x, y=last.y } )  // 让当前点击的圆移动到上一个圆的位置
            last = nil  // 重置变量last为nil
        end
    end
end

circle1:addEventListener( "touch", onTouch ) // 添加触摸事件监听器到第一个圆
circle2:addEventListener( "touch", onTouch ) // 添加触摸事件监听器到第二个圆
circle3:addEventListener( "touch", onTouch ) // 添加触摸事件监听器到第三个圆
2016-05-13 13:27:37