android 网易item广告,Android仿网易严选商品详情页

仿照网易严选商品详情页面,整个页面分为两个部分,上面一部分是Native的ScrollView,下面一部分则是WebView,其目的是为了可以进行分步加载。滑动到ScrollView底部时,继续向上拖动,可以加载下面的WebView部分。反之,滑动到WebView顶部时,继续向下拖动,可以展示上面的ScrollView部分。其中,在向上或者向下拖动的时候,增加了一些阻力。另外,还使用了自定义控件辅助神器ViewDragHelper,可以使滑动比较流畅。

一、自定义View

总体的实现思路是对ScrollView和WebView的dispatchTouchEvent 方法进行重写,当在ScrollView的顶部并且向上拉,或者是在WebView的底部向下拉时,自身不消费事件,让父容器拦截事件并处理,父容器Touch事件的拦截与处理都交给ViewDragHelper来处理。

1.自定义ViewGroup

public class GoodsDetailVerticalSlideView extends ViewGroup {

private static final int VEL_THRESHOLD = 6000;// 滑动速度的阈值,超过这个绝对值认为是上下

private int DISTANCE_THRESHOLD = 75;// 单位是dp,当上下滑动速度不够时,通过这个阈值来判定是应该粘到顶部还是底部

private OnPullListener onPullListener;// 页面上拉或者下拉监听器

private OnShowPreviousPageListener onShowPreviousPageListener;// 手指松开是否加载上一页的监听器

private OnShowNextPageListener onShowNextPageListener; // 手指松开是否加载下一页的监听器

private ViewDragHelper mDragHelper;

private GestureDetectorCompat mGestureDetector;// 手势识别,处理手指在触摸屏上的滑动

private View view1;

private View view2;

private int viewHeight;

private int currentPage;// 当前第几页

private int pageIndex;// 页码标记

/**

* 设置页面上拉或者下拉监听

* @param onPullListener

*/

public void setOnPullListener(OnPullListener onPullListener) {

this.onPullListener = onPullListener;

}

/**

* 设置加载上一页监听

* @param onShowPreviousPageListener

*/

public void setOnShowPreviousPageListener(OnShowPreviousPageListener onShowPreviousPageListener) {

this.onShowPreviousPageListener = onShowPreviousPageListener;

}

/**

* 设置加载下一页监听

* @param onShowNextPageListener

*/

public void setOnShowNextPageListener(OnShowNextPageListener onShowNextPageListener) {

this.onShowNextPageListener = onShowNextPageListener;

}

public GoodsDetailVerticalSlideView(Context context) {

this(context, null);

}

public GoodsDetailVerticalSlideView(Context context, AttributeSet attrs) {

this(context, attrs, 0);

}

public GoodsDetailVerticalSlideView(Context context, AttributeSet attrs, int defStyleAttr) {

super(context, attrs, defStyleAttr);

DISTANCE_THRESHOLD = (int) TypedValue.applyDimension(TypedValue.COMPLEX_UNIT_DIP, DISTANCE_THRESHOLD, getResources().getDisplayMetrics());

// 在自定义ViewGroup时,ViewDragHelper可以用来拖拽和设置子View的位置(在ViewGroup范围内)。

mDragHelper = ViewDragHelper.create(this, 10.0f, new DragCallBack());

mDragHelper.setEdgeTrackingEnabled(ViewDragHelper.EDGE_BOTTOM);

mGestureDetector = new GestureDetectorCompat(getContext(), new YScrollDetector());

currentPage = 1;

}

@Override

protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {

measureChildren(widthMeasureSpec, heightMeasureSpec);

super.onMeasure(widthMeasureSpec, heightMeasureSpec);

}

@Override

protected void onLayout(boolean changed, int l, int t, int r, int b) {

if (view1 == null) view1 = getChildAt(0);

if (view2 == null) view2 = getChildAt(1);

//当滑到第二页时,第二页的top为0,第一页为负数。

if (view1.getTop() == 0) {

view1.layout(0, 0, r, b);

view2.layout(0, 0, r, b);

viewHeight = view1.getMeasuredHeight();

view2.offsetTopAndBottom(viewHeight);// view2向下移动到view1的底部

} else {

view1.layout(view1.getLeft(), view1.getTop(), view1.getRight(), view1.getBottom());

view2.layout(view2.getLeft(), view2.getTop(), view2.getRight(), view2.getBottom());

}

}

@Override

protected void onSizeChanged(int w, int h, int oldw, int oldh) {

super.onSizeChanged(w, h, oldw, oldh);

}

// Touch事件的拦截与处理都交给mDragHelper来处理

@Override

public boolean onInterceptTouchEvent(MotionEvent ev) {

if (view1.getBottom() > 0 && view1.getTop() < 0) {

// view粘到顶部或底部,正在动画中的时候,不处理Touch事件

return false;

}

boolean shouldIntercept = false;

boolean yScroll = mGestureDetector.onTouchEvent(ev);

try {

shouldIntercept = mDragHelper.shouldInterceptTouchEvent(ev);

//修复导致OnTouchEvent中pointerIndex out of range的异常

int action = ev.getActionMasked();

if (action == MotionEvent.ACTION_DOWN) {

mDragHelper.processTouchEvent(ev);

}

} catch (Exception e) {

e.printStackTrace();

}

return shouldIntercept && yScroll;

}

@Override

public boolean onTouchEvent(MotionEvent event) {

try {

mDragHelper.processTouchEvent(event);

} catch (Exception e) {

e.printStackTrace();

}

return true;

}

private class DragCallBack extends ViewDragHelper.Callback {

@Override

public boolean tryCaptureView(View child, int pointerId) {

// 两个子View都需要跟踪,返回true

return true;

}

@Override

public void onViewPositionChanged(View changedView, int left, int top, int dx, int dy) {

// 由于拖拽导致被捕获View的位置发生改变时进行回调

if (changedView == view1) {

view2.offsetTopAndBottom(dy);

if (onPullListener != null && currentPage == 1) {

onPullListener.onPull(1, top);

}

}

if (changedView == view2) {

view1.offsetTopAndBottom(dy);

if (onPullListener != null && currentPage == 2) {

onPullListener.onPull(2, top);

}

}

// 如果不重绘,拖动的时候,其他View会不显示

ViewCompat.postInvalidateOnAnimation(GoodsDetailVerticalSlideView.this);

}

@Override

public int getViewVerticalDragRange(View child) {

// 这个用来控制拖拽过程中松手后,自动滑行的速度

return child.getHeight();

}

@Override

public void onViewReleased(View releasedChild, float xvel, float yvel) {

// 滑动松开后,需要向上或者向下粘到特定的位置, 默认是粘到最顶端

int finalTop = 0;

if (releasedChild == view1) {

// 拖动view1松手

if (yvel < -VEL_THRESHOLD || releasedChild.getTop() < -DISTANCE_THRESHOLD) {

// 向上的速度足够大或者向上滑动的距离超过某个阈值,就滑动到view2顶端

finalTop = -viewHeight;

}

} else {

// 拖动view2松手

if (yvel > VEL_THRESHOLD || releasedChild.getTop() > DISTANCE_THRESHOLD) {

// 向下的速度足够大或者向下滑动的距离超过某个阈值,就滑动到view1顶端

finalTop = viewHeight;

}

}

//触发缓慢滚动

//将给定子View平滑移动到给定位置,会回调continueSettling(boolean)方法,在内部是用的ScrollerCompat来实现滑动的。

//如果返回true,表明动画应该继续,所以调用者应该调用continueSettling(boolean)在每个后续帧继续动作,直到它返回false。

if (mDragHelper.smoothSlideViewTo(releasedChild, 0, finalTop)) {

ViewCompat.postInvalidateOnAnimation(GoodsDetailVerticalSlideView.this);

}

}

@Override

public int clampViewPositionVertical(View child, int top, int dy) {

// 限制被拖动的子View在垂直方向的移动,可以用作边界约束

// 阻尼滑动,让滑动位移变为1/2,除数越大阻力越大

return child.getTop() + dy / 2;

}

}

@Override

public void computeScroll() {

// 判断smoothSlideViewTo触发的continueSettling(boolean)的返回值

if (mDragHelper.continueSettling(true)) {

// 如果当前被捕获的子View还需要继续移动,则进行重绘直到它返回false,返回false表示不用后续操作就能完成这个动作了。

ViewCompat.postInvalidateOnAnimation(this);

if (view2.getTop() == 0) {

currentPage = 2;

if (onShowNextPageListener != null && pageIndex != 2) {

onShowNextPageListener.onShowNextPage();

pageIndex =2;

}

} else if (view1.getTop() == 0) {

currentPage = 1;

if (onShowPreviousPageListener != null && pageIndex != 1) {

onShowPreviousPageListener.onShowPreviousPage();

pageIndex =1;

}

}

}

}

/** 滚动到view1顶部 */

public void smoothSlideToFirstPageTop() {

if (currentPage == 2) {

//触发缓慢滚动

if (mDragHelper.smoothSlideViewTo(view2, 0, viewHeight)) {

ViewCompat.postInvalidateOnAnimation(this);

}

}

}

/** 滚动到view2顶部 */

public void smoothSlideToSecondPageTop() {

if (currentPage == 1) {

//触发缓慢滚动

if (mDragHelper.smoothSlideViewTo(view1, 0, -viewHeight)) {

ViewCompat.postInvalidateOnAnimation(this);

}

}

}

private class YScrollDetector extends GestureDetector.SimpleOnGestureListener {

@Override

public boolean onScroll(MotionEvent e1, MotionEvent e2, float dx, float dy) {

// 垂直滑动时dy>dx,才被认定是上下拖动

return Math.abs(dy) > Math.abs(dx);

}

}

public interface OnPullListener{

void onPull(int currentPage, int top);

}

public interface OnShowPreviousPageListener{

void onShowPreviousPage();

}

public interface OnShowNextPageListener {

void onShowNextPage();

}

}

