Android仿手机QQ图案解锁功能

本文实例为大家分享了Android仿手机QQ图案解锁的具体代码,供大家参考,具体内容如下

ps:请不要再问我,为什么导入之后会乱码了。
其实,代码基本上都是从原生系统中提取的:LockPatternView、加密工具类,以及解锁逻辑等,我只是稍作修改,大家都知道,原生系统界面比较丑陋,因此,我特意把QQ的apk解压了,从中拿了几张图案解锁的图片,一个简单的例子就这样诞生了。

好了,废话不多说,我们来看看效果(最后两张是最新4.4系统,炫一下,呵呵):

1.最关健的就是那个自定义九宫格View,代码来自framework下:LockPatternView,原生系统用的图片资源比较多,好像有7、8张吧,而且绘制的比较复杂,我找寻半天,眼睛都找瞎了,发现解压的QQ里面就3张图片,一个圈圈,两个点,没办法,只能修改代码了,在修改的过程中,才发现,其实可以把原生的LockPatternView给简化,绘制更少的图片,达到更好的效果。总共优化有:①去掉了连线的箭头,②原生的连线只有白色一种,改成根据不同状态显示黄色和红色两张色,③.原生view是先画点再画线,使得线覆盖在点的上面,影响美观,改成先画连线再画点。

关健部分代码onDraw函数:

@Override
protected void onDraw(Canvas canvas) {
 final ArrayList<Cell> pattern = mPattern;
 final int count = pattern.size();
 final boolean[][] drawLookup = mPatternDrawLookup; 

 if (mPatternDisplayMode == DisplayMode.Animate) { 

 // figure out which circles to draw 

 // + 1 so we pause on complete pattern
 final int oneCycle = (count + 1) * MILLIS_PER_CIRCLE_ANIMATING;
 final int spotInCycle = (int) (SystemClock.elapsedRealtime() - mAnimatingPeriodStart)
 % oneCycle;
 final int numCircles = spotInCycle / MILLIS_PER_CIRCLE_ANIMATING; 

 clearPatternDrawLookup();
 for (int i = 0; i < numCircles; i++) {
 final Cell cell = pattern.get(i);
 drawLookup[cell.getRow()][cell.getColumn()] = true;
 } 

 // figure out in progress portion of ghosting line 

 final boolean needToUpdateInProgressPoint = numCircles > 0
 && numCircles < count; 

 if (needToUpdateInProgressPoint) {
 final float percentageOfNextCircle = ((float) (spotInCycle % MILLIS_PER_CIRCLE_ANIMATING))
  / MILLIS_PER_CIRCLE_ANIMATING; 

 final Cell currentCell = pattern.get(numCircles - 1);
 final float centerX = getCenterXForColumn(currentCell.column);
 final float centerY = getCenterYForRow(currentCell.row); 

 final Cell nextCell = pattern.get(numCircles);
 final float dx = percentageOfNextCircle
  * (getCenterXForColumn(nextCell.column) - centerX);
 final float dy = percentageOfNextCircle
  * (getCenterYForRow(nextCell.row) - centerY);
 mInProgressX = centerX + dx;
 mInProgressY = centerY + dy;
 }
 // TODO: Infinite loop here...
 invalidate();
 } 

 final float squareWidth = mSquareWidth;
 final float squareHeight = mSquareHeight; 

 float radius = (squareWidth * mDiameterFactor * 0.5f);
 mPathPaint.setStrokeWidth(radius); 

 final Path currentPath = mCurrentPath;
 currentPath.rewind(); 

 // TODO: the path should be created and cached every time we hit-detect
 // a cell
 // only the last segment of the path should be computed here
 // draw the path of the pattern (unless the user is in progress, and
 // we are in stealth mode)
 final boolean drawPath = (!mInStealthMode || mPatternDisplayMode == DisplayMode.Wrong); 

 // draw the arrows associated with the path (unless the user is in
 // progress, and
 // we are in stealth mode)
 boolean oldFlag = (mPaint.getFlags() & Paint.FILTER_BITMAP_FLAG) != 0;
 mPaint.setFilterBitmap(true); // draw with higher quality since we
   // render with transforms
 // draw the lines
 if (drawPath) {
 boolean anyCircles = false;
 for (int i = 0; i < count; i++) {
 Cell cell = pattern.get(i); 

 // only draw the part of the pattern stored in
 // the lookup table (this is only different in the case
 // of animation).
 if (!drawLookup[cell.row][cell.column]) {
 break;
 }
 anyCircles = true; 

 float centerX = getCenterXForColumn(cell.column);
 float centerY = getCenterYForRow(cell.row);
 if (i == 0) {
 currentPath.moveTo(centerX, centerY);
 } else {
 currentPath.lineTo(centerX, centerY);
 }
 } 

 // add last in progress section
 if ((mPatternInProgress || mPatternDisplayMode == DisplayMode.Animate)
 && anyCircles) {
 currentPath.lineTo(mInProgressX, mInProgressY);
 }
 // chang the line color in different DisplayMode
 if (mPatternDisplayMode == DisplayMode.Wrong)
 mPathPaint.setColor(Color.RED);
 else
 mPathPaint.setColor(Color.YELLOW);
 canvas.drawPath(currentPath, mPathPaint);
 } 

 // draw the circles
 final int paddingTop = getPaddingTop();
 final int paddingLeft = getPaddingLeft(); 

 for (int i = 0; i < 3; i++) {
 float topY = paddingTop + i * squareHeight;
 // float centerY = mPaddingTop + i * mSquareHeight + (mSquareHeight
 // / 2);
 for (int j = 0; j < 3; j++) {
 float leftX = paddingLeft + j * squareWidth;
 drawCircle(canvas, (int) leftX, (int) topY, drawLookup[i][j]);
 }
 } 

 mPaint.setFilterBitmap(oldFlag); // restore default flag
} 

