using System.Collections;
using UnityEngine;
using UnityEngine.EventSystems;
using UnityEngine.UI;
[RequireComponent(typeof(Button))]
public class DragButtonSpawner : MonoBehaviour, IPointerDownHandler, IDragHandler, IPointerUpHandler
{
[Header("拖拽设置")]
[Tooltip("模型预制体路径前缀")]
public string modelPathPrefix = "ModePrefab/";
[Tooltip("允许放置的层级")]
public LayerMask allowedLayers = ~0;
[Tooltip("放置偏移量")]
public Vector3 placementOffset = Vector3.zero;
private GameObject currentDraggingModel;
private bool isDragging = false;
private string modelName;
void Awake()
{
}
public void OnPointerDown(PointerEventData eventData)
{
StartCoroutine(LoadAndInitModel());
}
private IEnumerator LoadAndInitModel()
{
modelName = this.name.Replace("(Clone)", "").Trim();
Debug.Log(modelName);
ResourceRequest request = Resources.LoadAsync<GameObject>(modelPathPrefix + modelName);
yield return request;
Debug.Log(request.asset.name);
if (request.asset == null)
{
Debug.LogError($"加载模型失败: {modelPathPrefix}{modelName}");
yield break;
}
currentDraggingModel = Instantiate(request.asset) as GameObject;
currentDraggingModel.name = modelName;
currentDraggingModel.SetActive(false);
isDragging = true;
}
public void OnDrag(PointerEventData eventData)
{
if (!isDragging || currentDraggingModel == null) return;
Ray ray = Camera.main.ScreenPointToRay(eventData.position);
RaycastHit hit;
if (Physics.Raycast(ray, out hit, Mathf.Infinity, allowedLayers))
{
currentDraggingModel.SetActive(true);
currentDraggingModel.transform.position = hit.point + placementOffset;
GameObject terrain = GameObject.Find("Terrain");
currentDraggingModel.transform.parent = terrain.transform;
currentDraggingModel.transform.rotation = Quaternion.FromToRotation(Vector3.zero, hit.normal);
}
else
{
currentDraggingModel.SetActive(false);
}
}
public void OnPointerUp(PointerEventData eventData)
{
if (!isDragging || currentDraggingModel == null) return;
if (currentDraggingModel.activeSelf)
{
FinalizePlacement();
}
else
{
CancelPlacement();
}
ResetDragState();
}
private void FinalizePlacement()
{
}
private void CancelPlacement()
{
Destroy(currentDraggingModel);
Debug.Log("拖拽已取消");
}
private void ResetDragState()
{
currentDraggingModel = null;
isDragging = false;
}
void OnDisable()
{
if (isDragging && currentDraggingModel != null)
{
CancelPlacement();
ResetDragState();
}
}
}