|
给大家分享一下常用代码段,希望能够对朋友们有所帮助!
1 在activity中通过Intent调用Browser打开指定的网页
startActivity(new Intent(Intent.ACTION_VIEW, Uri.parse("http://androidit.diandian.com")));
2 彻底关闭程序进程
System.exit(0)和android.os.Process.killProcess(android.os.Process.myPid())可以结束当前activity,但是还是会被ActivityManager接冠涞回到前一个activity(哪怕是前一个activity并没有被关闭也会重新oncreate)。
如下:
@Override
protected void onDestroy()
而想要彻底关闭程序进程可采用下面的方法:
android2.2及以前的版本:
ActivityManager manager = (ActivityManager)getSystemService(ACTIVITY_SERVICE);
manager.restartPackage(getPackageName());
//需要声明权限
android2.2及其以后的版本:
ActivityManager am = (ActivityManager) getSystemService(ACTIVITY_SERVICE);
am.killBackgroundProcesses(getPackageName());
//需要声明权限
以上两种都是通过结束包的方法结束相关的程序进程。
3 取得android SDK版本的方法
Integer.valueOf(android.os.Build.VERSION.SDK)
4 修改android默认标题属性
requestWindowFeature(Window.FEATURE_CUSTOM_TITLE);
setContentView(R.layout.custom_title);
getWindow().setFeatureInt(Window.FEATURE_CUSTOM_TITLE R.layout.custom_title_1);
5 android设置view透明度的效果
在xml文件中设置背景颜色:
android:background=“#ff6495ED”
注:前两位表示透明度,后面依次为RGB,透明度从0到255,0为完全透明,255为不透明。
在java文件中获取该控件的Drawable,设置透明度:
convertView.getBackground().setAlpha(80);
直接设置透明度:
setAlpha(80)
6 android字体的设定
Android系统默认支持三种字体,分别为:“sans” “serif” “monospace“,也可以引入其他字体:
示例如下:
使用默认的sans字体–>
android:typeface="sans"
使用默认的serifs字体–>
android:typeface="
serifs"
使用默认的monospace字体–>
android:typeface="
monospace"
这里没有设定字体,我们将在Java代码中设定–>
java代码:
TextView textView = (TextView)findViewById(R.id.custom);
//将字体文件保存在assets/fonts/目录下,创建Typeface对象
Typeface typeFace = Typeface.createFromAsset(getAssets() “fonts/HandmadeTypewriter.ttf”);
//应用字体
textView.setTypeface(typeFace);
7 android字体宽度高度的获得
TextView textView = (TextView)findViewById(R.id.custom);
Typeface typeFace = textView.getTypeface();
float fontSize = textView.getTextSize();
Rect rect = new Rect();
Paint p = new Paint();
p.setTypeface(typeFace);
p.setTextSize(fontSize);
p.getTextBounds("1" 0 1 rect);
int textWidth = rect.width();
int textHeight = rect.height();
8 android获得状态栏尺寸和标题栏尺寸
获取状态栏高度:
decorView是window中的最顶层view,可以从window中获取到decorView,然后decorView有个getWindowVisibleDisplayframe方法可以获取到程序显示的区域,包括标题栏,但不包括状态栏。
于是,我们就可以算出状态栏的高度了。
Rect frame = new Rect();
getWindow().getDecorView().getWindowVisibleDisplayframe(frame);
int statusBarHeight = frame.top;
获取标题栏高度:
int contentTop = getWindow().findViewById(Window.ID_ANDROID_CONTENT).getTop();
//getWindow().findViewById(Window.ID_ANDROID_CONTENT)这个方法获取到的view就是程序不包括标题栏的部分,然后就可以知道标题栏的高度了。
//statusBarHeight是上面所求的状态栏的高度
int titleBarHeight = contentTop - statusBarHeight
注:以上代码,如果在oncreate执行,所得值均为0,因为oncreate状态下,系统view并没有出来。 |
|