Maqueta


Source link: https://github.com/noties/Maqueta

@Maqueta

Live-models backed up by SharedPreferences and observable with Rx, LiveData or old-fashioned listeners

 compile 'ru.noties:maqueta:1.0.0'
  annotationProcessor 'ru.noties:maqueta-compiler:1.0.0'

This library is an abstraction other Android SharedPreferences, which allows easily share arbitrary data between different application layers without exposing Android specifics. For example given the decriptor class:

@Maqueta(className = ".First") class FirstMaqueta {

  long id;
  String name;
  boolean flag; 
}

Maqueta library will generate a normal POJO with getters & setters which directly coordinate with underying SharedPreferences:

final First first = First.create(context, "name_of_pref");
  // getters first.id();
 first.name();
 first.flag();
  // setters (implemented with Builder pattern for easy chaining) first.id(23L)
  .name("my_name")
  .flag(true);
  // clear first.clear();

ObserveWith

Additionally Maqueta allows to specify what type of observable a generated class must be. There are few options:

  • RxJava2
  • LiveData
  • Old-fashioned listeners

*Please note, that Maqueta is not compiled against RxJava2 or LiveData, so make sure you have desired library in your classpath

RxJava2

RxJava

@Maqueta(className = ".Rx", observeWith = Maqueta.ObserveWith.RX) class RxMaqueta {
 // fields are omitted for brevity 
}
  // generated class will have the `observe` method final Rx rx = Rx.create(context, "rx_pref");
  final Observable<Rx> observable = rx.observe();
 final Disposable disposable = observable
  .subscribe(rx -> {
 /* will be called when any of keys have been updated */ 
}
);
  // do not forget to dispose your disposables after you are finished // for example, in `onStop()` disposable.dispose();

LiveData

Please note that LiveData is still in alpha, use with caution

@Maqueta(className = ".Live", observeWith = Maqueta.ObserveWith.LIVE_DATA) class LiveMaqueta {
 // fields are omitted for brevity 
}
  // generated class will extend `LiveData<Live>` final Live live = Live.create(context, "live_pref");
  live.observe(lifecycleOwner, (live) -> {

  // Maqueta will never deliver `null` values
  // so it's safe to suppress nullable problems here (Observer's method is annotated with @Nullable) 
}
)

Old-fashioned listeners

@Maqueta(className = ".Fashion", observeWith = Maqueta.ObserveWith.LISTENER) class FashionMaqueta {
 // fields are omitted for brevity 
}
  final Fashion fashion = Fashion.create(context, "fashion_pref");
  // new MaquetaListener<Fashion> fashion.register(fashion -> {

}
);
  fashion.unregister(listener);
  fashion.unregisterAll();

Configuration

@Maqueta annotation requires at least className option. It's the name of a generated class. It can be fully-qualified Java class name ( com.example.MyClass) or start with a dot ( .MyClass) to create a MyClass class in the same package as a descriptor class.

Descriptor class (that is annotated with @Maqueta) is used only to provide description of a class to be generated. It's not used further and is safe to delete. There are also no restrictions for a descriptor - it can be any valid class (including private inner classes, this can be helpful if you want to keep all descriptors in one place).

@Maqueta.Key

Use this annotation for the fields in descriptor class to provide key specific logic.

@Maqueta(className = ".Keys") class KeysMaqueta {

@Maqueta.Key(name = "this_is_key_name_in_shared_preferences")
  long id;

@Maqueta.Key(defaultValue = "true")
  boolean flag;

@Maqueta.Key(serializedType = Maqueta.Type.LONG)
  Date date; 
}

name

This option describes what key name will be used to put/retrieve values to/from SharedPreferences for this field. Please note, that this option does not affect the generated getters/setters for a field (field's name is still used for them).

defaultValue

This option lets you specify default value for the specified key. By default @Maqueta uses these defaults:

  • boolean -> false
  • int -> 0
  • long -> 0L
  • float -> .0F
  • String -> "" (empty string)
  • Set<String> - > Collections.EMPTY_SET

Please note, that defaultValue for a String must be quoted ( @Maqueta.Key(defaultValue = "\"raw_string\""))

This option does not enforce one specific usage. So, everything that is provided will be directly moved to a generated class. This lets to use any value as a default one, even if available only at runtime.

@Maqueta.Key(defaultValue = "BuildConfig.APPLICATION_ID") String appId;  @Maqueta.Key(defaultValue = "System.currentTimeMillis()") long time;

serializedType

@Maqueta allows storing/retrieving any object in/from the SharedPreferences with the help of serializers. But in order to ensure type safety serializedType must be specified. It can be any of the natively supported type by SharedPreferences:

  • BOOLEAN
  • INT
  • LONG
  • FLOAT
  • STRING
  • SET_STRING
@Maqueta(className = ".LongDate") class LongDateMaqueta {

@Maqueta.Key(serializedType = Maqueta.Type.LONG)
  Date date;  
}

If @Maqueta encounters a type that is not natively supported, instead of generating static create method a builder will be generated.

final LongDate longDate = LongDate.builder(context, "long_date_pref")

.dateSerializer(new MaquetaSerializer<Date, Long>() {

 @Override

 public Long serialize(Date date) {

  return date.getTime();

 
}

  @Override

 public Date deserialize(Long aLong) {

  return new Date(aLong);

 
}

}
)

.build();

Please note that all serializable fields must have serializers provided. If not Builder will throw an exception indicating what required argument is missing.

@Maqueta.Field

In order to include a field (that is not backed-up in SharedPreferences) in a generated class the @Maqueta.Field annotation can be used. It has only one option getter which describes if a getter for this field must be generated.

It can be helpful for example to use in default values.

@Maqueta(className = ".Fields") class FieldsMaqueta {

@Maqueta.Field
  float ratio;

@Maqueta.Key(defaultValue = "13.F * ratio"
  float value; 
}

Please note, that as fields are not backed-up by SharedPreferences they are instance specific.

Also, if a @Maqueta.Field is present in descriptor a builder static method will be generated instead of create.

final Fields fields = Fields.builder(context, "fields_pref")
  .ratio(5.F)
  .build();

License

  Copyright 2017 Dimitry Ivanov ([email protected])
 Licensed under the Apache License, Version 2.0 (the "License");

you may not use this file except in compliance with the License.
You may obtain a copy of the License at

  http://www.apache.org/licenses/LICENSE-2.0
 Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License. 

Resources

Sample demonstrating how to set up SensorEventListeners for step detectors and step counters.

Simple and powerful MVP library for Android.

Ferro elegantly solves two age-old problems of Android Framework related to configuration changes:

  • restore screen's data
  • managing background tasks

ADB client implemented in pure Java.

Interactive Extensions for Java.

RxMarkdown is an Android library that helps to display simple markdown text in android.widget.EditText or android.widget.TextView.

An animated toggling Plus/Check button for Android.

Topics


2D Engines   3D Engines   9-Patch   Action Bars   Activities   ADB   Advertisements   Analytics   Animations   ANR   AOP   API   APK   APT   Architecture   Audio   Autocomplete   Background Processing   Backward Compatibility   Badges   Bar Codes   Benchmarking   Bitmaps   Bluetooth   Blur Effects   Bread Crumbs   BRMS   Browser Extensions   Build Systems   Bundles   Buttons   Caching   Camera   Canvas   Cards   Carousels   Changelog   Checkboxes   Cloud Storages   Color Analysis   Color Pickers   Colors   Comet/Push   Compass Sensors   Conferences   Content Providers   Continuous Integration   Crash Reports   Credit Cards   Credits   CSV   Curl/Flip   Data Binding   Data Generators   Data Structures   Database   Database Browsers   Date &   Debugging   Decompilers   Deep Links   Dependency Injections   Design   Design Patterns   Dex   Dialogs   Distributed Computing   Distribution Platforms   Download Managers   Drawables   Emoji   Emulators   EPUB   Equalizers &   Event Buses   Exception Handling   Face Recognition   Feedback &   File System   File/Directory   Fingerprint   Floating Action   Fonts   Forms   Fragments   FRP   FSM   Functional Programming   Gamepads   Games   Geocaching   Gestures   GIF   Glow Pad   Gradle Plugins   Graphics   Grid Views   Highlighting   HTML   HTTP Mocking   Icons   IDE   IDE Plugins   Image Croppers   Image Loaders   Image Pickers   Image Processing   Image Views   Instrumentation   Intents   Job Schedulers   JSON   Keyboard   Kotlin   Layouts   Library Demos   List View   List Views   Localization   Location   Lock Patterns   Logcat   Logging   Mails   Maps   Markdown   Mathematics   Maven Plugins   MBaaS   Media   Menus   Messaging   MIME   Mobile Web   Native Image   Navigation   NDK   Networking   NFC   NoSQL   Number Pickers   OAuth   Object Mocking   OCR Engines   OpenGL   ORM   Other Pickers   Parallax List   Parcelables   Particle Systems   Password Inputs   PDF   Permissions   Physics Engines   Platforms   Plugin Frameworks   Preferences   Progress Indicators   ProGuard   Properties   Protocol Buffer   Pull To   Purchases   Push/Pull   QR Codes   Quick Return   Radio Buttons   Range Bars   Ratings   Recycler Views   Resources   REST   Ripple Effects   RSS   Screenshots   Scripting   Scroll Views   SDK   Search Inputs   Security   Sensors   Services   Showcase Views   Signatures   Sliding Panels   Snackbars   SOAP   Social Networks   Spannable   Spinners   Splash Screens   SSH   Static Analysis   Status Bars   Styling   SVG   System   Tags   Task Managers   TDD &   Template Engines   Testing   Testing Tools   Text Formatting   Text Views   Text Watchers   Text-to   Toasts   Toolkits For   Tools   Tooltips   Trainings   TV   Twitter   Updaters   USB   User Stories   Utils   Validation   Video   View Adapters   View Pagers   Views   Watch Face   Wearable Data   Wearables   Weather   Web Tools   Web Views   WebRTC   WebSockets   Wheel Widgets   Wi-Fi   Widgets   Windows   Wizards   XML   XMPP   YAML   ZIP Codes