2012年11月29日 星期四

http://developer.android.com/tools/samples/index.html

Samples

To help you understand some fundamental Android APIs and coding practices, a variety of sample code is available from the Android SDK Manager. Each version of the Android platform available from the SDK Manager offers its own set of sample apps.
To download the samples:
  1. Launch the Android SDK Manager.
    • On Windows, double-click the SDK Manager.exe file at the root of the Android SDK directory.
    • On Mac or Linux, open a terminal to the tools/ directory in the Android SDK, then execute android sdk.
  2. Expand the list of packages for the latest Android platform.
  3. Select and download Samples for SDK.
When the download is complete, you can find the source code for all samples at this location:
<sdk>/samples/android-<version>/
The <version> number corresponds to the platform's API level.
You can easily create new Android projects with the downloaded samples, modify them if you'd like, and then run them on an emulator or device.



http://stackoverflow.com/questions/10829371/sync-data-between-android-app-and-webserver

Sync data between Android App and webserver

I have developed a application in android that I wanna sync data (such as db record, media) between it and a server. If you've seen Evernote or similar Applications, you certainly understand my mean.
I have some question(imagine we want to sync DB records):
  1. Every user has a part of server space for himself(such as Evernote or Dropbox). Maybe user create new records by cellphone and create new records in server or anyway. How can I match these records together? If there are records with sane ID What algorithms do you suggest me?
  2. Except JSON, Are there any way for send data between cellphone device and server?
  3. If SyncAdapter and ContentProvider can solve my problems, please explain exactly for me. (If you could offer some samples or tutorials to me OR Any advice or keywords to help broaden/guide my search would be appreciated as well).
First you need to figure out(decide on) your communication protocol with the server - hence - what data you can transfer and how. – hovanessyan May 31 at 7:48

That is Important for me, transfer SQLlite data. but I would know how transfer other data. I don't understand your mean about protocol. please more explain. – omid nazifi May 31 at 8:01


I'll try to answer all your questions by addressing the larger question: How can I sync data between a webserver and an android app?

Syncing data between your webserver and an android app requires a couple of different components on your android device.

Persistent Storage:

This is how your phone actually stores the data it receives from the webserver. One possible method for accomplishing this is writing your own custom ContentProvider backed by a Sqlite database. A decent tutorial for a content provider can be found here: http://thinkandroid.wordpress.com/2010/01/13/writing-your-own-contentprovider/
A ContentProvider defines a consistent interface to interact with your stored data. It could also allow other applications to interact with your data if you wanted. Behind your ContentProvider could be a Sqlite database, a Cache, or any arbitrary storage mechanism.
While I would certainly recommend using a ContentProvider with a Sqlite database you could certainly use any java based storage mechanism you wanted.

Data Interchange Format:

This is the format you use to send the data between your webserver and your android app. The two most popular formats these days are XML and JSON. When choosing your format, you should think about what sort of serialization libraries are available. I know off-hand that there's a fantastic library for json serialization called gson: http://code.google.com/p/google-gson/, although I'm sure similar libraries exist for XML.

Synchronization Service

You'll want some sort of asynchronous task which can get new data from your server and refresh the mobile content to reflect the content of the server. You'll also want to notify the server whenever you make local changes to content and want to reflect those changes. Android provides the SyncAdapter pattern as a way to easily solve this pattern. You'll need to register user accounts, and then Android will perform lots of magic for you, and allow you to automatically sync. Here's a good tutorial: http://www.c99.org/2010/01/23/writing-an-android-sync-provider-part-1/

As for how you identify if the records are the same, typically you'll create items with a unique id which you store both on the android device and the server. You can use that to make sure you're referring to the same reference. Furthermore, you can store column attributes like "updated_at" to make sure that you're always getting the freshest data, or you don't accidentally write over newly written data.
Hope this helps.


http://www.c99.org/2010/01/23/writing-an-android-sync-provider-part-1/

Writing an Android Sync Provider: Part 1

One of the highlights of the Android 2.0 SDK is that you can write custom sync providers to integrate with the system contacts, calendars, etc. The only problem is that there’s very little documentation on how it all fits together. And worse, if you mess up in certain places, the Android system will crash and reboot! Always up for a challenge, I’ve navigated through the sparse documentation, vague mailing list posts, and the Android source code itself to build a sync provider for our Last.fm app. Want to know how to build your own? Read on!

Account Authenticators

The first piece of the puzzle is called an Account Authenticator, which defines how the user’s account will appear in the “Accounts & Sync” settings. Implementing an Account Authenticator requires 3 pieces: a service that returns a subclass of AbstractAccountAuthenticator from the onBind method, an activity to prompt the user to enter their credentials, and an xml file describing how your account should look when displayed to the user. You’ll also need to add the android.permission.AUTHENTICATE_ACCOUNTS permission to your AndroidManifest.xml.

The Service

