Android开发艺术探索(3) --- View的事件体系

1. View基础知识

- Android中所有控件的基类,是一种界面层的控件的一种抽象
- ViewGroup也继承于View

知识点:

  • View的位置参数
  • MotionEventTouchSlop对象
  • VelocityTrackerGestureDetectorScroller对象

1.1 View的位置参数

y = top + translationY
x= left + translationX

x,y分别代表滑动后的位置
translationX,translationY分别代表滑动后相对原始位置的偏移量

View位置坐标

1.2 MotionEvent和TouchSlop

1. MotionEvent
手指接触屏幕后所产生的一系列事件中,典型的事件类型有如下几种:

  • ACTION_DOWN
  • ACTION_MOVE
  • ACTION_UP

2. TouchSlop
- 系统所称识别出的被认为是活动的最小距离
- 获取:ViewConfiguration.getContext().getScaledTouchSlop();

Android FingerPaint Undo/Redo implementation
Android Paint的基本用法

1.3 VelocityTracker,GestureDetector和Scroller

1. VelocityTracker
- 速度追踪,用于追踪手指在活动过程中的速度,包括水平和竖直方向的速度
使用方法:

VelocityTracker velocityTracker = VelocityTracker.obtain();
velocityTracker.addMovement(event); //开始追踪事件

velocityTracker.computeCurrentVelocity(1000); //先计算才能获取速度
int xVelocity = (int) velocityTracker.getXVelocity();
int yVelocity = (int) velocityTracker.getYVelocity();

2. GestureDetector
- 手势检测,用于辅助检测用户的单机、滑动、长按、双击等行为
使用方法:

GestureDetector mGestureDetector = new GestureDetector(this);
mGestureDetector.setIsLongpressEnabled(true);

//在待监听View的onTouchEvent方法中添加如下实现
boolean consume = mGestureDetector.onTouchEvent(event);
return consume;

Android手势检测——GestureDetector全面分析
GestureDetector 手势的检测
2.1 GestureDetector的基本用法
2.1.1 创建GestureDetector

gestureDetector = new GestureDetector(this);

2.2.2 实现OnGestureListener

@Override
    public boolean onDown(MotionEvent motionEvent) {
        return false;
    }

    @Override
    public void onShowPress(MotionEvent motionEvent) {
        Toast.makeText(this, "onShoPress", Toast.LENGTH_SHORT).show();
    }

    @Override
    public boolean onSingleTapUp(MotionEvent motionEvent) {
        Log.d(TAG, "onSingleTapUp: ");
        Toast.makeText(this, "onSingleTapUp", Toast.LENGTH_SHORT).show();

        return true;
    }

    @Override
    public boolean onScroll(MotionEvent motionEvent, MotionEvent motionEvent1, float v, float v1) {
        return false;
    }

    @Override
    public void onLongPress(MotionEvent motionEvent) {

    }

    @Override
    public boolean onFling(MotionEvent motionEvent, MotionEvent motionEvent1, float v, float v1) {
        return false;
    }

2.2.3 GestureDetector接管OnTouch

@Override
    public boolean onTouch(View view, MotionEvent motionEvent) {
        boolean consume = gestureDetector.onTouchEvent(motionEvent);
        return consume;
    }

3. Scroller
- Scroller本身无法让View弹性滑动,其过程不是瞬间完成的,而是在一定的时间间隔内完成的

2. View的滑动

常见的滑动方式

  • scrollTo/scrollBy
  • 动画
  • 改变布局参数

2.1使用scrollTo/scrollBy

- View的方法

scrollTo是基于所传递参数的绝对滑动
scrollBy相对滑动

左滑/上滑 为正
右滑/下滑 为负

2.2使用动画

- 主要是操作View的translationX和translationY来进行移动
- View动画是对View的影像做操作,它并不能真正改变View的位置参数,包括宽/高
- 设置fillAfter为true,则可以保留动画结果

属性动画不会产生上述问题

ObjectAnimator.ofFloat(targetView, "translationX", 0, 100).setDuration(100).start();

兼容性问题:

  • Android 3.0以下无法使用属性动画
    解决方法:使用nineoldandroids
  • Android 2.2以下无法使用属性动画
    解决方法:创建2个Button,隐藏切换来帮助实现点击等效果

2.3改变布局参数

LayoutParams

2.4各种滑动方式的对比

  • 使用scrollTo/scrollBy
    优点:原生方法,专门用于View的滑动,方便
    缺点:只能滑动View的内容,不能滑动View本身 ????

  • 动画
    优点:复杂的效果
    缺点:适配性问题

  • 改变布局
    使用场景:一些具有交互性的控件