2.第二个值得学习的地方是(代码来自设置应用中):在创建解锁图案时的枚举使用,原生代码中使用了很多枚举,将绘制图案时的状态、底部两个按钮状态、顶部一个TextView显示的提示文字都紧密的联系起来。因此,只用监听LockPatternView动态变化,对应改变底部Button和顶部TextView的状态即可实现联动,简单的方法可以实现很多代码才能实现的逻辑,个人很喜欢。

①全局的状态:

/**
 * Keep track internally of where the user is in choosing a pattern.
 */
 protected enum Stage {
 // 初始状态
 Introduction(R.string.lockpattern_recording_intro_header,
 LeftButtonMode.Cancel, RightButtonMode.ContinueDisabled,
 ID_EMPTY_MESSAGE, true),
 // 帮助状态
 HelpScreen(R.string.lockpattern_settings_help_how_to_record,
 LeftButtonMode.Gone, RightButtonMode.Ok, ID_EMPTY_MESSAGE,
 false),
 // 绘制过短
 ChoiceTooShort(R.string.lockpattern_recording_incorrect_too_short,
 LeftButtonMode.Retry, RightButtonMode.ContinueDisabled,
 ID_EMPTY_MESSAGE, true),
 // 第一次绘制图案
 FirstChoiceValid(R.string.lockpattern_pattern_entered_header,
 LeftButtonMode.Retry, RightButtonMode.Continue,
 ID_EMPTY_MESSAGE, false),
 // 需要再次绘制确认
 NeedToConfirm(R.string.lockpattern_need_to_confirm,
 LeftButtonMode.Cancel, RightButtonMode.ConfirmDisabled,
 ID_EMPTY_MESSAGE, true),
 // 确认出错
 ConfirmWrong(R.string.lockpattern_need_to_unlock_wrong,
 LeftButtonMode.Cancel, RightButtonMode.ConfirmDisabled,
 ID_EMPTY_MESSAGE, true),
 // 选择确认
 ChoiceConfirmed(R.string.lockpattern_pattern_confirmed_header,
 LeftButtonMode.Cancel, RightButtonMode.Confirm,
 ID_EMPTY_MESSAGE, false); 

 /**
 * @param headerMessage
 * The message displayed at the top.
 * @param leftMode
 * The mode of the left button.
 * @param rightMode
 * The mode of the right button.
 * @param footerMessage
 * The footer message.
 * @param patternEnabled
 * Whether the pattern widget is enabled.
 */
 Stage(int headerMessage, LeftButtonMode leftMode,
 RightButtonMode rightMode, int footerMessage,
 boolean patternEnabled) {
 this.headerMessage = headerMessage;
 this.leftMode = leftMode;
 this.rightMode = rightMode;
 this.footerMessage = footerMessage;
 this.patternEnabled = patternEnabled;
 } 

 final int headerMessage;
 final LeftButtonMode leftMode;
 final RightButtonMode rightMode;
 final int footerMessage;
 final boolean patternEnabled;
 } 

