Skip to content

Instantly share code, notes, and snippets.

@mjohnsullivan
Created November 26, 2019 21:32
Show Gist options
  • Star 12 You must be signed in to star a gist
  • Fork 4 You must be signed in to fork a gist
  • Save mjohnsullivan/0dcb5997ec05cbfebaec73671e3a4db4 to your computer and use it in GitHub Desktop.
Save mjohnsullivan/0dcb5997ec05cbfebaec73671e3a4db4 to your computer and use it in GitHub Desktop.
Handling draggable areas or elements drawn on a Flutter CustomPainter
import 'package:flutter/material.dart';
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Draggable Custom Painter',
home: Scaffold(
body: DraggableCustomPainter(),
),
);
}
}
class DraggableCustomPainter extends StatefulWidget {
@override
_DraggableCustomPainterState createState() => _DraggableCustomPainterState();
}
class _DraggableCustomPainterState extends State<DraggableCustomPainter> {
var xPos = 0.0;
var yPos = 0.0;
final width = 100.0;
final height = 100.0;
bool _dragging = false;
/// Is the point (x, y) inside the rect?
bool _insideRect(double x, double y) =>
x >= xPos && x <= xPos + width && y >= yPos && y <= yPos + height;
@override
Widget build(BuildContext context) {
return GestureDetector(
onPanStart: (details) => _dragging = _insideRect(
details.globalPosition.dx,
details.globalPosition.dy,
),
onPanEnd: (details) {
_dragging = false;
},
onPanUpdate: (details) {
if (_dragging) {
setState(() {
xPos += details.delta.dx;
yPos += details.delta.dy;
});
}
},
child: Container(
child: CustomPaint(
painter: RectanglePainter(Rect.fromLTWH(xPos, yPos, width, height)),
child: Container(),
),
),
);
}
}
class RectanglePainter extends CustomPainter {
RectanglePainter(this.rect);
final Rect rect;
@override
void paint(Canvas canvas, Size size) {
canvas.drawRect(rect, Paint());
}
@override
bool shouldRepaint(CustomPainter oldDelegate) => true;
}
@rodydavis
Copy link

My only modification would be this! (Creating Paint() once)

https://gist.github.com/rodydavis/188c3425fd637dd5e20744b9874889bb

@mjohnsullivan
Copy link
Author

My only modification would be this! (Creating Paint() once)

https://gist.github.com/rodydavis/188c3425fd637dd5e20744b9874889bb

Great point! No need to endlessly recreate on every paint.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment