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.rhkb.cn/news/213789.html

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

相关文章

C语言数组(下)

我希望各位可以在思考之后去看本期练习&#xff0c;并且在观看之后独立编写一遍&#xff0c;以加深理解&#xff0c;巩固知识点。 练习一&#xff1a;编写代码&#xff0c;演⽰多个字符从两端移动&#xff0c;向中间汇聚 我们依旧先上代码 //编写代码&#xff0c;演⽰多个字…

UE小:UE5性能分析

开始录制性能追踪 要开始录制性能追踪&#xff0c;您可以简单地点击界面上的“开始录制”按钮。 查看追踪数据 录制完成后&#xff0c;点击“Trace”菜单中的“UnrealInsights”选项来查看追踪数据。 使用命令行进行追踪 如果点击录制按钮没有反应&#xff0c;您可以通过命令…

Leetcode—901.股票价格跨度【中等】

2023每日刷题&#xff08;五十二&#xff09; Leetcode—901.股票价格跨度 算法思想 实现代码 class StockSpanner { public:stack<pair<int, int>> st;int curday -1;StockSpanner() {st.emplace(-1, INT_MAX);}int next(int price) {while(price > st.top(…

【LeetCode】28. 找出字符串中第一个匹配项的下标 【字符串单模匹配:KMP算法】

题目链接 Python3 直觉解法 class Solution:def strStr(self, haystack: str, needle: str) -> int:pn, ph 0, 0n len(needle) h len(haystack)while ph < h:if haystack[ph] needle[pn]:if pn n-1: # 1234 123return ph - len(needle) 1else: pn 1ph 1else:…

53. Protocol buffer 的Go使用

文章目录 一、介绍二、安装三、protoc3语法1、 protoc3 与 protoc2区别2、proto3生成go代码包Message内嵌Message字段单一标量字段单一message字段可重复字段slicemap字段枚举 一、介绍 Protobuf是Google旗下的一款平台无关&#xff0c;语言无关&#xff0c;可扩展的序列化结构…

苹果IOS在Safari浏览器中将网页添加到主屏幕做伪Web App,自定义图标,启动动画,自定义名称,全屏应用pwa

在ios中我们可以使用Safari浏览自带的将网页添加到主屏幕上&#xff0c;让我们的web页面看起来像一个本地应用程序一样&#xff0c;通过桌面APP图标一打开&#xff0c;直接全屏展示&#xff0c;就像在APP中效果一样&#xff0c;完全体会不到你是在浏览器中。 1.网站添加样式 在…

一加 12 Pop-up快闪活动来袭,十城联动火爆开启

12 月 9 日&#xff0c;一加 12 Pop-up 快闪活动在北京、深圳、上海、广州等十城联动开启&#xff0c;各地加油欢聚快闪现场&#xff0c;抢先体验与购买一加 12。作为一加十年超越之作&#xff0c;一加 12 全球首发拥有医疗级护眼方案和行业第一 4500nit 峰值亮度的 2K 东方屏、…

solidity实现ERC20代币标准

文章目录 1、以太坊 - 维基百科2、IERC203、ERC204、Remix 编译部署 1、以太坊 - 维基百科 以太坊&#xff08;Ethereum&#xff09;是一个去中心化的开源的有智能合约功能的公共区块链平台。以太币&#xff08;ETH 或 Ξ&#xff09;是以太坊的原生加密货币。截至2021年12月&a…

js/jQuery常见操作 之各种语法例子(包括jQuery中常见的与索引相关的选择器)

js/jQuery常见操作 之各种语法例子&#xff08;包括jQuery中常见的与索引相关的选择器&#xff09; 1. 操作table常见的1.1 动态给table添加title&#xff08;指定td&#xff09;1.1.1 给td动态添加title&#xff08;含&#xff1a;获取tr的第几个td&#xff09;1.1.2 动态加工…

SSL 协议

SSL 是用于安全传输数据的一种通信协议。它采用公钥加密技术、对称密钥加密技术等保护两个应用之间的信息传输的机密性和完整性。但是&#xff0c;SSL 也有一个不足&#xff0c;就是它本身不能保证传输信息的不可否认性。 SSL 协议包括服务器认证、客户认证、SSL 链路上的数据完…