3. 弹性滑动

  • scroller
  • 动画
  • Thread#sleep or Handler#posterDelayed

3.1 Scroller

- 本身不能实现滑动,需要配合View里面的computeScroll

3.2 动画

3.3 使用延时策略

例如使用Handler发送消息

4. View的事件分发机制

4.1 点击事件的传递规则

- MotionEvent产生了以后,系统需要把这个事件传递给一个具体的View,这个传递的过程就叫做分发过程
- 分发过程由三个方法完成:dispatchTouchEvent,onInterceptTouchEvent,onTouchEvent
- dispatchTouchEvent:进行事件的分发,如果事件能够传递给当前View,那么此方法一定调用
- onInterceptTouchEvent:用来判断是否拦截某个事件,如果当前View拦截了某个事件,那么在同一个事件序列中,此方法不会被再次调用,返回结果表示是否拦截当前事件
- onTouchEvent:处理点击事件,返回结果表示是否消耗当前事件,如果不消耗,则在同一个时间序列中,当前View无法再次接受到事件

- 父级元素如果没有进行拦截则传递给子级元素
- onTouchListener >> onClickListener >> onTouchEvent
- 传递顺序:Activity -> Window -> View
如果一个事件所有元素都不处理,则会传递给Activity

结论

  • 同一事件序列是指从手指接触屏幕开始的那一刻,到手指离开屏幕的那一刻产生的一系列事件
  • ViewGroup默认不拦截任何事件,默认返回false
  • View没有onInterceptTouchEvent方法
  • ViewonTouchEvent默认都会消耗事件,除非它是不可点击的(clickablelongClickable都为false)
  • Viewenable属性不影响onTouchEvent的默认返回值
  • 通过设置子元素的requestDisallowInterceptTouchEvent可以在子元素干预父元素的事件分发过程
事件分发机制
View事件分发

Android事件分发机制详解:史上最全面、最易懂

5. View的滑动冲突

5.1 常见的滑动冲突场景

  • 场景1:外部华东方向和内部滑动方向不一致
    例如ViewPager和内部的ListView
    处理规则:当用户左右滑动时,需要让外部的VIew拦截点击事件;上下滑动拦截内部点击时间
  • 场景2:外部滑动方向和内部滑动方向一致
    处理规则:在业务上找到突破点,比如处于某种状态时需要外部View响应用户的滑动,而处于另外一种状态则需要内部View来响应View的滑动
  • 场景3:上面两种情况的嵌套

6. View的工作原理

6.1 View的三大过程

View绘制流程
  • measure决定了View的宽/高
  • Layout决定了View的四个顶点的坐标和实际的宽/高
  • Draw决定了View的显示

6.2 理解MeasureSpec

6.2.1 MeasureSpec

SpecMode SpecSize

SpecMode

  • UNSPECIFIED: 父容器不对View有任何的限制,要多大给多大
  • EXACTLY: 父容器已经检测出View所需要的精确大小,这个时候View的最终大小就是SpecSize所指定的值
  • AT_MOST: 父容器指定了一个可用大小,View的大小不能超过这个值

6.2.2 MeasureSpec和LayoutParams的对应关系

view的大小由父viewMeasureSpec值 和 子viewLayoutParams属性 共同决定

示意图

6.3 View的工作流程

6.3.1 Measure

1. View的Measure过程

  • 只能确定测量大小最终大小Layout过程确定
  • 直接继承View的自定义控件需要重写onMeasure方法并设置wrap_content时的自身大小,否则在布局中使用wrap_content相当于使用match_parent

2. ViewGroup的Measure过程

  • 不同ViewGroup对onMeasure都有不同的实现
  • performTraversals:整个View绘制的核心,从measurelayout,再从layoutdraw,全部在这个方法里面完成了。它包括performMeasureperformLayoutperformDraw三个方法
  • performMeasure:调用measure方法,进而调用onMeasure方法,在onMeasure中会对子元素进行measure过程,如果子元素是一个ViewGroup,那么会对子元素进行向下传递,直到所有的元素都遍历到

6.3.2 Layout

  • View中有Layout方法,ViewGroup继承了ViewLayout,并且用final修饰

6.3.3 Draw

Draw的流程:

  • 绘制背景 drawBackground(canvas);
  • 绘制控件自己本身的内容 onDraw(canvas);
  • 绘制子控件 dispatchDraw(canvas); 传递给子View,如果子View是一个ViewGroup,则再进行一次递归
  • 绘制装饰(比如滚动条)和前景 onDrawForeground(canvas); drawDefaultFocusHighlight(canvas);

