16 tips for Android development

16 tips for Android development

[[130304]]

1. The return value of getTextSize in TextView is in pixels (px).

The unit of setTextSize() is sp.

So if you use the returned value directly to set it, it will go wrong. The solution is to use another form of setTextSize(), which can specify the unit:

  1. <span style= "font-size:16px;" >setTextSize( int unit, int size)
  2. TypedValue.COMPLEX_UNIT_PX : Pixels
  3. TypedValue.COMPLEX_UNIT_SP : Scaled Pixels
  4. TypedValue.COMPLEX_UNIT_DIP : Device Independent Pixels</span>

2. When inheriting from View, when drawing the bitmap, you need to put the image into the newly created drawable-xdpi

Otherwise, the drawing size may change easily.

3. Underline the text: textView.getPaint().setFlags(Paint.STRIKE_THRU_TEXT_FLAG);

4. ScrollView inherits from frameLayout, so you need to use frameLayout when using LayoutParams.

5. Several ways of network programming in Android:
(1) Socket and ServerSocket for TCP/IP
(2) DatagramSocket and DatagramPackage for UDP. It should be noted that, considering that Android devices are usually handheld terminals, IP addresses are assigned as they go online. They are not fixed. Therefore, the development is somewhat different from ordinary Internet applications.
(3) HttpURLConnection for direct URLs
(4) Google has integrated the Apache HTTP client, and HTTP can be used for network programming. For HTTP, Google has integrated Appache Http core and httpclient 4. Therefore, please note that Android does not support the httpclient 3.x series, and currently does not support Multipart (MIME). You need to add httpmime.jar yourself.
(5) Use Web Service. Android can support Xmlrpc and Jsonrpc through open source packages such as jackson. You can also use Ksoap2 to implement Web service.
(6) Use the WebView component to display web pages directly. Based on WebView, Google has provided a web browser based on chrome-lite, which can be used to browse the web directly.

6. TranslateAnimation(float fromXDelta, float toXDelta, float fromYDelta, float toYDelta)

This is the construction method we use most often.

float fromXDelta: This parameter indicates the difference between the point where the animation starts and the current View X coordinate;

float toXDelta, this parameter indicates the difference between the end point of the animation and the current View X coordinate;

float fromYDelta, this parameter indicates the difference between the animation start point and the current View Y coordinate;

float toYDelta) This parameter represents the difference between the point where the animation starts and the Y coordinate of the current View;

If the view is at point A (x, y), then the animation moves from point B (x+fromXDelta, y+fromYDelta) to point C (x+toXDelta, y+toYDelta).

7.Android provides several ways to access the UI thread from other threads.
Activity.runOnUiThread( Runnable )
View.post( Runnable )
View.postDelayed( Runnable, long )
Hanlder