The authenticator service is expected to return a subclass of AbstractAccountAuthenticator from the onBind method — if you don’t, Android will crash and reboot when you try to add a new account to the system. The only method in AbstractAccountAuthenticator we really need to implement is addAccount, which returns an Intent that the system will use to display the login dialog to the user. The implementation below will launch our app’s main launcher activity with an action of “fm.last.android.sync.LOGIN” and an extra containing the AccountAuthenticatorResponse object we use to pass data back to the system after the user has logged in.

AccountAuthenticatorService.java

  1. import fm.last.android.LastFm;
  2. import android.accounts.AbstractAccountAuthenticator;
  3. import android.accounts.Account;
  4. import android.accounts.AccountAuthenticatorResponse;
  5. import android.accounts.AccountManager;
  6. import android.accounts.NetworkErrorException;
  7. import android.app.Service;
  8. import android.content.Context;
  9. import android.content.Intent;
  10. import android.os.Bundle;
  11. import android.os.IBinder;
  12. import android.util.Log;
  13. /**
  14.  * Authenticator service that returns a subclass of AbstractAccountAuthenticator in onBind()
  15.  */
  16. public class AccountAuthenticatorService extends Service {
  17.  private static final String TAG = "AccountAuthenticatorService";
  18.  private static AccountAuthenticatorImpl sAccountAuthenticator = null;
  19.  public AccountAuthenticatorService() {
  20.   super();
  21.  }
  22.  public IBinder onBind(Intent intent) {
  23.   IBinder ret = null;
  24.   if (intent.getAction().equals(android.accounts.AccountManager.ACTION_AUTHENTICATOR_INTENT))
  25.    ret = getAuthenticator().getIBinder();
  26.   return ret;
  27.  }
  28.  private AccountAuthenticatorImpl getAuthenticator() {
  29.   if (sAccountAuthenticator == null)
  30.    sAccountAuthenticator = new AccountAuthenticatorImpl(this);
  31.   return sAccountAuthenticator;
  32.  }
  33.  private static class AccountAuthenticatorImpl extends AbstractAccountAuthenticator {
  34.   private Context mContext;
  35.   public AccountAuthenticatorImpl(Context context) {
  36.    super(context);
  37.    mContext = context;
  38.   }
  39.   /*
  40.    *  The user has requested to add a new account to the system.  We return an intent that will launch our login screen if the user has not logged in yet,
  41.    *  otherwise our activity will just pass the user's credentials on to the account manager.
  42.    */
  43.   @Override
  44.   public Bundle addAccount(AccountAuthenticatorResponse response, String accountType, String authTokenType, String[] requiredFeatures, Bundle options)
  45.     throws NetworkErrorException {
  46.    Bundle reply = new Bundle();
  47.    
  48.    Intent i = new Intent(mContext, LastFm.class);
  49.    i.setAction("fm.last.android.sync.LOGIN");
  50.    i.putExtra(AccountManager.KEY_ACCOUNT_AUTHENTICATOR_RESPONSE, response);
  51.    reply.putParcelable(AccountManager.KEY_INTENT, i);
  52.    
  53.    return reply;
  54.   }
  55.   @Override
  56.   public Bundle confirmCredentials(AccountAuthenticatorResponse response, Account account, Bundle options) {
  57.    return null;
  58.   }
  59.   @Override
  60.   public Bundle editProperties(AccountAuthenticatorResponse response, String accountType) {
  61.    return null;
  62.   }
  63.   @Override
  64.   public Bundle getAuthToken(AccountAuthenticatorResponse response, Account account, String authTokenType, Bundle options) throws NetworkErrorException {
  65.    return null;
  66.   }
  67.   @Override
  68.   public String getAuthTokenLabel(String authTokenType) {
  69.    return null;
  70.   }
  71.   @Override
  72.   public Bundle hasFeatures(AccountAuthenticatorResponse response, Account account, String[] features) throws NetworkErrorException {
  73.    return null;
  74.   }
  75.   @Override
  76.   public Bundle updateCredentials(AccountAuthenticatorResponse response, Account account, String authTokenType, Bundle options) {
  77.    return null;
  78.   }
  79.  }
  80. }
The account authenticator service should be defined in your AndroidManifest.xml, with a meta-data tag referencing an xml definition file, as follows:

Snippet from AndroidManifest.xml

  1. <service android:name="AccountAuthenticatorService"
  2.  android:exported="true" android:process=":auth">
  3.  <intent-filter>
  4.   <action android:name="android.accounts.AccountAuthenticator" />
  5.  </intent-filter>
  6.  <meta-data android:name="android.accounts.AccountAuthenticator"
  7.   android:resource="@xml/authenticator" />
  8. </service>

The Activity

If you don’t already have a login screen, there’s a convenience class AccountAuthenticatorActivity you can subclass that will pass your response back to the authentication manager for you, however if you already have a login activity in place you may find it easier to just pass the data back yourself, as I have done here. When the user has successfully been authenticated, we create an Account object for the user’s credentials. An account has an account name, such as the username or email address, and an account type, which you will define in your xml file next. You may find it easier to store your account type in strings.xml and use getString() to fetch it, as it is used in multiple places.