探析View工作的原理,真的很简单?

7. 自定义View

7.1 自定义View简介

  • 继承View重写onDraw方法:主要用于实现一些不规则的效果
  • 继承ViewGroup派生特殊的Layout:主要用于实现自定义的布局
  • 继承特定的View:主要用于扩展某种已有View的功能
  • 继承特定的ViewGroup:和2功能类似

自定义View须知

  • View支持wrap_content
  • 如果有必要,让View支持Padding
  • 尽量不要在View中使用Handler
  • View中的线程和动画要及时停止
  • View带有滑动嵌套情形时,需要处理好滑动冲突

7.2 示例

7.2.1 继承View重写onDraw方法

public class CircleView extends View {
    private int mColor = Color.RED;
    private Paint mPaint = new Paint(Paint.ANTI_ALIAS_FLAG);
    public CircleView(Context context) {
        super(context);
        init();
    }

    public CircleView(Context context, @Nullable AttributeSet attrs) {
        super(context, attrs);
        init();
    }

    public CircleView(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {
        super(context, attrs, defStyleAttr);
        init();
    }

    @RequiresApi(api = Build.VERSION_CODES.LOLLIPOP)
    public CircleView(Context context, @Nullable AttributeSet attrs, int defStyleAttr, int defStyleRes) {
        super(context, attrs, defStyleAttr, defStyleRes);
        init();
    }

    private void init(){
        mPaint.setColor(mColor);
    }

    @Override
    protected void onDraw(Canvas canvas) {
        super.onDraw(canvas);
        int width = getWidth();
        int height = getHeight();
        int radius = Math.min(width, height) / 2;
        canvas.drawCircle(width/2,height/2,radius,mPaint);
    }
}
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".MainActivity">

    <TextView
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Hello World!"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintLeft_toLeftOf="parent"
        app:layout_constraintRight_toRightOf="parent"
        app:layout_constraintTop_toTopOf="parent" />

