android零碎知识点总结

1、Android Studio中TextView自动识别超链接属性:
在android studio中TextView支持的一个属性android:autoLink=”“自 动识别超链接,其中的选项有:
web : 网页地址
phone : 电话号码
email : 邮箱地址
all : 所有的超链接
例如自动识别手机号码:

<TextView
    android:id="@+id/tv_unload_customer"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:textColor="#8e8e8e"
    android:textSize="16sp"
    android:autoLink="phone"
    android:clickable="true"
    />

2、日期格式转换:
在开发时,有时候我们从服务器中获取到一个字符串类型的日期数据;但是不是我们想要的日期格式,所以我们需要进行转换:

Date date = null;
String endDate = null;
try {
        //定义日期格式
        SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd HH:mm");
        //将字符串类型日期转换成Date时间
        date = format.parse(datas.getDeliverDate());
        //将时间转换成指定格式的日期
        endDate = format.format(date);
} catch (ParseException e) {
        e.printStackTrace();
}

3、更改控件字符显示格式:
我们在开发中进行布局时,有时候会发现有些控件的字符显示格式和我们所想的不一样,

 

这里写图片描述

就像上面一样,我们输入的字符明明是小写的,却显示成了大写。这是因为有些控件的默认显示格式是不一样的,其中有一个属性:android:textAllCaps=”true”,就是将全部小写字符全部转换成大写,然后进行显示。我们可以修改这个属性:

android:textAllCaps="false"

意思是按照开发者输入的字符串进行显示

4、像素单位之间的转换:
我们知道,android中显示的基本单位为像素px,但是通常情况下,我们都会用dp作为基本单位进行长宽显示,下面就是dp与px之间的转换:

/**
     *
     * 根据屏幕密度,将dp值转换成px像素
     * @param context
     * @param dipValue dp值
     * @return
     */
    public static int dip2px(Context context, float dipValue) {
        //获取屏幕密度
        final float density = context.getResources().getDisplayMetrics().density;
        return (int) (dipValue * density + 0.5f);
    }

    /**
     * 根据屏幕密度,将px像素值转换成dp
     *
     * @param context
     * @param pxValue 像素值
     * @return
     */
    public static int px2dip(Context context, float pxValue) {
        //获取屏幕密度
        final float density = context.getResources().getDisplayMetrics().density;
        return (int) (pxValue / density + 0.5f);
    }

你可能感兴趣的:(知识积累)