Snippet from the Last.fm login activity

  1. Account account = new Account(username, getString(R.string.ACCOUNT_TYPE)));
  2. AccountManager am = AccountManager.get(this);
  3. boolean accountCreated = am.addAccountExplicitly(account, password, null);
  4. Bundle extras = getIntent.getExtras();
  5. if (extras != null) {
  6.  if (accountCreated) {  //Pass the new account back to the account manager
  7.   AccountAuthenticatorResponse response = extras.getParcelable(AccountManager.KEY_ACCOUNT_AUTHENTICATOR_RESPONSE);
  8.   Bundle result = new Bundle();
  9.   result.putString(AccountManager.KEY_ACCOUNT_NAME, username);
  10.   result.putString(AccountManager.KEY_ACCOUNT_TYPE, getString(R.string.ACCOUNT_TYPE));
  11.   response.onResult(result);
  12.  }
  13.  finish();
  14. }

The XML definition file

The account xml file defines what the user will see when they’re interacting with your account. It contains a user-readable name, the system account type you’re defining, various icons, and a reference to an xml file containing PreferenceScreens the user will see when modifying your account.

authenticator.xml

  1. <account-authenticator xmlns:android="http://schemas.android.com/apk/res/android"
  2.     android:accountType="fm.last.android.account"
  3.     android:icon="@drawable/icon"
  4.     android:smallIcon="@drawable/icon"
  5.     android:label="@string/app_name"
  6.     android:accountPreferences="@xml/account_preferences"/>

account_preferences.xml

  1. <PreferenceScreen
  2.   xmlns:android="http://schemas.android.com/apk/res/android">
  3.     <PreferenceCategory
  4.             android:title="General Settings" />
  5.     <PreferenceScreen
  6.         android:key="account_settings"
  7.         android:title="Account Settings"
  8.         android:summary="Sync frequency, notifications, etc.">
  9.         <intent
  10.             android:action="fm.last.android.activity.Preferences.ACCOUNT_SETUP"
  11.             android:targetPackage="fm.last.android"
  12.             android:targetClass="fm.last.android.activity.Preferences" />
  13.     </PreferenceScreen>
  14. </PreferenceScreen>

Putting it all together

Now we’re ready for testing! The Android accounts setting screen doesn’t handle exceptions very well — if something goes wrong, your device will reboot! A better way to test is to launch the emulator, run the “Dev Tools” app, and pick “AccountsTester”.

You should see your new account type in the list, along with the built-in “Corporate” account type. Go ahead and select your account type from the drop-down list, and then press the “Add” button, and you should be presented with your login activity. After authenticating, your account should appear in a list below the buttons. At this point, it should be safe to use the system “Accounts & Sync” settings screen to remove or modify your account.

Ready to fill in that section below “Data & synchronization”? Let’s move on to part 2!
The source code for the implementation referenced here is available in my Last.fm github project under the terms of the GNU General Public License. A standalone sample project is also available here under the terms of the Apache License 2.0. Google has also released their own sample sync provider on the Android developer portal that’s a bit more complete than mine.

























主機規劃與磁碟分割

http://linux.vbird.org/linux_basic/0130designlinux.php

各硬體裝置在Linux中的檔名

在Linux系統中,每個裝置都被當成一個檔案來對待


裝置裝置在Linux內的檔名
IDE硬碟機/dev/hd[a-d]
SCSI/SATA/USB硬碟機/dev/sd[a-p]
USB快閃碟/dev/sd[a-p](與SATA相同)
軟碟機/dev/fd[0-1]
印表機25針: /dev/lp[0-2]
USB: /dev/usb/lp[0-15]
滑鼠USB: /dev/usb/mouse[0-15]
PS2: /dev/psaux
當前CDROM/DVDROM/dev/cdrom
當前的滑鼠/dev/mouse
磁帶機IDE: /dev/ht0
SCSI: /dev/st0

FooTable - extensible HTML table

在不同闊度的screen可以將部份column隱藏, click + 號才顯示某row隱藏了的資料.

http://themergency.com/footable/


FooTable

FooTable is a jQuery plugin that aims to make HTML tables on smaller devices look awesome - No matter how many columns of data you may have in them.


What Does It Do?

FooTable transforms your HTML tables into expandable responsive tables. This is how it works:
  1. It hides certain columns of data at different resolutions (we call these breakpoints).
  2. Rows become expandable to show the data that was hidden.
So simple! So all the data that is hidden can always be seen just by clicking the row. Play around with the responsive demo to see it in action.

Demo

Check out the stand-alone demo (you will have to resize the broswer to see it work) or check out the responsive demo and just click the device buttons.

Download

Get the source from Github, or you can download it direct.