其中,有一些回调监听Listener,在具体业务逻辑处理的时候,可以跟Activity进行相应的交互,其余部分基本都有代码注释了。

2.自定义ScrollView

public class GoodsDetailScrollView extends ScrollView {

private float downX;

private float downY;

public GoodsDetailScrollView(Context context) {

this(context, null);

}

public GoodsDetailScrollView(Context context, AttributeSet attrs) {

this(context, attrs, 0);

}

public GoodsDetailScrollView(Context context, AttributeSet attrs, int defStyleAttr) {

super(context, attrs, defStyleAttr);

}

@Override

public boolean dispatchTouchEvent(MotionEvent ev) {

switch (ev.getAction()) {

case MotionEvent.ACTION_DOWN:

downX = ev.getX();

downY = ev.getY();

//如果滑动到了最底部,就允许继续向上滑动加载下一页,否者不允许

getParent().requestDisallowInterceptTouchEvent(true);

break;

case MotionEvent.ACTION_MOVE:

float dx = ev.getX() - downX;

float dy = ev.getY() - downY;

boolean allowParentTouchEvent;

if (Math.abs(dy) > Math.abs(dx)) {

if (dy > 0) {

//ScrollView顶部下拉时需要放大图片,自身消费事件

allowParentTouchEvent = false;

} else {

//位于底部时上拉,让父View消费事件

allowParentTouchEvent = isBottom();

}

} else {

//水平方向滑动,自身消费事件

allowParentTouchEvent = false;

}

getParent().requestDisallowInterceptTouchEvent(!allowParentTouchEvent);

}

return super.dispatchTouchEvent(ev);

}

public boolean isTop() {

return !canScrollVertically(-1);

}

public boolean isBottom() {

return !canScrollVertically(1);

}

public void goTop() {

scrollTo(0, 0);

}

}

