Android 幸运转盘实现逻辑

一、前言

幸运转盘在很多app中都有,也有很多现实的例子,不过这个难度并不是如何让转盘转起来,真正的难度是如何统一个方向转动,且转到指定的目标区域(中奖概率从来不是随机的),当然还不能太假,需要有一定的位置偏移。

效果预览

二、逻辑实现

2.1 平分区域

由于圆周是360度,品分每个站preDegree,那么起点和终点

但是为了让X轴初始化时对准第一个区域的中心,我们做一下小偏移,逆时针旋转一下

//圆点起始角度 ,可以理解为index=0的起始角度,我们以index=0位参考点
float zeroStartDegree = 0 + -perDegree / 2;
float endStartDegree = 0 + perDegree / 2;

那么每个区域的起始角度如下

float startDegree = i* perDegree  - perDegree / 2;
float endDegree = i * perDegree + perDegree / 2 ;

2.2 画弧

很简单,不需要计算每个分区的大小,因为平分的是同一个大圆,因此Rect是大圆的范围,但也要记住 ,弧的起始角+绘制角度不能大于等于360,最大貌似是359.9998399

canvas.drawArc(rectF, startDegree, endDegree - startDegree, true, mDrawerPaint);

2.3 文字绘制

由于Canvas.drawText不能设置角度,那么意味着不能直接绘制,需要做一定的角度转换,要么旋转Canvas坐标,要们旋转Path,这次我们选后者吧。

使用Path的原因是,他不仅具备矢量性质(不失真),而且还能转动文字的方向和从有到左绘制。

           //计算出中心角度 float centerRadius = (float) Math.toRadians((startDegree + endDegree)/2F);float measuredTextWidth = mDrawerPaint.measureText(item.text);float measuredTextHeight = getTextHeight(mDrawerPaint,item.text);float innerRadius = maxRadius - 2* measuredTextHeight;float cx = (float) ((innerRadius - measuredTextHeight)   * Math.cos(centerRadius));float cy = (float) ((innerRadius - measuredTextHeight)  * Math.sin(centerRadius));double degreeOffset = Math.asin((measuredTextWidth/2F)/innerRadius);float startX= (float) (innerRadius * Math.cos(centerRadius - degreeOffset));float startY = (float) (innerRadius * Math.sin(centerRadius - degreeOffset));float endX= (float) ((innerRadius) * Math.cos(centerRadius + degreeOffset));float endY = (float) ((innerRadius) * Math.sin(centerRadius + degreeOffset));path.reset();path.moveTo(startX,startY);path.lineTo(endX,endY);//这里使用Path的原因是文本角度无法设置canvas.drawTextOnPath(item.text,path,0,0,mDrawerPaint);

2.4 核心逻辑

老板不会让中奖率随机的,万一你中大奖了,老板还得出钱或者花部门经费,因此,必须指定中奖物品,可以让你100%中奖,也能让你100%不中奖,要看老板心情,所以掘金的转盘你玩不玩都已经固定好你的胜率了。

计算出目标物品与初始角度的,注意时初始角度,而不是转过后的角度算起,为什么呢?原因是你按转过的角度计算复杂度就会提升,而从起始点计算,按照圆的三角函数定理,转一圈就能绕过你转动的角度 ,也就是 rotateDegree 最终会大于你当前的所停留的角度, 如果你在30度,那么要转到20度的位置,肯定不会倒转 需要 360 + 20,而360 +20大于30,所以,莫有必要从当前角度计算。

//圆点起始角度 ,可以理解为index=0的起始角度,我们以index=0位参考点
float zeroStartDegree = 0 + -perDegree / 2;
float endStartDegree = 0 + perDegree / 2;
//从圆点计算,要旋转的角度
float targetDegree = (perDegree * (index - 1) + perDegree / 2);
float rotateDegree = zeroStartDegree - targetDegree;

算出来之后紧接着计算落点位置,这里需要随机一下,不然看着很假,样子还是要做的。

但是这里我们一气呵成:

【1】计算旋转速度,主要是防止逆时针旋转,其词转一下就到了,也不太真实,次数利用了三角函数定理

三角函数定理 n*360 + degree 和 degree三角函数值最终夹角是等价的

【2】旋转次数,这里我们用duration/speedTime,实际上还可以用圆周边长除以duration,也是可以的,当然也要加一定的倍数。