②.底部两个按钮的状态枚举:

/**
 * The states of the left footer button.
 */
 enum LeftButtonMode {
 // 取消
 Cancel(android.R.string.cancel, true),
 // 取消时禁用
 CancelDisabled(android.R.string.cancel, false),
 // 重试
 Retry(R.string.lockpattern_retry_button_text, true),
 // 重试时禁用
 RetryDisabled(R.string.lockpattern_retry_button_text, false),
 // 消失
 Gone(ID_EMPTY_MESSAGE, false); 

 /**
 * @param text
 * The displayed text for this mode.
 * @param enabled
 * Whether the button should be enabled.
 */
 LeftButtonMode(int text, boolean enabled) {
 this.text = text;
 this.enabled = enabled;
 } 

 final int text;
 final boolean enabled;
 } 

 /**
 * The states of the right button.
 */
 enum RightButtonMode {
 // 继续
 Continue(R.string.lockpattern_continue_button_text, true),
 //继续时禁用
 ContinueDisabled(R.string.lockpattern_continue_button_text, false),
 //确认
 Confirm(R.string.lockpattern_confirm_button_text, true),
 //确认是禁用
 ConfirmDisabled(R.string.lockpattern_confirm_button_text, false),
 //OK
 Ok(android.R.string.ok, true); 

 /**
 * @param text
 * The displayed text for this mode.
 * @param enabled
 * Whether the button should be enabled.
 */
 RightButtonMode(int text, boolean enabled) {
 this.text = text;
 this.enabled = enabled;
 } 

 final int text;
 final boolean enabled;
 } 

就这样,只要LockPatternView的状态一发生改变,就会动态改变底部两个Button的文字和状态。很简洁,逻辑性很强。

3.第三个个人觉得比较有用的就是加密这一块了,为了以后方便使用,我把图案加密和字符加密分成两个工具类:LockPatternUtils和LockPasswordUtils两个文件,本文使用到的是LockPatternUtils。其实所谓的图案加密也是将其通过SHA-1加密转化成二进制数再保存到文件中(原生系统保存在/system/目录下,我这里没有权限,就保存到本应用目录下),解密时,也是将获取到用户的输入通过同样的方法加密,再与保存到文件中的对比,相同则密码正确,不同则密码错误。关健代码就是以下4个函数:

/**
 * Serialize a pattern. 加密
 *
 * @param pattern
 * The pattern.
 * @return The pattern in string form.
 */
public static String patternToString(List<LockPatternView.Cell> pattern) {
 if (pattern == null) {
 return "";
 }
 final int patternSize = pattern.size(); 

 byte[] res = new byte[patternSize];
 for (int i = 0; i < patternSize; i++) {
 LockPatternView.Cell cell = pattern.get(i);
 res[i] = (byte) (cell.getRow() * 3 + cell.getColumn());
 }
 return new String(res);
} 

/**
 * Save a lock pattern.
 *
 * @param pattern
 * The new pattern to save.
 * @param isFallback
 * Specifies if this is a fallback to biometric weak
 */