其中,可以根据自身业务逻辑的需要,对dispatchTouchEvent事件分发做相应的调整。

3.自定义WebView

public class GoodsDetailWebView extends WebView {

private float downX;

private float downY;

public GoodsDetailWebView(Context context) {

this(context, null);

}

public GoodsDetailWebView(Context context, AttributeSet attrs) {

this(context, attrs, 0);

}

public GoodsDetailWebView(Context context, AttributeSet attrs, int defStyleAttr) {

super(context, attrs, defStyleAttr);

}

@Override

public boolean dispatchTouchEvent(MotionEvent ev) {

switch (ev.getAction()) {

case MotionEvent.ACTION_DOWN:

downX = ev.getX();

downY = ev.getY();

//如果滑动到了最顶部,就允许继续向下滑动加载上一页,否者不允许

getParent().requestDisallowInterceptTouchEvent(true);

break;

case MotionEvent.ACTION_MOVE:

float dx = ev.getX() - downX;

float dy = ev.getY() - downY;

boolean allowParentTouchEvent;

if (Math.abs(dy) > Math.abs(dx)) {

if (dy > 0) {

//位于顶部时下拉,让父View消费事件

allowParentTouchEvent = isTop();

} else {

//向上滑动,自身消费事件

allowParentTouchEvent = false;

}

} else {

//水平方向滑动,自身消费事件

allowParentTouchEvent = false;

}

getParent().requestDisallowInterceptTouchEvent(!allowParentTouchEvent);

}

return super.dispatchTouchEvent(ev);

}

public boolean isTop() {

return getScrollY() <= 0;

}

public boolean isBottom() {

return getHeight() + getScrollY() >= getContentHeight() * getScale();

}

public void goTop() {

scrollTo(0, 0);

}

}