    <com.example.myview.CircleView
        android:id="@+id/mCircle"
        android:layout_height="100dp"
        android:layout_width="wrap_content"
        android:background="#000000" />
</LinearLayout>
CircleView
  • margin属性由父容器控制,因此不用加以控制
  • padding控制方法
    protected void onDraw(Canvas canvas) {
        super.onDraw(canvas);
        int paddingTop = getPaddingTop();
        int paddingLeft = getPaddingLeft();
        int paddingRight = getPaddingRight();
        int paddingBottom = getPaddingBottom();
        int width = getWidth() - paddingLeft - paddingRight;
        int height = getHeight() - paddingTop - paddingBottom;
        int radius = Math.min(width, height) / 2;
        canvas.drawCircle(paddingLeft + width/2,paddingTop + height/2,radius,mPaint);
    }
  • wrap_content控制方法
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {

    super.onMeasure(widthMeasureSpec, heightMeasureSpec);


    // 获取宽-测量规则的模式和大小
    int widthMode = MeasureSpec.getMode(widthMeasureSpec);
    int widthSize = MeasureSpec.getSize(widthMeasureSpec);

    // 获取高-测量规则的模式和大小
    int heightMode = MeasureSpec.getMode(heightMeasureSpec);
    int heightSize = MeasureSpec.getSize(heightMeasureSpec);

    // 设置wrap_content的默认宽 / 高值
    // 默认宽/高的设定并无固定依据,根据需要灵活设置
    // 类似TextView,ImageView等针对wrap_content均在onMeasure()对设置默认宽 / 高值有特殊处理,具体读者可以自行查看
    int mWidth = 400;
    int mHeight = 400;

  // 当布局参数设置为wrap_content时,设置默认值
    if (getLayoutParams().width == ViewGroup.LayoutParams.WRAP_CONTENT && getLayoutParams().height == ViewGroup.LayoutParams.WRAP_CONTENT) {
        setMeasuredDimension(mWidth, mHeight);
    // 宽 / 高任意一个布局参数为= wrap_content时,都设置默认值
    } else if (getLayoutParams().width == ViewGroup.LayoutParams.WRAP_CONTENT) {
        setMeasuredDimension(mWidth, heightSize);
    } else if (getLayoutParams().height == ViewGroup.LayoutParams.WRAP_CONTENT) {
        setMeasuredDimension(widthSize, mHeight);
}

为什么你的自定义View wrap_content不起作用?

  • 自定义属性

第一步:在valus下创建自定义属性XML,比如attrs.xml

<?xml version="1.0" encoding="utf-8"?>
<resources>
    <declare-styleable name="CircleView">
        <attr name="circle_color" format="color" /> 
<!--        格式为color的属性circle_color-->
    </declare-styleable>
</resources>

- 自定义属性还有其他格式,例如reference是指资源的id,dimension指尺寸

第二步:在View的构造方法中解析出自定义属性的值并作出相应处理

    public CircleView(Context context, @Nullable AttributeSet attrs) {
        super(context, attrs);
        TypedArray a = context.obtainStyledAttributes(attrs, R.styleable.CircleView); //加载自定义属性集合CircleView
        mColor = a.getColor(R.styleable.CircleView_circle_color, Color.RED); //解析CircleView属性集合circle_color, RED为默认值
        Log.d("guanzihan","123");
        a.recycle();//实现资源
        init();
    }

第三步:在xml布局文件中设置

    <com.example.myview.CircleView
        android:id="@+id/mCircle"
        android:layout_height="wrap_content"
        android:layout_width="wrap_content"
        android:background="#000000"
        app:circle_color="@color/colorPrimary"
        android:padding="100dp"/>
CircleView自定义属性

7.2.2 继承ViewGroup派生特殊的Layout

  • 主要用于实现自定义的布局
  • 需要合适地处理测量和布局,同时正确处理子元素的测量和布局过程

示例:HorizontalScrollViewEx

public class HorizontalScrollViewEx extends ViewGroup {

    private String TAG = "HorizontalScrollViewEx";

    private int mChildrenSize;
    private int mChildrenWidth;
    private int mChildrenIntex;

    private int mLastX = 0;
    private int mLastY = 0;
    private int mLastInterceptX = 0;
    private int mLastInterceptY = 0;

    private Scroller mScroller;
    private VelocityTracker mVelocityTracker;


    public HorizontalScrollViewEx(Context context) {
        super(context);
        init();
    }

    public HorizontalScrollViewEx(Context context, AttributeSet attrs) {
        super(context, attrs);
        init();
    }

    public HorizontalScrollViewEx(Context context, AttributeSet attrs, int defStyleAttr) {
        super(context, attrs, defStyleAttr);
        init();
    }

    @RequiresApi(api = Build.VERSION_CODES.LOLLIPOP)
    public HorizontalScrollViewEx(Context context, AttributeSet attrs, int defStyleAttr, int defStyleRes) {
        super(context, attrs, defStyleAttr, defStyleRes);
        init();
    }

    @Override
    protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
        super.onMeasure(widthMeasureSpec, heightMeasureSpec);
        int measuredWidth;
        int measuredHeight;
        final int childCount = getChildCount();
        measureChildren(widthMeasureSpec, heightMeasureSpec);

        int widthSpecMode = MeasureSpec.getMode(widthMeasureSpec);
        int widthSpaceSize = MeasureSpec.getSize(widthMeasureSpec);
        int heightSpecMode = MeasureSpec.getMode(heightMeasureSpec);
        int heightSpaceSize = MeasureSpec.getSize(heightMeasureSpec);

        if(childCount == 0){
            setMeasuredDimension(0, 0);
        } else if(widthSpecMode == MeasureSpec.AT_MOST && heightSpecMode == MeasureSpec.AT_MOST){
            final View childView = getChildAt(0);
            measuredWidth = childView.getMeasuredWidth() * childCount;
            measuredHeight = childView.getMeasuredHeight();
            setMeasuredDimension(measuredWidth, measuredHeight);
        } else if (heightSpecMode == MeasureSpec.AT_MOST){
            final View childView = getChildAt(0);
            measuredHeight = childView.getMeasuredHeight();
            setMeasuredDimension(widthSpaceSize, measuredHeight);
        } else if(widthMeasureSpec == MeasureSpec.AT_MOST){
            final View childView = getChildAt(0);
            measuredWidth = childView.getMeasuredWidth();
            setMeasuredDimension(measuredWidth, heightSpaceSize);
        }



    }

    @Override
    protected void onLayout(boolean b, int i, int i1, int i2, int i3) {
        int childLeft = 0;
        final int childCount = getChildCount();
        mChildrenSize = childCount;

        for(int m = 0; m< mChildrenSize; m++){
            final View childView = getChildAt(m);
            if(childView.getVisibility() != View.GONE){
                final int childWidth = childView.getMeasuredWidth();
                mChildrenWidth = childWidth;
                childView.layout(childLeft, 0, childLeft + childWidth, childView.getMeasuredHeight());
                childLeft += childWidth;
            }
        }
    }

    @Override
    public void computeScroll() {
        if(mScroller.computeScrollOffset()){
            scrollTo(mScroller.getCurrX(), mScroller.getCurrY());
            postInvalidate();
        }
    }

    @Override
    protected void onDetachedFromWindow() {
        mVelocityTracker.recycle();
        super.onDetachedFromWindow();
    }

    @Override
    public boolean onInterceptTouchEvent(MotionEvent ev) {
        boolean intercepted = false;
        int x = (int)ev.getX();
        int y = (int)ev.getY();

        switch(ev.getAction()){
            case MotionEvent.ACTION_DOWN: {
                intercepted = false;
                if(!mScroller.isFinished()){
                    mScroller.abortAnimation();
                    intercepted = true;
                }
                Log.d(TAG,"ACTION_DOWN");
                break;
            }

            case MotionEvent.ACTION_MOVE:{
                int deltaX = x - mLastInterceptX;
                int deltaY = y - mLastInterceptY;
                if(Math.abs(deltaX) > Math.abs(deltaY)){
                    intercepted = true;
                } else {
                    intercepted = false;
                }
                Log.d(TAG,"ACTION_MOVE");
                break;
            }

            case MotionEvent.ACTION_UP:{
                intercepted = false;
                Log.d(TAG,"ACTION_UP");
                break;
            }
            default:
                break;

        }

        Log.d(TAG,"intercepted = " + intercepted);

        mLastX = x;
        mLastY = y;
        mLastInterceptX = x;
        mLastInterceptY = y;

        return intercepted;
    }

    @Override
    public boolean onTouchEvent(MotionEvent event) {
        mVelocityTracker.addMovement(event);
        int x = (int)event.getX();
        int y = (int)event.getY();

        switch (event.getAction()){
            case MotionEvent.ACTION_DOWN:{
                if(!mScroller.isFinished()){
                    mScroller.abortAnimation();
                }
                Log.d(TAG,"ACTION_DOWN from onTOuch Event");
                break;
            }
            case MotionEvent.ACTION_MOVE:{
                int deltaX = x - mLastX;
                int deltaY = y - mLastY;
                scrollBy(-deltaX, 0);
                Log.d(TAG,"move from on touch event");
                break;
            }
            case MotionEvent.ACTION_UP:{
                int scrollX = getScrollX();
                mVelocityTracker.computeCurrentVelocity(1000);
                float xVelocity = mVelocityTracker.getXVelocity();
                if(Math.abs(xVelocity) >= 50){
                    mChildrenIntex = xVelocity >0? mChildrenIntex -1 : mChildrenIntex + 1;
                } else{
                    mChildrenIntex = (scrollX + mChildrenWidth / 2) / mChildrenWidth;
                }
                mChildrenIntex = Math.max(0,Math.min(mChildrenIntex,mChildrenSize - 1));
                int dx = mChildrenIntex * mChildrenWidth - scrollX;
                smoothScrollBy(dx, 0);
                mVelocityTracker.clear();
                break;
            }
            default:
                break;
        }

        mLastY = y;
        mLastX = x;

        return true;
    }

    private void init(){
        if(mScroller == null){
            mScroller = new Scroller(getContext());
            mVelocityTracker = VelocityTracker.obtain();
        }
    }

    private void smoothScrollBy(int dx, int dy){
        mScroller.startScroll(getScrollX(), 0, dx, 0, 500);
        invalidate();
    }
}
  • 根据需求复写onMeasure()从而实现你的子View测量逻辑
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,324评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,303评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,192评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,555评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,569评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,566评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,927评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,583评论 0 257
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,827评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,590评论 2 320
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,669评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,365评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,941评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,928评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,159评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,880评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,399评论 2 342

推荐阅读更多精彩内容

  • 西山有枫树 霜打枫叶红 六年未续上 字字见真情 ――致枫叶(六年前有约,乱涂之) 试步林老师韵 黄泽桂雅和试步 诗...
    hua枫叶阅读 324评论 14 15
  • 不管过去怎样,都已经过去; 不管未来怎样,都还没有到来; 生活的真谛,就是安静下来,过好今天,把握现在。 我走过一...
    人生如沙阅读 356评论 0 4
  • 要在Principle中让原型动起来或者进行动效设计,就必须要了解它的交互形态或者事件,这一次,我们先讲交互形态。...
    夜雨y阅读 1,922评论 0 1