对String类的操作 (超细节+演示)

[本节目标] 1.认识String类 2.了解String类的基本用法 3.熟练掌握String类的常见操作 4.认识字符串常量池 5.认识StringBuffer和StringBuilder 1.String类的重要性 在C语言中已经涉及到字符串了&#xff0c;但是在C语言中要表示字符串只能使用字符数组或者字符指针&…

Nacos源码解读04——服务发现

Nacos服务发现的方式 1.客户端获取 1.1:先是故障转移机制判断是否去本地文件中读取信息&#xff0c;读到则返回 1.2:再去本地服务列表读取信息(本地缓存)&#xff0c;没读到则创建一个空的服务&#xff0c;然后立刻去nacos中读取更新 1.3:读到了就返回&#xff0c;同时开启定时…

系列学习前端之第 2 章:一文精通 HTML

全套学习 HTMLCSSJavaScript 代码和笔记请下载网盘的资料&#xff1a; 链接: https://pan.baidu.com/s/1-vY2anBdrsBSwDZfALZ6FQ 提取码: 6666 HTML 全称&#xff1a;HyperText Markup Language&#xff08;超文本标记语言&#xff09; 1、 HTML 标签 1. 标签又称元素&#…

【算法每日一练]-图论(保姆级教程篇12 tarjan篇)#POJ3352道路建设 #POJ2553图的底部 #POJ1236校园网络 #缩点

目录&#xff1a; 今天知识点 加边使得无向图图变成双连通图 找出度为0的强连通分量 加边使得有向图变成强连通图 将有向图转成DAG图进行dp POJ3352&#xff1a;道路建设 思路&#xff1a; POJ2553&#xff1a;图的底部 思路&#xff1a; POJ1236校园网络 思路&#x…

【华为数据之道学习笔记】1-2华为数字化转型与数据治理

传统企业通过制造先进的机器来提升生产效率&#xff0c;但是未来&#xff0c;如何结构性地提升服务和运营效率&#xff0c;如何用更低的成本获取更好的产品&#xff0c;成了时代性的问题。数字化转型归根结底就是要解决企业的两大问题&#xff1a;成本和效率&#xff0c;并围绕…

go写文件后出现大量NUL字符问题记录

目录 背景 看看修改前 修改后 原因 背景 写文件完成后发现&#xff1a; size明显也和正常的不相等。 看看修改前 buf : make([]byte, 64) buffer : bytes.NewBuffer(buf)// ...其它逻辑使得buffer有值// 打开即将要写入的文件&#xff0c;不存在则创建 f, err : os.Open…

solidity案例详解(五)能源电力竞拍合约

使用智能合约对电力公司和用户拍拍进行一个管理与上链&#xff0c;确保安全性&#xff0c;合约完整代码私信 a)现有系统架构和功能&#xff0c;服务提供方是谁&#xff0c;用户是谁&#xff1b; 系统架构&#xff1a; 电力拍卖系统&#xff0c;由能源公司部署。 服务提供方&a…

IntelliJ IDEA创建一个Maven项目

在IDEA中创建Maven项目&#xff0c;前提是已经安装配置好Maven环境 。 本文主要使用的是IntelliJ IDEA 2022.2.1 (Community Edition) 1.创建一个新project:File>Project 2.修改Maven配置&#xff1a;File>Settings>搜索maven 创建好的工程如下&#xff1a; src/main…

记录 | ubuntu监控cpu频率、温度等

ubuntu监控cpu频率、温度等 采用 i7z 进行监控&#xff0c;先安装&#xff1a; sudo apt install i7z -ysudo i7z

STM32单片机项目实例:基于TouchGFX的智能手表设计(3)嵌入式程序任务调度的设计

STM32单片机项目实例&#xff1a;基于TouchGFX的智能手表设计&#xff08;3&#xff09;嵌入式程序任务调度的设计 目录 一、嵌入式程序设计 1.1轮询 1.2 前后台&#xff08;中断轮询&#xff09; 1.3 事件驱动与消息 1.3.1 事件驱动的概念 1.4 定时器触发事件驱动型的任…