同样的,可以根据自身业务逻辑的需要,对dispatchTouchEvent事件分发做相应的调整。

二、如何使用

1.在Activity中使用GoodsDetailVerticalSlideView控件

(1)使用GoodsDetailVerticalSlideView控件,内部包含两个子View,分别表示第一部分ScrollView和第二部分WebView,可以先使用FrameLayout占位,然后在代码中使用Fragment替换。

android:layout_width="match_parent"

android:layout_height="match_parent"

android:background="@color/white">

android:id="@+id/goods_detail_vertical_slide_view"

android:layout_width="match_parent"

android:layout_height="match_parent">

android:id="@+id/layout_goods_scrollview"

android:layout_width="match_parent"

android:layout_height="match_parent"/>

android:id="@+id/layout_goods_webview"

android:layout_width="match_parent"

android:layout_height="match_parent"/>

(2)当然,也可以直接使用GoodsDetailScrollView和GoodsDetailWebView

android:layout_width="match_parent"

android:layout_height="match_parent"

android:background="@color/white">

android:id="@+id/goods_detail_vertical_slide_view"

android:layout_width="match_parent"

android:layout_height="match_parent">

android:layout_width="match_parent"

android:layout_height="match_parent">

......

android:layout_width="match_parent"

android:layout_height="match_parent">

......

2.在Fragment中使用GoodsDetailScrollView和GoodsDetailWebView

这边有个注意点就是上拉或者下拉的时候,我们一般都会给用户展示一个文字和图片的指示器来提示用户如何操作,我们只需要把指示器放在上面一部分的ScrollView布局里面即可,然后根据目前正在展示哪一部分进行显示/隐藏以及文字图片变化就可以了,这样可以使我们的整个拖动效果看起来比较流畅。

(1)Fragment中使用GoodsDetailScrollView

android:id="@+id/goods_detail_scrollview"

android:layout_width="match_parent"

android:layout_height="wrap_content"

android:orientation="vertical">

android:layout_width="match_parent"

android:layout_height="wrap_content"

android:orientation="vertical">