AsyncTask (recommended)

  1. Get a web page from the Internet and display its source code in a TextView
  2. package org.unique.async;
  3. import java.io.ByteArrayOutputStream;
  4. import java.io.InputStream;
  5. import java.util.ArrayList;
  6.    
  7. import org.apache.http.HttpEntity;
  8. import org.apache.http.HttpResponse;
  9. import org.apache.http.client.HttpClient;
  10. import org.apache.http.client.methods.HttpGet;
  11. import org.apache.http.impl.client.DefaultHttpClient;
  12.    
  13. import android.app.Activity;
  14. import android.app.ProgressDialog;
  15. import android.content.Context;
  16. import android.content.DialogInterface;
  17. import android.os.AsyncTask;
  18. import android.os.Bundle;
  19. import android.os.Handler;
  20. import android.os.Message;
  21. import android.view.View;
  22. import android.widget.Button;
  23. import android.widget.EditText;
  24. import android.widget.TextView;
  25.    
  26. public   class NetworkActivity extends Activity{
  27. private TextView message;
  28. private Button open;
  29. private EditText url;
  30.    
  31. @Override    
  32. public   void onCreate(Bundle savedInstanceState) {
  33. super .onCreate(savedInstanceState);
  34. setContentView(R.layout.network);
  35. message= (TextView) findViewById(R.id.message);
  36. url= (EditText) findViewById(R.id.url);
  37. open= (Button) findViewById(R.id.open);
  38. open.setOnClickListener( new View.OnClickListener() {
  39. public   void onClick(View arg0) {
  40. connect();
  41. }
  42. });
  43.    
  44. }
  45.    
  46. private   void connect() {
  47. PageTask task = new PageTask( this );
  48. task.execute(url.getText().toString());
  49. }
  50.    
  51. class PageTask extends AsyncTask<String, Integer, String> {
  52. // Variable-length input parameters, corresponding to AsyncTask.exucute()  
  53. ProgressDialog pdialog;
  54. public PageTask(Context context){
  55. pdialog = new ProgressDialog(context, 0 );
  56. pdialog.setButton( "cancel" , new DialogInterface.OnClickListener() {
  57. public   void onClick(DialogInterface dialog, int i) {
  58. dialog.cancel();
  59. }
  60. });
  61. pdialog.setOnCancelListener( new DialogInterface.OnCancelListener() {
  62. public   void onCancel(DialogInterface dialog) {
  63. finish();
  64. }
  65. });
  66. pdialog.setCancelable( true );
  67. pdialog.setMax( 100 );
  68. pdialog.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL);
  69. pdialog.show();
  70.    
  71. }
  72. @Override    
  73. protected String doInBackground(String... params) {
  74.    
  75. try {
  76.    
  77. HttpClient client = new DefaultHttpClient();
  78. // params[0] represents the URL of the connection  
  79. HttpGet get = new HttpGet(params[ 0 ]);
  80. HttpResponse response = client.execute(get);
  81. HttpEntity entity = response.getEntity();
  82. long length = entity.getContentLength();
  83. InputStream is = entity.getContent();
  84. String s = null ;
  85. if (is != null ) {
  86. ByteArrayOutputStream baos = new ByteArrayOutputStream();
  87.    
  88. byte [] buf = new   byte [ 128 ];
  89.    
  90. int ch = - 1 ;
  91.    
  92. int count = 0 ;
  93.    
  94. while ((ch = is.read(buf)) != - 1 ) {
  95.    
  96. baos.write(buf, 0 , ch);
  97.    
  98. count += ch;
  99.    
  100. if (length > 0 ) {
  101. // If you know the length of the response, call publishProgress() to update the progress  
  102. publishProgress(( int ) ((count / ( float ) length) * 100 ));
  103. }
  104.    
  105. // Let the thread sleep for 100ms  
  106. Thread.sleep( 100 );
  107. }
  108. s = new String(baos.toByteArray()); }
  109. // Return result  
  110. return s;
  111. } catch (Exception e) {
  112. e.printStackTrace();
  113.    
  114. }
  115.    
  116. return   null ;
  117.    
  118. }
  119.    
  120. @Override    
  121. protected   void onCancelled() {
  122. super .onCancelled();
  123. }
  124.    
  125. @Override    
  126. protected   void onPostExecute(String result) {
  127. // Return the content of the HTML page  
  128. message.setText(result);
  129. pdialog.dismiss();
  130. }
  131.    
  132. @Override    
  133. protected   void onPreExecute() {
  134. // Task starts, you can display a dialog box here, here is a simple process  
  135. message.setText(R.string.task_started);
  136. }
  137.    
  138. @Override    
  139. protected   void onProgressUpdate(Integer... values) {
  140. // Update progress  
  141. System.out.println( "" +values[ 0 ]);
  142. message.setText( "" +values[ 0 ]);
  143. pdialog.setProgress(values[ 0 ]);
  144. }
  145.    
  146. }
  147.    
  148. }

8.Solution to the problem that Spinner cannot be used in dialog and tabhost

9. Eclipse associated with JDK source code

(1). Click "window" -> "Preferences" -> "Java" -> "Installed JRES"

(2). At this time, there is a list pane to the right of "Installed JRES", which lists the JRE environments in the system. Select your JRE and click "Edit..." on the side. A window (Edit JRE) will appear.

(3). Select the rt.jar file: "c:\program files\java\jre_1.5.0_06\lib\rt.jar" and click the "+" sign on the left to expand it.

(4). After expanding, you can see "Source Attachment: (none)". Click this item, click the button on the right "Source Attachment...", and select the "src.zip" file in your JDK directory.

10.Unable to open sync connection!