【3】计算出随机落点位置,不能骑线,也不能超过指定区域

        //防止逆时针旋转 (三角函数定理  n*360 + degree 和 degree最终夹角是等价的 )while (rotateDegree < offsetDegree) {rotateDegree += 360;}if (speedTime == 0) {speedTime = 100L;}long count = duration / speedTime - 1;  //计算额外旋转圈数while (count >= 0) {rotateDegree += 360;  //三角函数定理  n*360 + degree 和 degree最终夹角是等价的count--; //算出转多少圈}float targetStartDegree = rotateDegree - perDegree / 2;float targetEndDegree = rotateDegree + perDegree / 2;float currentOffsetDegree = offsetDegree;// float targetOffsetDegree  = (targetStartDegree +  targetEndDegree)/2 ;//让指针指向有一定的随机性float targetOffsetDegree = (float) (targetStartDegree + (targetEndDegree - targetStartDegree) * Math.random());

2.5 全部代码

public class LuckWheelView extends View {Path path  = new Path();private final DisplayMetrics mDM;private TextPaint mArcPaint;private TextPaint mDrawerPaint;private int maxRadius;private float perDegree;private long duration = 5000L;private List<Item> items = new ArrayList<>();private RectF rectF = new RectF();private float offsetDegree = 0;private TimeInterpolator timeInterpolator = new AccelerateDecelerateInterpolator();private long speedTime = 1000L; //旋转一圈需要多少时间private ValueAnimator animator = null;public LuckWheelView(Context context) {this(context, null);}public LuckWheelView(Context context, AttributeSet attrs) {this(context, attrs, 0);}public LuckWheelView(Context context, AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);mDM = getResources().getDisplayMetrics();initPaint();}public void setRotateIndex(int index) {if (items == null || items.size() <= index) {return;}//圆点起始角度 ,可以理解为index=0的起始角度,我们以index=0位参考点float zeroStartDegree = 0 + -perDegree / 2;float endStartDegree = 0 + perDegree / 2;//从圆点计算,要旋转的角度float targetDegree = (perDegree * (index - 1) + perDegree / 2);float rotateDegree = zeroStartDegree - targetDegree;//防止逆时针旋转 (三角函数定理  n*360 + degree 和 degree最终夹角是等价的 )while (rotateDegree < offsetDegree) {rotateDegree += 360;}if (speedTime == 0) {speedTime = 100L;}long count = duration / speedTime - 1;  //计算额外旋转圈数while (count >= 0) {rotateDegree += 360;  //三角函数定理  n*360 + degree 和 degree最终夹角是等价的count--;}float targetStartDegree = rotateDegree - perDegree / 2;float targetEndDegree = rotateDegree + perDegree / 2;float currentOffsetDegree = offsetDegree;// float targetOffsetDegree  = (targetStartDegree +  targetEndDegree)/2 ;//让指针指向有一定的随机性float targetOffsetDegree = (float) (targetStartDegree + (targetEndDegree - targetStartDegree) * Math.random());if (animator != null) {animator.cancel();}
//起点肯定要从当前角度算起,不然会闪一下回到原点animator = ValueAnimator.ofFloat(currentOffsetDegree, targetOffsetDegree).setDuration(duration);animator.setInterpolator(timeInterpolator);animator.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() {@Overridepublic void onAnimationUpdate(ValueAnimator animation) {offsetDegree = (float) animation.getAnimatedValue();postInvalidate();}});animator.addListener(new AnimatorListenerAdapter() {@Overridepublic void onAnimationEnd(Animator animation) {super.onAnimationEnd(animation);offsetDegree = offsetDegree % 360;}});animator.start();}private void initPaint() {// 实例化画笔并打开抗锯齿mArcPaint = new TextPaint(Paint.ANTI_ALIAS_FLAG);mArcPaint.setAntiAlias(true);mArcPaint.setStyle(Paint.Style.STROKE);mArcPaint.setStrokeCap(Paint.Cap.ROUND);mDrawerPaint = new TextPaint(Paint.ANTI_ALIAS_FLAG);mDrawerPaint.setAntiAlias(true);mDrawerPaint.setStyle(Paint.Style.FILL);mDrawerPaint.setStrokeCap(Paint.Cap.ROUND);mDrawerPaint.setStrokeWidth(5);mDrawerPaint.setTextSize(spTopx(14));}private float spTopx(float dp) {return TypedValue.applyDimension(TypedValue.COMPLEX_UNIT_SP, dp, getResources().getDisplayMetrics());}@Overrideprotected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {super.onMeasure(widthMeasureSpec, heightMeasureSpec);int widthMode = MeasureSpec.getMode(widthMeasureSpec);int widthSize = MeasureSpec.getSize(widthMeasureSpec);if (widthMode != MeasureSpec.EXACTLY) {widthSize = mDM.widthPixels / 2;}int heightMode = MeasureSpec.getMode(heightMeasureSpec);int heightSize = MeasureSpec.getSize(heightMeasureSpec);if (heightMode != MeasureSpec.EXACTLY) {heightSize = widthSize / 2;}setMeasuredDimension(widthSize, heightSize);}@Overrideprotected void onDraw(Canvas canvas) {super.onDraw(canvas);int width = getWidth();int height = getHeight();if (width == 0 || height == 0 || items == null || items.size() <= 0) {perDegree = 0;return;}maxRadius = Math.min(width / 2, height / 2);rectF.left = -maxRadius;rectF.top = -maxRadius;rectF.right = maxRadius;rectF.bottom = maxRadius;int size = items.size();int saveCount = canvas.save();canvas.translate(width * 1F / 2, height * 1F / 2); //平移坐标轴到view中心点canvas.rotate(-90); //逆时针旋转坐标轴 90度perDegree = 360 * 1F / size;// rangeDegree = start ->end// rangeDegree.start = perDegree/2 + (i-1) * perDegree;// rangeDegree.end = perDegree/2 + (i) * perDegree;for (int i = 0; i < size; i++) {//由于我们让第一个区域的中心点对准x轴了,所以(i-1)意味着从y轴负方向顺时针转动float startDegree = perDegree * (i - 1) + perDegree / 2 + offsetDegree;float endDegree = i * perDegree + perDegree / 2 + offsetDegree;Item item = items.get(i);mDrawerPaint.setColor(item.color);
//            double startDegreeRandians = Math.toRadians(startDegree); //x1
//            float x = (float) (maxRadius * Math.cos(startDegreeRandians));
//            float y = (float) (maxRadius * Math.sin(startDegreeRandians));
//            canvas.drawLine(0,0,x,y,mDrawerPaint);float centerRadius = (float) Math.toRadians((startDegree + endDegree)/2F);float measuredTextWidth = mDrawerPaint.measureText(item.text);float measuredTextHeight = getTextHeight(mDrawerPaint,item.text);float innerRadius = maxRadius - 2* measuredTextHeight;float cx = (float) ((innerRadius - measuredTextHeight)   * Math.cos(centerRadius));float cy = (float) ((innerRadius - measuredTextHeight)  * Math.sin(centerRadius));double degreeOffset = Math.asin((measuredTextWidth/2F)/innerRadius);float startX= (float) (innerRadius * Math.cos(centerRadius - degreeOffset));float startY = (float) (innerRadius * Math.sin(centerRadius - degreeOffset));float endX= (float) ((innerRadius) * Math.cos(centerRadius + degreeOffset));float endY = (float) ((innerRadius) * Math.sin(centerRadius + degreeOffset));path.reset();path.moveTo(startX,startY);path.lineTo(endX,endY);//这里使用Path的原因是文本角度无法设置canvas.drawArc(rectF, startDegree, endDegree - startDegree, true, mDrawerPaint);mDrawerPaint.setColor(Color.WHITE);canvas.drawCircle(cx,cy,5,mDrawerPaint);canvas.drawTextOnPath(item.text,path,0,0,mDrawerPaint);}canvas.drawLine(0, 0, maxRadius / 2F, 0, mDrawerPaint);canvas.restoreToCount(saveCount);}Rect textBounds = new Rect();//真实宽度 + 笔画上下两侧间隙(符合文本绘制基线)private  int getTextHeight(Paint paint,String text) {paint.getTextBounds(text,0,text.length(),textBounds);return textBounds.height();}public void setItems(List<Item> items) {this.items.clear();this.items.addAll(items);invalidate();}public static class Item {Object tag;int color = Color.TRANSPARENT;String text;public Item(int color, String text) {this.color = color;this.text = text;}}}

2.6 使用方法

List<LuckWheelView.Item> items = new ArrayList<>();items.add(new LuckWheelView.Item(argb(random.nextFloat(),random.nextFloat(),random.nextFloat()), "金元宝"));items.add(new LuckWheelView.Item(argb(random.nextFloat(),random.nextFloat(),random.nextFloat()), "皮卡丘"));items.add(new LuckWheelView.Item(argb(random.nextFloat(),random.nextFloat(),random.nextFloat()), "1元红包"));items.add(new LuckWheelView.Item(argb(random.nextFloat(),random.nextFloat(),random.nextFloat()), "全球旅行"));items.add(new LuckWheelView.Item(argb(random.nextFloat(),random.nextFloat(),random.nextFloat()), "K歌会员卡"));items.add(new LuckWheelView.Item(argb(random.nextFloat(),random.nextFloat(),random.nextFloat()), "双肩包"));loopView.setItems(items);loopView.setOnClickListener(new View.OnClickListener() {@Overridepublic void onClick(View v) {int index = (int) (Math.random() * items.size());Log.d("LuckWheelView", "setRotateIndex->" + items.get(index).text + ", index=" + index);loopView.setRotateIndex(index);}});

三、总结

本篇简单而快捷的实现了幸运转盘,难点主要是角度的转换,一定要分析出初始角度和目标位置的夹角这一个定性标准,其词作一些优化,就能实现幸运转盘效果。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/209876.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

人类的耳朵:听觉的动态范围

作者&#xff1a;听觉健康 听觉的动态范围即可用的听力范围。在坐标系中&#xff0c;它可以表示为以听阈和最大舒适级为界形成的区域&#xff0c;其坐标轴分别为频率和声压级&#xff08;刺激持续时间在某种程度上对其产生影响&#xff09;。是什么因素决定了人类听力的极限&am…

Compilation failureFailure executing javac, but could not parse the error

记一次maven编译错误导致的打包失败问题。错误如下 Compilation failure Failure executing javac, but could not parse the error: javac: Ч ı :  ? : javac <options> <source files> -help г ܵ ѡ 排查路径如下&#xff1a; 1&#xff…

【MySQL】MySQL的varchar字段最大长度是65535?

在MySQL建表sql里,我们经常会有定义字符串类型的需求。 CREATE TABLE `user` ( `name` varchar(100) NOT NULL DEFAULT COMMENT 名字) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 ; 比方说user表里的名字,就是个字符串。MySQL里有两个类型比较适合这个场景。 char和varchar。…

我尝试用 AI 来做数据分析,结果差强人意!

大家好&#xff0c;我是木川 工作中经常会需要分析数据 1、统计分析&#xff0c;计算某项指标的均值、分位数、标准差等 2、相关性分析&#xff0c;比如分析销售额与顾客年龄、顾客性别、促销活动等的相关性 3、可视化分析&#xff0c;比如绘制柱状图、折线图、散点图等 有了 A…

几种排序的实现

直接插入排序 直接插入排序是一种简单的插入排序法&#xff0c;其基本思想是&#xff1a; 把待排序的记录按其关键码值的大小逐个插入到一个已经排好序的有序序列中&#xff0c;直到所有的记录插入完为止&#xff0c;得到一个新的有序序列 。 实际中我们玩扑克牌时&#xff…

交付《啤酒游戏经营决策沙盘》的项目

感谢首富客户连续两年的邀请&#xff0c;交付《啤酒游戏经营决策沙盘》的项目&#xff0c;下周一JSTO首席学习官Luna想让我分享下系统思考与投资理财&#xff0c;想到曾经看过的一本书《深度思维》&#xff0c;看到一些结构来预判未来。不仅仅可以应用在企业经营和组织发展上&a…

Uncaught SyntaxError: Unexpected end of input (at manage.html:1:21) 的一个解

关于Uncaught SyntaxError: Unexpected end of input (at manage.html:1:21)的一个解 问题复现 <button onclick"deleteItem(${order.id},hire,"Orders")" >delete</button>报错 原因 函数参数的双引号和外面的双引号混淆了&#xff0c;改成…

【vuex】

vuex 1 理解vuex1.1 vuex是什么1.2 什么时候使用vuex1.3 vuex工作原理图1.4 搭建vuex环境1.5 求和案例1.5.1 vue方式1.5.2 vuex方式 2 vuex核心概念和API2.1 getters配置项2.2 四个map方法的使用2.2.1 mapState方法2.2.2 mapGetters方法2.2.3 mapActions方法2.2.4 mapMutations…

“HALCON error #2454:HALCON handle was already cleared in operator set_draw“

分析&#xff1a;错误提示是窗口句柄已经被删除&#xff0c;这是因为前边的一句 HOperatorSet.CloseWindow(hWindowControl1.HalconWindow); 关掉了窗口&#xff0c;屏蔽或删除即可。

UDS诊断 10服务的肯定响应码后面跟着一串数据的含义,以及诊断报文格式定义介绍

一、首先看一下10服务的请求报文和肯定响应报文格式 a.诊断仪发送的请求报文格式 b.ECU回复的肯定响应报文格式 c.肯定响应报文中参数定义 二、例程数据解析 a.例程数据 0.000000 1 725 Tx d 8 02 10 03 00 00 00 00 00 0.000806 1 7A5 Rx d 8 06 50 03 00 32 01 F4 CC …

Brushed DC mtr--PIC

PIC use brushed DC mtr fundmental. Low-Cost Bidirectional Brushed DC Motor Control Using the PIC16F684 DC mtr & encoder

《opencv实用探索·八》图像模糊之均值滤波、高斯滤波的简单理解

1、前言 什么是噪声&#xff1f; 该像素与周围像素的差别非常大&#xff0c;导致从视觉上就能看出该像素无法与周围像素组成可识别的图像信息&#xff0c;降低了整个图像的质量。这种“格格不入”的像素就被称为图像的噪声。如果图像中的噪声都是随机的纯黑像素或者纯白像素&am…

TailwindCSS 如何设置 placeholder 的样式

前言 placeholder 在前端多用于 input、textarea 等任何输入或者文本区域的标签&#xff0c;它用户在用户输入内容之前显示一些提示。浏览器自带的 placeholder 样式可能不符合设计规范&#xff0c;此时就需要通过 css 进行样式美化。 当项目中使用 TailwindCSS 处理样式时&a…

JAVA程序如何打jar和war问题解决

背景: 近期研究一个代码审计工具 需要jar包 jar太多了 可以将jar 打成war包 首先看下程序目录结构 pom.xml文件内容 <?xml version"1.0" encoding"UTF-8"?> <project xmlns"http://maven.apache.org/POM/4.0.0"xmlns:xsi"ht…

Android12 WIFI 无法提供互联网连接

平台 RK3588 Android 12 问题描述 ConnectivityService是Android系统中负责处理网络连接的服务之一。它负责管理设备的网络连接状态&#xff0c;包括Wi-Fi、移动数据、蓝牙等。 在Android系统中&#xff0c;ConnectivityService提供了一些关键功能&#xff0c;包括但不限于…

Spring Boot Async:从入门到精通,原理详解与最佳实践

Spring Boot 的异步功能&#xff08;Async&#xff09;允许我们将某些任务异步执行&#xff0c;而不会阻塞主线程。这对于处理耗时的操作非常有用&#xff0c;如发送电子邮件、生成报表、调用外部 API 等。通过异步处理&#xff0c;我们可以释放主线程&#xff0c;让它继续处理…

低多边形游戏风格3D模型纹理贴图

在线工具推荐&#xff1a; 3D数字孪生场景编辑器 - GLTF/GLB材质纹理编辑器 - 3D模型在线转换 - Three.js AI自动纹理开发包 - YOLO 虚幻合成数据生成器 - 三维模型预览图生成器 - 3D模型语义搜索引擎 当谈到游戏角色的3D模型风格时&#xff0c;有几种不同的风格&#xf…

区块链实验室(29) - 关闭或删除FISCO日志

1. FISCO日志 缺省情况下&#xff0c;FISCO启动日志模块&#xff0c;日志记录的位置在节点目录中。以FISCO自带案例为例&#xff0c;4节点的FISCO网络&#xff0c;24个区块产生的日志大小&#xff0c;见下图所示。 2.关闭日志模块 当节点数量增大&#xff0c;区块高度增大时&…

【EI会议征稿中】第三届信号处理与通信安全国际学术会议(ICSPCS 2024)

第三届信号处理与通信安全国际学术会议&#xff08;ICSPCS 2024&#xff09; 2024 3rd International Conference on Signal Processing and Communication Security 信号处理和通信安全是现代信息技术应用的重要领域&#xff0c;近年来这两个领域的研究相互交叉促进&#xf…

InsCode:CSDN的创新代码分享平台,融合AI技术提升编程体验

InsCode AI Chat 能够让你通过聊天的方式帮你优化代码。 一&#xff1a;前言 InsCode 是csdn推出的一个代码分享网站 二、使用 AI 辅助完成代码 下面我们就从实践出发&#xff0c;基于 InsCode 的 AI辅助编程&#xff0c;写Python实现的计算器。 1.基于模板创建项目 这里我…