......

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

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

相关文章

freemarker,数字,日期,布尔值常用的函数

${3.4?floor} ${3.4?ceiling} ${3.45?round} ${3.45?rtf} ${3.458?string("0.##")} ${3.42?string.percent} ${3.42?string.currency} ${date?string("yyyy-MM-dd")} ${date?date} ${date?time} ${date?datetime}${true?c} ${true?string} ${…

mysql联合索引与Where子句优化浅析

问题描述&#xff1a;把排序、条件等一个一个去除来做测试&#xff0c;结果发现问题就出在排序部分&#xff0c;去除排序时&#xff0c;执行时间由原来的48秒变成0.3x秒。于是&#xff0c;把涉及排序的字段组成一个联合索引alter table xx add index indexname(x1,x2,x3)&#…

有效使用Eclipse的热门提示

以下是一些技巧&#xff0c;可以帮助您避免潜在的问题并在使用Eclipse时提高工作效率。 避免安装问题 切勿在旧版本之上安装新版本的Eclipse。 首先重命名旧版本&#xff0c;将其移开&#xff0c;然后将新版本解压缩到干净的目录中。 恢复混乱的工作空间 对于许多开发人员来…

android拍照截图组件,Android截图命令screencap与视频录制命令screenrecord(示例代码)...

查看帮助命令[email protected] ~$ adb shell screencap -vscreencap: invalid option -- vusage: screencap [-hp] [-d display-id] [FILENAME]-h: this message-p: save the file as a png.-d: specify the display id to capture, default 0.If FILENAME ends with .png it …

usaco 2017 February platinum

1.一条路&#xff0c;两边都是一个1到n的全排列&#xff0c;可以把其中一个全排列的起始位置改变&#xff08;比如123可以变成231或者312&#xff09; 然后把相同的数连起来&#xff0c;求小交叉数。 先算一下交叉数&#xff0c;然后直接一步步移动&#xff0c;O1更新一下状态就…

Hessian 源码简单分析

Hessian 源码简单分析 Hessian 是一个rpc框架&#xff0c; 我们需要先写一个服务端&#xff0c; 然后在客户端远程的调用它即可。 服务端&#xff1a; 服务端通常和spring 做集成。 首先写一个接口&#xff1a; public interface HelloService { void sayHello(String n…

Java开发人员应该知道的三件事

对于那些长期关注JavaOne 2012会议的读者来说&#xff0c;这是一篇有趣的文章。 我最近对Java冠军Heinz Kabutz的采访引起了我的注意&#xff1b; 包括他的Java内存难题程序&#xff0c;从Java内存管理的角度来看&#xff0c;这很有启发性。 采访中有一个特别的部分吸引了我的注…

android怎么垂直居中且靠右,placeholder 靠右垂直居中/位置兼容

1.input输入框文字靠右垂直居中。2.placehoder提示同样靠右垂直居中。( placeholder是HTML5 input的新属性&#xff0c;英文意思是占位符&#xff0c;它一般表示input输入框的默认提示值。)css代码input {text-align: right;font-size:0.3rem;width:100%;height:0.78rem;line-…

Python-Matplotlib 18 注释

Python-Matplotlib 18 注释 EG1: import numpy as np import matplotlib.pyplot as plty np.arange(-5, 6,1) plt.plot(y, y*y) plt.annotate(Annotate , xy(0,1) , xytext(0,5) ,arrowpropsdict(facecolorr , frac0.2 ))plt.show()转载于:https://www.cnblogs.com/zsr0401/p/…

while和for循环

循环结构图&#xff1a; 循环结构主要分为两种&#xff1a;有while和for两种循环&#xff0c;while又分为do{...}while和while{...},do...while表示先执行后判断&#xff0c;而while循坏表示先判断后执行&#xff0c;如果循环条件都不满足的情况下&#xff0c;do...while至少执…

通过beforeClass和afterClass设置增强Spring Test Framework

如何允许实例方法作为JUnit BeforeClass行为运行 JUnit允许您在所有测试方法调用之前和之后一次在类级别上设置方法。 但是&#xff0c;通过有意设计&#xff0c;他们将其限制为仅使用BeforeClass和AfterClass批注的静态方法。 例如&#xff0c;此简单的演示显示了典型的Junit设…

华为鸿蒙出来正当时,关于华为鸿蒙操作系统,中兴率先表态

原标题&#xff1a;关于华为鸿蒙操作系统&#xff0c;中兴率先表态 来源&#xff1a;科技数码迷进入2021年之后中兴这个品牌的存在感越来越强了&#xff0c;并且还学会了借势营销。每当国内智能手机领域有大事之时总会看到中兴或红魔手机的身影。这说明在5G过渡期中兴要借个机会…

条件变量(Condition Variable)详解

转载于&#xff1a;http://blog.csdn.net/erickhuang1989/article/details/8754357 条件变量(Condtion Variable)是在多线程程序中用来实现“等待->唤醒”逻辑常用的方法。举个简单的例子&#xff0c;应用程序A中包含两个线程t1和t2。t1需要在bool变量test_cond为true时才能…

C++中的深拷贝和浅拷贝 QT中的深拷贝,浅拷贝和隐式共享

下面是C中定义的深&#xff0c;浅拷贝 当用一个已初始化过了的自定义类类型对象去初始化另一个新构造的对象的时候&#xff0c;拷贝构造函数就会被自动调用。也就是说&#xff0c;当类的对象需要拷贝时&#xff0c;拷贝构造函数将会被调用。以下情况都会调用拷贝构造函数&#…

使用PowerMock模拟构造函数

我认为&#xff0c;依赖项注入的主要好处之一是可以将模拟和/或存根对象注入代码中&#xff0c;以提高可测试性&#xff0c;增加测试覆盖率并编写更好&#xff0c;更有意义的测试。 但是&#xff0c;有时候您会遇到一些不使用依赖注入的传统代码&#xff0c;而是通过组合而不是…

Brackets (区间DP)

个人心得&#xff1a;今天就做了这些区间DP&#xff0c;这一题开始想用最长子序列那些套路的&#xff0c;后面发现不满足无后效性的问题&#xff0c;即&#xff08;&#xff0c;&#xff09;的配对 对结果有一定的影响&#xff0c;后面想着就用上一题的思想就慢慢的从小一步一步…

android生成aar无效,android studio生成aar包并在其他工程引用aar包的方法

1.aar包是android studio下打包android工程中src、res、lib后生成的aar文件&#xff0c;aar包导入其他android studio 工程后&#xff0c;其他工程可以方便引用源码和资源文件2.生成aar包步骤&#xff1a;①.用android studio打开一个工程&#xff0c;然后新建一个Module&#…

《剑指offer》— JavaScript(3)从尾到头打印链表

从尾到头打印链表 题目描述 输入一个链表&#xff0c;从尾到头打印链表每个节点的值。 实现代码 /*function ListNode(x){this.val x;this.next null; }*/ function printListFromTailToHead(head) {var res[];while(head){res.unshift(head.val);headhead.next;}return res;…

JUnit测试Spring Service和DAO(带有内存数据库)

这篇文章描述了如何为Spring Web Application的Services和DAO实现JUnit测试。 它建立在Spring MVC-Service-DAO-Persistence Architecture Example的基础上 。 从Github的Spring-Web-JPA-Testing目录中可以找到该示例。 提醒 测试装置 –固定状态&#xff0c;用作运行测试的基…

c# 正则获取html标签内容,c# – 使用正则表达式在多个HTML标记之间获取文本

使用正则表达式,我希望能够在多个DIV标记之间获取文本.例如,以下内容&#xff1a;first html taganother tag输出&#xff1a;first html taganother tag我使用的正则表达式模式只匹配我的最后一个div标签并错过了第一个.码&#xff1a;static void Main(string[] args){string…