public void saveLockPattern(List<LockPatternView.Cell> pattern) {
 // Compute the hash
 final byte[] hash = LockPatternUtils.patternToHash(pattern);
 try {
 // Write the hash to file
 RandomAccessFile raf = new RandomAccessFile(sLockPatternFilename,
 "rwd");
 // Truncate the file if pattern is null, to clear the lock
 if (pattern == null) {
 raf.setLength(0);
 } else {
 raf.write(hash, 0, hash.length);
 }
 raf.close();
 } catch (FileNotFoundException fnfe) {
 // Cant do much, unless we want to fail over to using the settings
 // provider
 Log.e(TAG, "Unable to save lock pattern to " + sLockPatternFilename);
 } catch (IOException ioe) {
 // Cant do much
 Log.e(TAG, "Unable to save lock pattern to " + sLockPatternFilename);
 }
} 

/*
 * Generate an SHA-1 hash for the pattern. Not the most secure, but it is at
 * least a second level of protection. First level is that the file is in a
 * location only readable by the system process.
 *
 * @param pattern the gesture pattern.
 *
 * @return the hash of the pattern in a byte array.
 */
private static byte[] patternToHash(List<LockPatternView.Cell> pattern) {
 if (pattern == null) {
 return null;
 } 

 final int patternSize = pattern.size();
 byte[] res = new byte[patternSize];
 for (int i = 0; i < patternSize; i++) {
 LockPatternView.Cell cell = pattern.get(i);
 res[i] = (byte) (cell.getRow() * 3 + cell.getColumn());
 }
 try {
 MessageDigest md = MessageDigest.getInstance("SHA-1");
 byte[] hash = md.digest(res);
 return hash;
 } catch (NoSuchAlgorithmException nsa) {
 return res;
 }
} 

/**
 * Check to see if a pattern matches the saved pattern. If no pattern
 * exists, always returns true.
 *
 * @param pattern
 * The pattern to check.
 * @return Whether the pattern matches the stored one.
 */
public boolean checkPattern(List<LockPatternView.Cell> pattern) {
 try {
 // Read all the bytes from the file
 RandomAccessFile raf = new RandomAccessFile(sLockPatternFilename,
 "r");
 final byte[] stored = new byte[(int) raf.length()];
 int got = raf.read(stored, 0, stored.length);
 raf.close();
 if (got <= 0) {
 return true;
 }
 // Compare the hash from the file with the entered pattern's hash
 return Arrays.equals(stored,
 LockPatternUtils.patternToHash(pattern));
 } catch (FileNotFoundException fnfe) {
 return true;
 } catch (IOException ioe) {
 return true;
 }
}

好了,代码就分析到这里,非常感谢你看到了文章末尾。

本文源码(utf-8编码):Android仿手机QQ图案解锁

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持我们。

(0)

