我是android新手。我想开发一个简单的应用程序,允许用户在屏幕上绘制任何内容,例如允许用户在屏幕上绘制形状或签名(View)。在J2ME中我们可以使用pointerDragged()方法,但我不知道如何在android中执行此操作。我尝试使用onTouchEvent(MotionEvent)但无法做到。请帮忙。
非常感谢。它的工作非常好。但是有一个问题,绘图并不是那么平滑,我的意思是当我试图拖动屏幕绘图非常大胆,我想限制用户在有限的区域绘制。请建议我。等待您的宝贵建议。
答案 0 :(得分:1)
实现的一种方法是创建一个覆盖onDraw(Canvas v),onTouchEvent(MotionEvent e)和onSizeChanged(int w,int h,int oldw,int oldh)的视图。下面是它的代码片段。我相信这是不言自明的。
public class MyView extends View {
private static final float MINP = 0.25f;
private static final float MAXP = 0.75f;
private Bitmap mBitmap;
private Canvas mCanvas;
private Path mPath;
private Paint mBitmapPaint;
public MyView(Context c) {
super(c);
mPath = new Path();
mBitmapPaint = new Paint(Paint.DITHER_FLAG);
}
@Override
protected void onSizeChanged(int w, int h, int oldw, int oldh) {
super.onSizeChanged(w, h, oldw, oldh);
mBitmap = Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
mCanvas = new Canvas(mBitmap);
}
@Override
protected void onDraw(Canvas canvas) {
canvas.drawColor(0xFFFFFFFF);
canvas.drawBitmap(mBitmap, 0, 0, mBitmapPaint);
canvas.drawPath(mPath, mPaint);
}
private float mX, mY;
private static final float TOUCH_TOLERANCE = 4;
private void touch_start(float x, float y) {
mPath.reset();
mPath.moveTo(x, y);
mX = x;
mY = y;
}
private void touch_move(float x, float y) {
float dx = Math.abs(x - mX);
float dy = Math.abs(y - mY);
if (dx >= TOUCH_TOLERANCE || dy >= TOUCH_TOLERANCE) {
mPath.quadTo(mX, mY, (x + mX) / 2, (y + mY) / 2);
mX = x;
mY = y;
}
}
private void touch_up() {
mPath.lineTo(mX, mY);
// commit the path to our offscreen
mCanvas.drawPath(mPath, mPaint);
// kill this so we don't double draw
mPath.reset();
}
@Override
public boolean onTouchEvent(MotionEvent event) {
float x = event.getX();
float y = event.getY();
switch (event.getAction()) {
case MotionEvent.ACTION_DOWN:
touch_start(x, y);
invalidate();
break;
case MotionEvent.ACTION_MOVE:
touch_move(x, y);
invalidate();
break;
case MotionEvent.ACTION_UP:
touch_up();
invalidate();
break;
}
return true;
}
}
您所要做的就是从您的活动课程中拨打setContentView(new MyView(this));
。希望这会帮助你。
**免责声明:代码段不是我的。我也是从网上的某个地方得到的。归功于谁先写了它。