Restart USB debugging in settings

11. EditText cursor position setting problem
When there is some preset text in EditText, I want to move the cursor to the front. I first used setSelection(0), but it turned out to have problems on Samsung P1000. After some research, I found that I need to call EditText.requestFocus() first, and then call setSelection(0). Otherwise, there will be problems on 2.x machines, but it works fine on 3.x.

12. The Home button in Android is reserved by the system, so you can't use onKeyDown like listening to the back button, but you can add your own processing code based on some events of the activity and view that will be triggered when the home button is pressed. Some people on the Internet say that you can use onAttachWindow to intercept the Home button, but I haven't tried it.

13. When rendering with surfaceView, if you want other Views to appear when needed, you can put surfaceView and other Views in layout, and hide other Views at ordinary times.

14. Use android:imeOptinos to set some interface settings for Android's built-in soft keyboard:

  1. android:imeOptions= "flagNoExtractUi"    // Make the soft keyboard not display in full screen, but only occupy part of the screen  
  2. At the same time, this property can also control the display content of the key in the lower right corner of the soft keyboard. By default, it is the Enter key.
  3. android:imeOptions= "actionNone"    //No prompt on the right side of the input box  
  4. android:imeOptions= "actionGo"      //The button in the lower right corner is 'Start'  
  5. android:imeOptions= "actionSearch"    //The button in the lower right corner is a magnifying glass image, search  
  6. android:imeOptions= "actionSend"      //The button in the lower right corner is 'Send'  
  7. android:imeOptions= "actionNext"     //The button in the lower right corner is 'Next'  
  8. android:imeOptions= "actionDone"    //The content of the button in the lower right corner is 'Done'  

15. Add shadow to TextView

  1. <style name= "Overlay" >
  2. <item name= "android:paddingLeft" >2dip</item>
  3. <item name= "android:paddingBottom" >2dip</item>
  4. <item name= "android:textColor" >#ffffff</item>
  5. <item name= "android:textSize" >12sp</item>
  6. <item name= "android:shadowColor" >#00ff00</item>
  7. <item name= "android:shadowDx" > 5 </item>
  8. <item name= "android:shadowDy" > 3 </item>
  9. <item name= "android:shadowRadius" > 6 </item>
  10. </style>
  11.      
  12. <TextView android:id= "@+id/test"       
  13. android:layout_width= "fill_parent"       
  14. android:layout_height= "wrap_content"       
  15. style= "@style/<span style=" background-color: rgb( 250 , 250 , 250 ); font-family: Helvetica, Tahoma, Arial, sans-serif; ">Overlay</span>"       
  16. android:text= "test"       
  17. android:gravity= "center" />

16. How to set the Chinese in TextView to bold?
Using android:textStyle="bold" in the XML file can set English to bold, but it cannot set Chinese to bold. The method to set Chinese to bold is:
TextView tv = (TextView)findViewById(R.id.TextView01);
TextPaint tp = tv.getPaint();
tp.setFakeBoldText(true);

<<:  As a programmer, you must know these things about computers

>>:  XY Apple Assistant: Recommended must-have gadgets for spring outings

Recommend

There are fewer and fewer people who can write good copy

I must state in advance that this is just my pers...

Facebook advertising optimization tips!

For many businesses, peak season performance may ...

Learn more about IOS9 every day 2: UI testing

Automated testing of user interface tools is very...

Have you encountered these bugs in the official version of iOS/iPadOS 14?

The official version of iOS/iPadOS 14 has been re...

What are the strategies and models behind Qutoutiao’s crazy growth?

Qutoutiao launched its product in June 2016, and ...

Operations: Where is the entry point to find accurate users? ?

one. Definition and classification of users 1. De...

Golmud SEO Training: Keyword ranking is unstable, how can SEOer recover?

Website optimization is increasingly favored by e...

WeChat 8.0 is awesome! But it's fatter

[[377737]] On January 21, 2021, WeChat celebrated...

Enterprise new media operation methods and skills!

What is the core reason why companies fail to do ...

Mobile high bandwidth server rental

In this era of rapid development of Internet tech...

How to attract users through business?

Most operational work is generated with the Inter...

The other side of information flow advertising: BAT’s data war

Social data, search data, and multi-line product ...