相关推荐

  • Android指纹解锁示例代码

    Android6.0及以上系统支持指纹识别解锁功能:项目中用到,特此抽离出来,备忘. 功能是这样的:在用户将app切换到后台运行(超过一定的时长,比方说30秒),再进入程序中的时候就会弹出指纹识别的界面.用户输入指纹,解锁成功.指纹识别的模块其实很简单啦,google的api已经封装好了,我们只需要学会调用就ok了. 思路: 在用户将程序切换到后台的时候需要有一个方法计时,这样的方法写在哪里呢,对,要写在service中.在Activity中开启服务: Intent intent = new I

  • Android APP数字解锁实例详解

    Android APP数字上锁 最近抽时间做了下数字解锁的功能,手机有数字解锁,App也可以做到,避免某些应用隐私泄漏,一下就是实现效果图: 序言:这两天老大给了个任务,说是做一个仿ios的数字锁屏界面,心想着这种东西网上应该有挺多的,然后就先百度了一把,谁知道案例好像少的可怜,然后带着怀疑的心态去下载了千辛万苦找到的"源码",看里面写的,然后自己有点眉目了,就自己借着"源码"的思路自己实现了一把,见上图. 思路: 这里我们可以看成两部分,一部分是上面的输入的,另一

  • 轻松实现Android自定义九宫格图案解锁

    Android实现九宫格图案解锁,自带将图案转化成数字密码的功能,代码如下: LockPatternView.java package com.jackie.lockpattern; import android.content.Context; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Point; import android.text.TextUtils; i

  • android 九宫格滑动解锁开机实例源码学习

    效果图由于网站占时不能上传,以后补上. NinePointLineView.java 复制代码 代码如下: package org.demo.custon_view; import org.demo.utils.MLog; import android.content.Context; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.graphics.Canvas; imp

  • Android实现九宫格解锁的方法

    相信大家都有使用九宫格解锁,比如在设置手机安全项目中,可以使用九宫格解锁,提高安全性,以及在使用支付功能的时候,为了提高安全使用九宫锁,今天就为大家介绍Android实现九宫格的方法,分享给大家供大家参考.具体如下: 运行效果截图如下: 具体代码如下: 布局文件如下: <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas

  • Android唤醒、解锁屏幕代码实例

    解锁.唤醒屏幕用到KeyguardManager,KeyguardLock,PowerManager,PowerManager.WakeLock   所需权限: 复制代码 代码如下: <uses-permission android:name="android.permission.WAKE_LOCK" /> <uses-permission android:name="android.permission.DISABLE_KEYGUARD" /&

  • Android指纹解锁方法解析

    我先说说这两种的方式的不同之处吧 第一种: 在调动成功之后 不会让你指纹解锁 而是调转到当初你设置指纹解锁时的 手势解锁页面 第二种: 在调动成功之后,是进行指纹解锁 不调转 你直接把手指放到金属感应环 上面进行指纹验证 大家可以根据需求 自行选择 ok 那就亮代码了 第一种: xml 布局: 一个 文本显示 一个按钮(不解释) MainActivity.java源码 public class MainActivity extends FragmentActivity { Fingerprint

  • android滑动解锁震动效果的开启和取消

    如果我们需要根据设置中的触摸震动开关来开启和取消滑动解锁的震动效果,就需要做以下修改了. 在LockScreen.java类中的LockScreen方法中的 复制代码 代码如下: else if (mUnlockWidget instanceof MultiWaveView) {            MultiWaveView multiWaveView = (MultiWaveView) mUnlockWidget; multiWaveView.setVibrateEnabled(Setti

  • 轻松实现安卓(Android)九宫格解锁

    效果图 思路 首先我们来分析一下实现九宫格解锁的思路:当用户的手指触摸到某一个点时,先判断该点是否在九宫格的某一格范围之内,若在范围内,则该格变成选中的状态:之后用户手指滑动的时候,以该格的圆心为中心,用户手指为终点,两点连线.最后当用户手指抬起时,判断划过的九宫格密码是否和原先的密码匹配. 大致的思路流程就是上面这样的了,下面我们可以来实践一下. Point 类 我们先来创建一个 Point 类,用来表示九宫格锁的九个格子.除了坐标 x ,y 之外,还有三种模式:正常模式.按下模式和错误模式.

  • Android手机屏幕敲击解锁功能代码

    1.前言 现在市面上有不少Android手机支持敲击屏幕解锁,敲击屏幕解锁是一项很实用的功能,但一来只支持敲击屏幕,二来只能用于解锁或锁屏,再者我们应用层的开发者切不进去,完全无法玩起来.开发者,开发者,我们既然身为开发者何不搞点大新闻,那么这次我来教教各位如何用代码来实现手机的敲击识别,听起来是不是很有趣,有些跃跃欲试呢.事实上在ios上已经有实现这个功能的应用:Knock,一款敲击来解锁Mac电脑的应用,售价4.99美元,约为33人民币.有时候真想去做ios开发,可以开心的为自己的应用定价,

随机推荐