Ecosyste.ms: Awesome
An open API service indexing awesome lists of open source software.
https://github.com/kaiinui/android-awesome-libraries
There are many libraries which helps your android development!
https://github.com/kaiinui/android-awesome-libraries
List: android-awesome-libraries
Last synced: 4 months ago
JSON representation
There are many libraries which helps your android development!
- Host: GitHub
- URL: https://github.com/kaiinui/android-awesome-libraries
- Owner: kaiinui
- License: mit
- Created: 2014-08-09T22:52:21.000Z (over 10 years ago)
- Default Branch: master
- Last Pushed: 2016-02-15T04:07:28.000Z (about 9 years ago)
- Last Synced: 2024-05-23T04:15:05.939Z (9 months ago)
- Homepage:
- Size: 410 KB
- Stars: 111
- Watchers: 5
- Forks: 19
- Open Issues: 1
-
Metadata Files:
- Readme: README.md
- License: LICENSE
Awesome Lists containing this project
- fucking-lists - android-awesome-libraries
- awesomelist - android-awesome-libraries
- lists - android-awesome-libraries
- collection - android-awesome-libraries
- ultimate-awesome - android-awesome-libraries - There are many libraries which helps your android development!. (Other Lists / Julia Lists)
README
android-awesome-libraries
=========================Index
---- [Support](https://github.com/kaiinui/android-awesome-libraries#support)
- [Network](https://github.com/kaiinui/android-awesome-libraries#network)
- [Rest Client](https://github.com/kaiinui/android-awesome-libraries#rest-client)
- [Object Serialization](https://github.com/kaiinui/android-awesome-libraries#object-serialization)
- [Database](https://github.com/kaiinui/android-awesome-libraries#database)
- [Network Image Handling](https://github.com/kaiinui/android-awesome-libraries#network-image-handling)
- [Event Pub/Sub](https://github.com/kaiinui/android-awesome-libraries#event-pubsub)
- [Gesture](https://github.com/kaiinui/android-awesome-libraries#gesture)
- [Utility](https://github.com/kaiinui/android-awesome-libraries#utility)
- [Cloud Handling](https://github.com/kaiinui/android-awesome-libraries#cloud-handling)
- [Social Network Handling](https://github.com/kaiinui/android-awesome-libraries#social-network-handling)
- [DI](https://github.com/kaiinui/android-awesome-libraries#di)
- [View Model Binding](https://github.com/kaiinui/android-awesome-libraries#view-model-binding)
- [UI](https://github.com/kaiinui/android-awesome-libraries#ui)
- [Album Handling](https://github.com/kaiinui/android-awesome-libraries#album-handling)
- [Rx](https://github.com/kaiinui/android-awesome-libraries#rx)
- [Promise](https://github.com/kaiinui/android-awesome-libraries#promise)
- [Security](https://github.com/kaiinui/android-awesome-libraries#security)
- [Debug Utilitiy](https://github.com/kaiinui/android-awesome-libraries#debug-utility)
- [Gradle Plugin](https://github.com/kaiinui/android-awesome-libraries#gradle-plugin)
- [Testing](https://github.com/kaiinui/android-awesome-libraries#testing)Support
---- [TransitionsBackport](guerwan/TransitionsBackport : https://github.com/guerwan/TransitionsBackport)
- [Android Device Compatibility](https://github.com/mixi-inc/Android-Device-Compatibility) - Compatibility package project for android device difference.
- Android Support Annotations
```java
private void displayName(@NonNull String name) {
// name can not be null
}
``````java
private void receiveDrawableRes(@DrawableRes int resId) {
// resId must be Drawable Resource ID
}
```- [gradle-retrolabmda](https://github.com/evant/gradle-retrolambda) - lambda suppor for android!
```java
mButton.setOnClickListener((View v) -> {
// do something here
});
```- [icepick](https://github.com/frankiesardo/icepick) - Android Instance State made easy
```java
@Icicle String username; // This will be automatically saved and restored@Override public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
Icepick.restoreInstanceState(this, savedInstanceState);
}@Override public void onSaveInstanceState(Bundle outState) {
super.onSaveInstanceState(outState);
Icepick.saveInstanceState(this, outState);
}
```- [Michelangelo](https://github.com/RomainPiel/Michelangelo) - Layout inflation library for Android based on annotations
```java
@InflateLayout(R.layout.custom_view)
public class MyCustomView extends FrameLayout {public MyCustomView(Context context) {
super(context);
}@AfterInflate
public void updateTextView() {
((TextView) findViewById(R.id.my_text_view)).setText("hey!");
}
}
```- [AndroidAnnotations](http://androidannotations.org/)
```java
@Background
void someBackgroundWork(String aParam, long anotherParam) {
[...]
}
``````java
@UiThread
void doInUiThread(String aParam, long anotherParam) {
[...]
}
```- [HeaderGridView](https://github.com/maurycyw/HeaderGridView) - Header view support for GridView!
```java
gridView.addHeaderView(View v);
```- [HeaderFooterGridView](https://github.com/recruit-mp/android-HeaderFooterGridView) - HeaderFooterGridView supports adding header rows and footer rows to GridView
```java
final HeaderFooterGridView headerFooterGridView = (HeaderFooterGridView) findViewById(R.id.HeaderFooterGridView);
HeaderView headerView = new HeaderView(context);
headerFooterGridView.addHeaderView(headerView);
FooterView footerView = new FooterView(context);
headerFooterGridView.addFooterView(footerView);mAdapter = new HeaderFooterGridViewAdapter(this);
headerFooterGridView.setAdapter(mAdapter);
```Network
---- [Volley](https://android.googlesource.com/platform/frameworks/volley)
```java
RequestQueue queue = Volley.newRequestQueue(this);
String url = "SOMEURL";JsonObjectRequest jsObjRequest = new JsonObjectRequest(Request.Method.GET, url, null, new Response.Listener() {
@Override
public void onResponse(JSONObject response) {
// TODO
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// TODO
}
});queue.add(jsObjRequest);
```- [ion](https://github.com/koush/ion)
```java
Ion.with(context)
.load("http://example.com/thing.json")
.asJsonObject()
.setCallback(new FutureCallback() {
@Override
public void onCompleted(Exception e, JsonObject result) {
// do stuff with the result or error
}
});
```- [okhttp](https://github.com/square/okhttp) - An **HTTP+SPDY** client for Android and Java applications
```java
OkHttpClient client = new OkHttpClient();String run(String url) throws IOException {
Request request = new Request.Builder()
.url(url)
.build();Response response = client.newCall(request).execute();
return response.body().string();
}
```REST Client
---- [Retrofit](http://square.github.io/retrofit/)
```java
public interface GitHubService {
@GET("/users/{user}/repos")
List listRepos(@Path("user") String user);
}
```Object Serialization
---- [Gson](https://code.google.com/p/google-gson/)
```java
BagOfPrimitives obj = new BagOfPrimitives();
Gson gson = new Gson();
String json = gson.toJson(obj);
```Database
---- [ActiveAndroid](https://github.com/pardom/ActiveAndroid)
```java
Category restaurants = new Category();
restaurants.name = "Restaurants";
restaurants.save();
```- [GreenDAO](https://github.com/greenrobot/greenDAO)
```java
List joes = userDao.queryBuilder()
.where(Properties.FirstName.eq("Joe"))
.orderAsc(Properties.LastName)
.list();
```Network Image Handling
---- [Picasso](http://square.github.io/picasso/)
```java
Picasso.with(context).load("http://i.imgur.com/DvpvklR.png").into(imageView);
```- [Universal Image Loader](https://github.com/nostra13/Android-Universal-Image-Loader)
```java
// Load image, decode it to Bitmap and display Bitmap in ImageView (or any other view
// which implements ImageAware interface)
imageLoader.displayImage(imageUri, imageView);
```##### really configurable!
```java
// DON'T COPY THIS CODE TO YOUR PROJECT! This is just example of ALL options using.
// See the sample project how to use ImageLoader correctly.
DisplayImageOptions options = new DisplayImageOptions.Builder()
.showImageOnLoading(R.drawable.ic_stub) // resource or drawable
.showImageForEmptyUri(R.drawable.ic_empty) // resource or drawable
.showImageOnFail(R.drawable.ic_error) // resource or drawable
.resetViewBeforeLoading(false) // default
.delayBeforeLoading(1000)
.cacheInMemory(false) // default
.cacheOnDisk(false) // default
.preProcessor(...)
.postProcessor(...)
.extraForDownloader(...)
.considerExifParams(false) // default
.imageScaleType(ImageScaleType.IN_SAMPLE_POWER_OF_2) // default
.bitmapConfig(Bitmap.Config.ARGB_8888) // default
.decodingOptions(...)
.displayer(new SimpleBitmapDisplayer()) // default
.handler(new Handler()) // default
.build();
```[Glide](https://github.com/bumptech/glide) - An image loading and caching library for Android focused on smooth scrolling
```java
Glide.with(this).load("http://goo.gl/h8qOq7").into(imageView);
```Event Pub/Sub
---- [EventBus](https://github.com/greenrobot/EventBus)
```java
eventBus.post(event);
``````java
eventBus.register(this);
public void onEvent(AnyEventType event) {
// TODO: React to the event!
}
```- [Otto](http://square.github.io/otto/)
```java
bus.post(new AnswerAvailableEvent(42));
``````java
@Subscribe public void answerAvailable(AnswerAvailableEvent event) {
// TODO: React to the event somehow!
}
```Gesture
---- [android-gesture-detectors](https://github.com/Almeros/android-gesture-detectors)
Utility
---- [Bolts](https://github.com/BoltsFramework/Bolts-Android) - a collection of low-level libraries designed to make developing mobile apps easier
```java
final ParseQuery query = ParseQuery.getQuery("Student");
query.orderByDescending("gpa");
findAsync(query).onSuccessTask(new Continuation, Task>() {
public Task then(Task> task) throws Exception {
List students = task.getResult();
students.get(0).put("valedictorian", true);
return saveAsync(students.get(0));
}
}).onSuccessTask(new Continuation>>() {
public Task> then(Task task) throws Exception{
ParseObject valedictorian = task.getResult();
return findAsync(query);
}
}).onSuccessTask(new Continuation, Task>() {
public Task then(Task> task) throws Exception {
List students = task.getResult();
students.get(1).put("salutatorian", true);
return saveAsync(students.get(1));
}
}).onSuccess(new Continuation() {
public Void then(Task task) throws Exception {
// Everything is done!
return null;
}
});
```- [routable-android](https://github.com/usepropeller/routable-android) - routes.rb for Android
```java
Router.sharedRouter().map("users/:id", UserActivity.class);
Router.sharedRouter().map("users/new/:name/:zip", NewUserActivity.class);
``````java
Router.sharedRouter().open("users/16");
Router.sharedRouter().open("users/new/Clay/94303");
```- [android-intents](https://github.com/d-tarasov/android-intents) - A collection of well-known Android intents for most common actions
```java
Intent intent = IntentUtils.sendEmail(to, subject, body);
startActivity(Intent.createChooser(intent, "TEST"));
```- [GAlette](https://github.com/uPhyca/GAlette) - Tracking events with Google Analytics by annotations
```java
@SendEvent(category = "HelloWorld", action = "sayHello", label="%1$s")
String sayHello (String name) {
return format("Hello, %s.", name);
}
```- [Paraphrase](https://github.com/JakeWharton/paraphrase) - compile-safe format string builders.
```xml
Hello, {other_name}! My name is {my_name}.
``````java
CharSequence greeting = Phrase.greeting()
.other_name("GitHub user")
.my_name("Jake Wharton")
.build(this);
```- [esperandro](https://github.com/dkunzler/esperandro) - Easy SharedPreference Engine foR ANDROid
```java
String superFancyPreference = preferences.superFancyPreferenceKey()
preferences.superFancyPreferenceKey(superFancyPreference)
```- [Android Priority Job Queue](https://github.com/path/android-priority-jobqueue)
```java
public void onSendClick() {
final String status = editText.getText().toString();
if(status.trim().length() > 0) {
jobManager.addJobInBackground(new PostTweetJob(status));
editText.setText("");
}
}
```- [Android Saripaar](https://github.com/ragunathjawahar/android-saripaar) - UI Validation Library
```java
@Required(order = 1)
@Email(order = 2)
private EditText emailEditText;@Password(order = 3)
@TextRule(order = 4, minLength = 6, message = "Enter at least 6 characters.")
private EditText passwordEditText;@ConfirmPassword(order = 5)
private EditText confirmPasswordEditText;@Checked(order = 6, message = "You must agree to the terms.")
private CheckBox iAgreeCheckBox;
```- [ObjectCache](https://github.com/iainconnor/ObjectCache)
```java
MyObject myObject = new MyObject("foo");
cacheManager.put("myKey", myObject);
```- [GPUImage for Android](https://github.com/CyberAgent/android-gpuimage#gpuimage-for-android)
```java
mGPUImage = new GPUImage(this);
mGPUImage.setGLSurfaceView((GLSurfaceView) findViewById(R.id.surfaceView));
mGPUImage.setImage(imageUri); // this loads image on the current thread, should be run in a thread
mGPUImage.setFilter(new GPUImageSepiaFilter());
```- [Amalgam](https://github.com/nohana/Amalgam) - Common codes for Android
```java
ToastUtils.showOnUiThread(activity, "SOMESTRING", Toast.LENGTH_SHORT);
``````java
isMainThread() // Check if current thread is the main thread.
```- [Android Checkout](https://github.com/serso/android-checkout) - Android In-App Billing made easy.
```java
checkout.start();
// you only need this if this activity starts purchase process
checkout.createPurchaseFlow(new PurchaseListener());
// you only need this if this activity needs information about purchases/SKUs
inventory = checkout.loadInventory();
inventory.whenLoaded(new InventoryLoadedListener())
```- [AsyncJobLibrary](https://github.com/Arasthel/AsyncJobLibrary)
```java
new AsyncJob.AsyncJobBuilder()
.doInBackground(new AsyncJob.AsyncAction() {
@Override
public Boolean doAsync() {
// Do some background work
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
return true;
}
})
.doWhenFinished(new AsyncJob.AsyncResultAction() {
@Override
public void onResult(Boolean result) {
Toast.makeText(context, "Result was: " + result, Toast.LENGTH_SHORT).show();
}
}).create().start();
```Cloud Handling
---- [Driven](https://github.com/bingzer/driven) - A unified API calls for different cloud storage providers
```java
StorageProvider provider = new Dropbox();
provider.authenticate(credentials);// list all files in the root
provider.listAsync(new Task>(){
public void onComplete(List files){
...
}
});
```Social Network Handling
---- [AndroidSocialNetworks](https://github.com/antonkrasov/AndroidSocialNetworks) - easy work with Facebook, Twitter, LinkedIn and Google
```java
mSocialNetworkManager = (SocialNetworkManager) getFragmentManager().findFragmentByTag(SOCIAL_NETWORK_TAG);if (mSocialNetworkManager == null) {
mSocialNetworkManager = SocialNetworkManager.Builder.from(getActivity())
.twitter(<< TWITTER API TOKEN >>, << TWITTER API SECRET >>)
.linkedIn(<< LINKED_IN API TOKEN >>, << LINKED_IN API TOKEN >>, "r_basicprofile+rw_nus+r_network+w_messages")
.facebook()
.googlePlus()
.build();
getFragmentManager().beginTransaction().add(mSocialNetworkManager, SOCIAL_NETWORK_TAG).commit();
}
```DI
---- [ButterKnife](https://github.com/JakeWharton/butterknife)
```java
@InjectView(R.id.user) EditText username;
@InjectView(R.id.pass) EditText password;@OnClick(R.id.submit) void submit() {
// TODO call server...
}
```- [Dagger](http://square.github.io/dagger/)
```java
@Inject
Thermosiphon(Heater heater) {
this.heater = heater;
}
```View Model Binding
---- [android-binding](https://github.com/gueei/AndroidBinding) - MVVM for Android
```java
public StringObservable message = new StringObservable();
...
message.set("Hello MVVM!"); // will change the model and view
```UI
--- [AboutLibraries](https://github.com/mikepenz/AboutLibraries)
data:image/s3,"s3://crabby-images/dfed1/dfed159d99ccb7b79d4f6cb492163c2f9cc2b64c" alt=""
- [SuperToasts](https://github.com/JohnPersano/SuperToasts)
data:image/s3,"s3://crabby-images/50b22/50b22457bc2bdd7bf28bc58cb02828333c063044" alt=""
- [PhotoView](https://github.com/chrisbanes/PhotoView) - ImageView for Android that supports zooming, by various touch gestures.
data:image/s3,"s3://crabby-images/e63d8/e63d842b07a3c3d65a29b93682e2742d274253ad" alt=""
- [Fading Action Bar](https://github.com/ManuelPeinado/FadingActionBar)
data:image/s3,"s3://crabby-images/3e859/3e8597f2d4a6f1d85058e36b96c8fe8a5ab25bfb" alt=""
- [BlurEffectForAndroidDesign](https://github.com/PomepuyN/BlurEffectForAndroidDesign)
data:image/s3,"s3://crabby-images/52c86/52c8674f7ae5cca0e0cf7564606bfe1ef5a865d7" alt=""
- [SlidingMenu](https://github.com/jfeinstein10/SlidingMenu)
data:image/s3,"s3://crabby-images/fb579/fb5794aab693d41770c0e4ba54ce6f55c1fdc072" alt=""
- [cardslib](https://github.com/gabrielemariotti/cardslib)
data:image/s3,"s3://crabby-images/91e1c/91e1cb95ff948e16bc36cec0820131c902b763cc" alt=""
- [CardsUI for Android](https://github.com/Androguide/cardsui-for-android)
data:image/s3,"s3://crabby-images/9bbef/9bbef2c4c54c31769ac034e16e99aff1e58b21af" alt=""
- [ColorArt](https://github.com/MichaelEvans/ColorArt)
data:image/s3,"s3://crabby-images/4192f/4192fafc17708a5f967e30778e9e71e078d1f7f0" alt=""
- [Android-Rate](https://github.com/hotchemi/Android-Rate)
data:image/s3,"s3://crabby-images/4feda/4fedac4c9ef0b2107b192c2f2e29ca9ff610406a" alt=""
- [GlassActionBar](https://github.com/ManuelPeinado/GlassActionBar)
data:image/s3,"s3://crabby-images/a356c/a356c3c9118e79e714d96533885ec5d7580523ec" alt=""
- [emojicon](https://github.com/rockerhieu/emojicon)
data:image/s3,"s3://crabby-images/15ea4/15ea4a6635d5f4d1a1b7cc2ebaf90fa18ce0c228" alt=""
- [IonIconView](https://github.com/MarsVard/IonIconView)
data:image/s3,"s3://crabby-images/12842/128425ad38ade7c276092d32eb7643b13a52fe9e" alt=""
- [ExtendedCalendarView](https://github.com/tyczj/ExtendedCalendarView)
data:image/s3,"s3://crabby-images/d5dfe/d5dfeff969ad7bc17cbda739ca2dccb0e29c38d3" alt=""
- [StickyListHeaders](https://github.com/emilsjolander/StickyListHeaders)
data:image/s3,"s3://crabby-images/85b4c/85b4cfb08d3d0e15023569b3ee05659cef6ebb84" alt=""
- [StickyGridHeaders](https://github.com/TonicArtos/StickyGridHeaders)
data:image/s3,"s3://crabby-images/8f2ed/8f2ed26b353f1fbb5441a6b2a5afe762aa961aaa" alt=""
- [Android Staggered Grid](https://github.com/etsy/AndroidStaggeredGrid)
data:image/s3,"s3://crabby-images/2519c/2519cf5f263c44f0eeaa1c6bdde32b90f98aaf01" alt=""
- [JazzyViewPager](https://github.com/jfeinstein10/JazzyViewPager)
- [Android ViewPagerIndicator](https://github.com/JakeWharton/Android-ViewPagerIndicator)
data:image/s3,"s3://crabby-images/43a35/43a35130abf4eb790e5fd9921c0be6c701ce904a" alt=""
- [RoudedImageView](https://github.com/vinc3m1/RoundedImageView)
data:image/s3,"s3://crabby-images/c5a44/c5a4478f0492f7a43f7c2c8988ce5b23b46093ab" alt=""
- [Enhanced ListView](https://github.com/timroes/EnhancedListView)
data:image/s3,"s3://crabby-images/6e866/6e866b06c40898d2bd52d2a7d820acc3ad008933" alt=""
- [Android Sliding Up Panel](https://github.com/umano/AndroidSlidingUpPanel)
data:image/s3,"s3://crabby-images/d1c47/d1c47589bdae07815372934df4bee45d8a951f32" alt=""
- [CWAC TouchListView](https://github.com/commonsguy/cwac-touchlist) - A Drag-and-Drop Capable ListView
- [AdapterViewAnimator](https://github.com/SimonVT/adapterviewanimator)
```java
AdapterViewAnimator animator = new AdapterViewAnimator(adapterView);
data.add(item);
adapter.notifyDataSetChanged();
animator.animate();
```- [MPAndroidChart](https://github.com/PhilJay/MPAndroidChart)
data:image/s3,"s3://crabby-images/432be/432beb32bd8884a58d579590997751156afc186a" alt=""
data:image/s3,"s3://crabby-images/7950c/7950c3ec3c8068fedae43b8c8f810acb797a096b" alt=""
- [ListViewAnimations](https://github.com/nhaarman/ListViewAnimations) - allows developers to easily add animations to ListView items
data:image/s3,"s3://crabby-images/83142/831428051ac07e85a9c8a7df2065b23ba1c8171d" alt=""
Album handling
---- [DeviceAlbums](https://github.com/nohana/DeviceAlbums) (Compatibility library for dealing with various device photo albums.)
- [Laevatein](https://github.com/nohana/Laevatein)data:image/s3,"s3://crabby-images/d70eb/d70eb963b5be4d78b11b3d72c598f9925c5b11c0" alt=""
- RoboGuice
Rx
---- [RxJava](https://github.com/Netflix/RxJava)
```java
Subscription sub = Observable.from(1, 2, 3, 4, 5)
.subscribeOn(Schedulers.newThread())
.observeOn(AndroidSchedulers.mainThread())
.subscribe(observer);
```Promise
---- [JDefferred](https://github.com/jdeferred/jdeferred)
```java
Deferred deferred = new DeferredObject();
Promise promise = deferred.promise();
promise.done(new DoneCallback() {
public void onDone(Object result) {
...
}
}).fail(new FailCallback() {
public void onFail(Object rejection) {
...
}
}).progress(new ProgressCallback() {
public void onProgress(Object progress) {
...
}
}).always(new AlwaysCallback() {
public void onAlways(State state, Object result, Object rejection) {
...
}
});
```Security
---- [Conceal](http://facebook.github.io/conceal/) - Fast cryptographic operations for Android by Facebook
Debug Utility
---- [Hugo](https://github.com/JakeWharton/hugo)
```java
@DebugLog
public String getName(String first, String last) {
SystemClock.sleep(15); // Don't ever really do this!
return first + " " + last;
}
```- [Timber](https://github.com/JakeWharton/timber) - A logger.
- [scalpel](https://github.com/JakeWharton/scalpel)
data:image/s3,"s3://crabby-images/05a6c/05a6c853f769f89a8ed0058e0876b163e30d056d" alt=""
- [dspec](https://github.com/lucasr/dspec) - An easy way to draw UI specs on top of your Android UI
data:image/s3,"s3://crabby-images/cf131/cf131f73674a83a6ed31891da5e3cef9b99236e7" alt=""
Gradle Plugin
---- [Gradle Android AspectJ Plugin](https://github.com/uPhyca/gradle-android-aspectj-plugin)
- [gradle-android-appiconoverlay](https://github.com/splatte/gradle-android-appiconoverlay)
- [License Gradle Plugin](https://github.com/hierynomus/license-gradle-plugin)Testing
---### Unit
- JUnit
- [Robospock](http://robospock.org/)```groovy
def "should display hello text"() {
given:
def textView = new TextView(Robolectric.application)and:
def hello = "Hello"when:
textView.setText(hello)then:
textView.getText() == hello
}
```### Assert
- [AssertJ-Android](https://github.com/square/assertj-android)
```java
assertThat(frodo.getName()).isEqualTo("Frodo");
assertThat(frodo).isNotEqualTo(sauron)
.isIn(fellowshipOfTheRing);
assertThat(sauron).isNotIn(fellowshipOfTheRing);
```### Fixture
- [RobotGirl](https://github.com/rejasupotaro/RobotGirl)
```java
Factory.define(
// This will guess the User class
new Definition(User.class) {
@Override
public Bundle set(Bundle attrs) {
attrs.putString("name", "John");
attrs.putBoolean("admin", false);
return attrs;
}
// This will use the User class (Adming would have been guessed)
}, new Definition(User.class, "admin") {
@Override
public Bundle set(Bundle attrs) {
attrs.putString("name", "Admin");
attrs.putBoolean("admin", true);
return attrs;
}
});
```### Mock
- [Mockito](https://code.google.com/p/mockito/)
```java
LinkedList mockedList = mock(LinkedList.class);
when(mockedList.get(0)).thenReturn("first");
when(mockedList.get(1)).thenThrow(new RuntimeException());
```### UI Test
- [Appium](http://appium.io/)
- [Espresso](https://code.google.com/p/android-test-kit/wiki/Espresso)
```java
public void testSayHello() {
onView(withId(R.id.name_field))
.perform(typeText("Steve"));
onView(withId(R.id.greet_button))
.perform(click());
onView(withText("Hello Steve!"))
.check(matches(isDisplayed()));
}
```Others
---[buck](http://facebook.github.io/buck/) - A high-performance Android & Java build tool
Documentation
---[doclava](https://code.google.com/p/doclava/)
data:image/s3,"s3://crabby-images/b1da8/b1da8a8c6804cab8178cb40e80e0941896adc370" alt=""
Contribution
===Just fork & edit & send pull-request on GitHub!
####Policy
1. Official Website over GitHub Repository for links.
2. Should put codes which reflects the library.
3. For UI libraries, put demonstorations (AniGIF, PNG, Movies).And I am considering to ...
1. Put reference links for each libraries.
2. Separate pages for each categories.
3. Separate UI categories.####Maintainer
kaiinui (https://github.com/kaiinui)
####and...
I am building a website to browse awesome libraries! https://github.com/kaiinui/droidgems