0

成功实现了一个Draggable组件。将Hitboxand Collidablemixins 添加到由PositionComponent拖动功能扩展的类时停止工作。

是否有可能有一个可拖动的组件也是可碰撞的?

Flutter 版本:2.2.3
Flame 版本:1.0.0-releasecandidate.13

主要.dart

import 'package:flame/game.dart';
import 'package:flutter/material.dart';
import 'DraggablesGame.dart';

void main() {
  runApp(
    GameWidget(
      game: DraggablesGame(),
    ),
  );
}

DraggablesGame.dart

import 'package:flame/components.dart';
import 'package:flame/game.dart';
import 'DraggableSquare.dart';

class DraggablesGame extends BaseGame with HasDraggableComponents, HasCollidables {

  @override
  Future<void> onLoad() async {
    add(DraggableSquare());
    add(DraggableSquare()..y = 350);
  }
}

DraggableSquare.dart

import 'package:flame/components.dart';
import 'package:flame/extensions.dart';
import 'package:flame/game.dart';
import 'package:flame/gestures.dart';
import 'package:flutter/material.dart' show Colors;
import 'DraggablesGame.dart';

class DraggableSquare extends PositionComponent
    with Draggable, HasGameRef<DraggablesGame>, Hitbox, Collidable {
  @override
  bool debugMode = true;

  DraggableSquare({Vector2? position})
      : super(
    position: position ?? Vector2.all(100),
    size: Vector2.all(100),
  );

  Vector2? dragDeltaPosition;
  bool get isDragging => dragDeltaPosition != null;

  @override
  void update(double dt) {
    super.update(dt);
    debugColor = isDragging ? Colors.greenAccent : Colors.purple;
  }

  @override
  bool onDragStart(int pointerId, DragStartInfo info) {
    dragDeltaPosition = info.eventPosition.game - position;
    return false;
  }

  @override
  bool onDragUpdate(int pointerId, DragUpdateInfo event) {
    final dragDeltaPosition = this.dragDeltaPosition;
    if (dragDeltaPosition == null) {
      return false;
    }

    position.setFrom(event.eventPosition.game - dragDeltaPosition);
    return false;
  }

  @override
  bool onDragEnd(int pointerId, _) {
    dragDeltaPosition = null;
    return false;
  }

  @override
  bool onDragCancel(int pointerId) {
    dragDeltaPosition = null;
    return false;
  }
}

根据答案更新

Spydon 的回答建议使用addHitbox(HitboxRectangle());. 这导致了以下错误:

没有为“DraggableSquare”类型定义方法“addHitbox”。

相反,这个修改后的构造函数允许拖动和碰撞。

更新 DraggableSquare 构造函数

DraggableSquare({Vector2? position})
      : super(
    position: position,
    size: Vector2.all(100),
  ) {
    final hitBox = HitboxRectangle();
    addShape(hitBox);
  }
4

1 回答 1

1

当您添加Hitboxmixin 时,您还必须添加一些 hitbox,否则它将无法知道它应该算作“命中”什么。HitboxRectangle最简单的解决方案是添加一个orHitboxCircle类型的空 hitbox 。如果您没有在其中定义任何更具体的内容,这些 hitbox 将是组件的完整大小。

因此,要添加 a HitboxRectangle,您将构造函数修改为:

  DraggableSquare({Vector2? position})
      : super(
          position: position ?? Vector2.all(100),
          size: Vector2.all(100),
        ) {
    addShape(HitboxRectangle());
  }

如果您设置debugMode = true,您将能够直观地看到您添加的命中框。

于 2021-09-06T09:25:54.110 回答