[xposed - source] LG G2 KitKat (stock) Xposed mods - G2 Android Development

I realize that xposed isn't quite released for the LG G2 kitkat stock firmware at the time of this post, but something being "not quite yet released" never slowed xda-developers down...
This thread is dedicated to various mods to the stock LG UI that can be done with xposed. It's only for SOURCE CODE and fragments. Please, don't upload or link any compiled projects here.
If you don't do your own development and/or don't work with xposed, this thread isn't for you.
Please don't ask for support in general xposed development here. Again, this is just a place for people to share code.

Battery icon
The xposed framework tutorials have samples for replacing the battery icon. However, you should use apktool to open up LGSystemUI.apk (priv-app) to see that there are many different versions of the battery on the G2. For example, the standard battery replacement code doesn't work on AT&T phones (D800.)
So, you might end up having to replace several resources:
Code:
resparam.res.setReplacement("com.android.systemui", "drawable", "stat_sys_battery", modRes.fwd(R.drawable.stat_sys_battery));
resparam.res.setReplacement("com.android.systemui", "drawable", "stat_sys_battery_atnt", modRes.fwd(R.drawable.stat_sys_battery));
resparam.res.setReplacement("com.android.systemui", "drawable", "stat_sys_battery_charge", modRes.fwd(R.drawable.stat_sys_battery_charge));

Getting rid of the carrier logo (on the left side of the status bar)
Fairly simple (and there are multiple ways) For example, in the handleLoadPackage() for com.android.systemui, the following works:
Code:
findAndHookMethod("com.lge.systemui.widget.OperatorTextView",
lpparam.classLoader,
"setTextOperator", CharSequence.class,
new XC_MethodHook() {
@Override
protected void afterHookedMethod(MethodHookParam param) throws Throwable {
XposedHelpers.callMethod(param.thisObject,"setVisibility", 0x8);
}
});

Not happy with the fact that LG shoves that soft "menu" key in your face all the time? Want to replace it with a "recent app" type softkey (that's more android and less samsung)? This one is kind of involved in order to be complete...
All of these fragments take place in the handleLoadPackage() for com.android.systemui...
First, just change the "menu" button to always be a "recent apps" button:
Code:
findAndHookMethod("com.lge.systemui.navigationbar.NavigationBarManager",
lpparam.classLoader,
"updateButtonSet", /* no params */
new XC_MethodHook() {
@Override
protected void afterHookedMethod(MethodHookParam param) throws Throwable {
String p = (String) XposedHelpers.getObjectField(param.thisObject, "mButtonSet");
// replace "menu" with recent apps, and get rid of the recentappsdummy
p = p.replace("Menu", "RecentApps").replace("RecentAppsDummy", "");
XposedHelpers.setObjectField(param.thisObject, "mButtonSet", p);
}
});
That's pretty easy. However, you've just lost the "menu" button which is really needed for several LG stock apps (as they don't use an overflow button.) To handle that, here's a fragment (in the same handler) that will capture any long presses of the "recents" button and send a MENU command instead. While we're at it, go ahead and disable the old-fashioned "long press home -> recents"
Code:
findAndHookMethod("com.android.systemui.statusbar.policy.KeyButtonView",
lpparam.classLoader,
"sendEvent", int.class, int.class,
new XC_MethodReplacement() {
@Override
protected Object replaceHookedMethod(MethodHookParam param) throws Throwable {
// get the mcode of the button
final int sDUMMYKEYCODE = 0x1bb;
Integer mcode = XposedHelpers.getIntField(param.thisObject, "mCode");
// deal with long press events
if ((Integer)param.args[1] == KeyEvent.FLAG_LONG_PRESS) {
if (mcode == KeyEvent.KEYCODE_HOME) {
// swallow the home long press - it should do nothing
} else if (mcode == KeyEvent.KEYCODE_APP_SWITCH) {
// long press of recents gives the menu
// set this key to have the menu code..
XposedHelpers.setIntField(param.thisObject, "mCode", KeyEvent.KEYCODE_MENU);
// send an 'action down'
XposedHelpers.callMethod(param.thisObject, "sendEvent", KeyEvent.ACTION_DOWN, 0, SystemClock.uptimeMillis());
// set the mcode to a known "fake" so the action_up is handled properly
XposedHelpers.setIntField(param.thisObject, "mCode", sDUMMYKEYCODE);
}
} else if (mcode == sDUMMYKEYCODE) {
// the recents key has its code set to DUMMYKEYCODE when it sends
// an action_down to flag that this was a long press. Now that the
// dummykeycode has been sent again, simulate a menu action_up
XposedHelpers.setIntField(param.thisObject, "mCode", KeyEvent.KEYCODE_MENU);
XposedHelpers.callMethod(param.thisObject, "sendEvent", KeyEvent.ACTION_UP, 0, SystemClock.uptimeMillis());
XposedHelpers.setIntField(param.thisObject, "mCode", KeyEvent.KEYCODE_APP_SWITCH);
} else {
// no special processing, so just pass the sendEvent along normally.
XposedHelpers.callMethod(param.thisObject, "sendEvent", param.args[0],param.args[1], SystemClock.uptimeMillis());
}
return null;
}
});

Here's a couple of fragments that just change some resource bools to alter the UI. The first one turns off the volume slider on the notification dropdown and the second turns off the option for "quick voice" when you press/hold the home softkey. Both are in the handleInitPackageResources() for com.android.systemui:
Code:
resparam.res.setReplacement("com.android.systemui",
"bool",
"config_systemui_feature_volumeslider",
false);
resparam.res.setReplacement("com.android.systemui",
"bool",
"config_systemui_feature_qvoice",
false);

garyd9 said:
Getting rid of the carrier logo (on the left side of the status bar)
Fairly simple (and there are multiple ways) For example, in the handleLoadPackage() for com.android.systemui, the following works:
Code:
findAndHookMethod("com.lge.systemui.widget.OperatorTextView",
lpparam.classLoader,
"setTextOperator", CharSequence.class,
new XC_MethodHook() {
@Override
protected void afterHookedMethod(MethodHookParam param) throws Throwable {
XposedHelpers.callMethod(param.thisObject,"setVisibility", 0x8);
}
});
Click to expand...
Click to collapse
Where do I find that file? I cant stand the the carrier name in the status bar.

G-Bus said:
Where do I find that file? I cant stand the the carrier name in the status bar.
Click to expand...
Click to collapse
Where do you find which file? These are source code fragments that a dev can use to do certain things with the xposed framework.
Sent from my LG-D800

Dude this will work on art?
Enviado desde mi LG-D806 mediante Tapatalk

garyd9 said:
Here's a couple of fragments that just change some resource bools to alter the UI. The first one turns off the volume slider on the notification dropdown and the second turns off the option for "quick voice" when you press/hold the home softkey. Both are in the handleInitPackageResources() for com.android.systemui:
Code:
resparam.res.setReplacement("com.android.systemui",
"bool",
"config_systemui_feature_volumeslider",
false);
resparam.res.setReplacement("com.android.systemui",
"bool",
"config_systemui_feature_qvoice",
false);
Click to expand...
Click to collapse
Why do you hate the volume slider? It's very convenient to adjust volume without grabbing the phone up to fumble with volume keys on the rear side. Well actually my complaint is none of the Xposed modules for G2 has an option to ENABLE it for Verizon VS980...

Tinchoska said:
Dude this will work on art?
Click to expand...
Click to collapse
Dude, like what do think, man? Like, does xposed work with ART, dude?
Sent from my LG-D800

zeroxia said:
Why do you hate the volume slider?
Click to expand...
Click to collapse
hate? No... I just don't find a need for it. It's a trivial mod with xposed, so I thought I'd share it. It never occurred to me that it would get that reaction, though.
Sent from my LG-D800

zeroxia said:
Well actually my complaint is none of the Xposed modules for G2 has an option to ENABLE it for Verizon VS980...
Click to expand...
Click to collapse
I was wondering what all the talk about hiding the volume slider was about. What volume slider? Wait isn't that the brightness slider?
Swyped from my Verizon LG G2 using Tapatalk 4.4.7

Verizon variant doesnt have the volume slider I think, At&t does.

Related

[ROM] [Port] Andromadus Mimicry 1.5 [CM9.1 Stable]

Special Thanks to blk_jack for letting me port this for everyone
Andromadus Mimicry ROM – version 1.5.0 (September 4, 2012)
...Or how I learned to stop worrying and love the ROM
...I Ported this for myself and got Permission to post it...
...I Am taking a break to concentrate on my family so updates will be on weekends if there are an]
= What is this? =
Based off CyanogenMod 9 and forked from thee mighty Andromadus main repo.
– Daily merges of new CM9 patches & additions.
– Combines the fast and stable base of Andromadus/CM9 with new, unique features!
– Goal is to take advantage of our devices' hardware in a time where new ROMs are focused more on next gen devices – offer unique features to the Vision.
– AROMA Installer provides the user with choice on installation, saving preferences for future versions.​Join us on IRC in #mimicry on Freenode!
If you're new to IRC and without a native app, you can try the Freenode web client [link] or the Firefox extension Chatzilla [link].​
= Newest Changes! =
Version 1.5.0 – September 4, 2012 [link]
– Merged in new CM9.1 changes
– Requested Feature! Added remove all recent apps. Longpress app or press Trackball in Recent Apps overlay
– New Feature! Added adjustable StatusBar background color and transparency
– New Feature! Added colorize to Notification Shortcuts -- Change both the stock and default app icon colors on the fly! Toggling Notification Shortcuts resets the color
– Completely re-coded Notification Shortcuts -- faster, less unnecessary redraws
– Fixed Notification Shortcut alignment and spacing. Now draws and scales properly depending on available width. (Toggled on by default)
– Fixed exception in Notification Shortcuts causing Settings to crash on blank shortcut redraw
– Switched notification shortcut background pressed drawable to use notification_item's - will work with colorization to provide better theme consistency
– Modified default StatusBar color to act as an inactive default to allow themes to take priority
– When setting the date to appear in the StatusBar, it now maintains the same font size as the clock
– Applied hwc prop change to [mostly] fix corrupted text issue
– Updated translations for existing languages and added new languages for: Romanian, Czech, Lithuanian, Portuguese, Slovak, Serbian, Turkish & Chinese traditional!
– A big thanks to new translators: bogdan5844, CebeLL, daanas, dakf, Filip.Hunka, GizMoQC, hezeri, Jinxtedium, karalaine, Krusty, magno23, matteoa91, michuo, Petrs, shared_ptr, skui, TBest, TheGed129, tomaja & Whippler​
Need help installing/upgrading? Visit the FAQ Post 3
​
= Notable Feature Summary =
These are some of the features included in Mimicry! Visit the Feature section below
– Notification Shortcuts - Up to 12 shortcuts in the notification area. Customize icons! Use the default icon, from Gallery or from a set of pre-created Stock icons. Cutomize icon colors as well as spacing and alignment
– Recent Apps mods - Search capactive key rebinded to Recent Apps (with longpress Search) and Remove all Recent Apps (with longpress or trackball)
– Mods/Tweaks - Pre-packaged V6 Supercharger, Virtuous OC Daemon, Enhanced Keymaps tweaks and Wifi Calling selectable on install
– App choice - Choose from a number of Launchers, Music players and Boot animations on install
– UI enhancements - Numerous built-in battery icon mods. Use a custom date format in statusbar or notifications and change the StatusBar color/transparency level
– Hardware button mods - Long-press Power for Quick Torch, Long-press Camera for Quick Camera, Trackball Answer/Hangup​​
= Suggested Ideas =
If the ideas below sound like something you'd like to see in the ROM, mention it in the thread so I can give them higher development priority
– Kill-all Recent Apps at once ability
– Add user-selectable colors for Notification Shortcut icons
– Status bar transparency/color selection
– Want more? Suggestions are welcome in the thread!​
Andromadus Mimicry issue/feature request tracker on Main Rom [link]​
Sent from my Incredible 2 using Tapatalk 2
== Features ==
– The AROMA Installer provides a touch screen GUI on ROM flash
– Allows optional choices of components, tweaks and mods on installation. Compatible with CWM and 4EXT.​
UI Mods and Functionality Options
= Search to Recent Apps =
– Rebinds the Search Key to Recent Apps
– Long press Search Key becomes "old" Search​
= Sense 4.0 Style Multitasking =
– Themes the Recent Apps overlay to appear similar to Sense 4.0.
– Includes reflections and swipe-down​
​
= AOKP Lockscreen Weather Icons =
– Replaces the CM9 lockscreen weather icons with ones used in AOKP​
​
= Battery Icon Mods =
– Choose between 5 available battery icon mods
– Includes both horizontal and vertical percentage-in-icon types
– Includes the popular circle battery from AOKP​
​
System Tweaks
= V6 Supercharger =
– Pre-configures and installs V6 Supercharger to automatically optimize your memory​
= Virtuous OC Daemon =
– Save battery life and make better use of the kernel CPU frequencies
– Applies a lower ceiling to the max frequency when the screen is off.
– Allows you to change the governor & min/max cpu frequency for screen on/off states (will override anything set in Performance)​
= Enhanced Keymaps =
– Binds missing characters ^\` to the unused keyboard special buttons
– Supported languages: English (DZ/G2), German, Italian, Russian
* Special key 1 bindings: \ | ^ (base, fn, shift)
* Special key 2 bindings: < { [ (base, fn, shift)
* Special key 3 bindings: > } ] (base, fn, shift)
* The @~ key now also has ` (shift)
** Special key 1 on the DZ is labelled SYM
** Special key 1 on the German DZ is labelled MENU
** Special Key 1 on the Russian DZ is labelled MENU
** For the G2, www./com. has been replaced with TAB
Exceptions
– English: SPACE key now also has SYM (shift)
– German: @! key now also has ~ (shift)
– Italian: SPACE key now also has GRAVE ACCENT (fn)
– Russian: Language key now has `
​
Customize Apps
= Launcher =
– Choose between Trebuchet, Nova and Apex on install​
= Music Player =
– Choose between Apollo, Google Play Music or forego any Music player (for users of PowerAmp, etc)​
= Boot Animation =
– Choose between the stock AOSP animation, CM9's Andy & Cid and the legendary Nyandroid!​
{
"lightbox_close": "Close",
"lightbox_next": "Next",
"lightbox_previous": "Previous",
"lightbox_error": "The requested content cannot be loaded. Please try again later.",
"lightbox_start_slideshow": "Start slideshow",
"lightbox_stop_slideshow": "Stop slideshow",
"lightbox_full_screen": "Full screen",
"lightbox_thumbnails": "Thumbnails",
"lightbox_download": "Download",
"lightbox_share": "Share",
"lightbox_zoom": "Zoom",
"lightbox_new_window": "New window",
"lightbox_toggle_sidebar": "Toggle sidebar"
}
= Jelly Bean Transition Animations =
– Enable animations from the brand new version of Android 4.1
– Video of the animations in action [link]​
Unique ROM Features
= Notification Shortcuts =
Notification Shortcuts allow you to assign up to 10 shortcuts in the notification drawer
– Assign to any App or Activity
– Lightweight solution to quickly launch apps from anywhere in the system
– Choose icons from the Gallery, dozens of included stock icons or default
– Long-press to customize
– Horizontally scrollable
– Useful for launching programs that complement other apps (login/password storage, file explorer, search)
– Customize color and alignment/spacing​
​
= Quick Torch =
– Based on the AOKP feature of the same name this lets you toggle the LED flashlight by pressing and holding the Power button when the screen is off
– Uses CM's native torch app – lets you use Deathray mode!​
= Search to Recent Apps =
– Rebinds your search key to Recent Apps – shaves off valuable second of time!
– Search is switched to long-press so it ain't going nowhere​
= Status Bar / Notification Drawer customizations =
– Move the date to the Status Bar
– Customize the date format by choosing one of 20 pre-baked templates, or create your own with DateFormat macros
– Modify the StatusBar color and transparency level independently of themes
– Remove the Date/Settings bar completely for all you minimalists​
​
= Trackball Answer/Hangup =
– Ported from CM7 and enhanced for ICS. Trackball Answer/Hangup lets you respectively answer or hang up the phone with a single or double tap from the trackball.​
= Screen-off Longpress Camera =
– Triggered when holding the camera button while the screen is off and will automatically wake and unlock the phone to launch Camera app.
– Save valuable time when you need to take that quick time sensitive photo.​
Sent from my Incredible 2 using Tapatalk 2
== Downloads ==
Before you start..
Flashing between Mimicry versions will preserve gapps. You only need to flash gapps when installing Mimicry for the first time! If your Google account is missing after flashing a new ROM version though, it's because gapps was erased somehow.
Before you report any issues you need to read the FAQ/Known Issues section below. Still want to report an issue? Follow these steps first..
Analyze the problem and try everything you can to find solutions for yourself. Wipe caches, revert settings you have made, factory reset, wipe app data, etc. Assume the issue is on your end and try your best to isolate it. Before you do report an issue keep in mind this is a developer thread -- collect evidence, do some research and try to always provide a logcat by recreating the problem as reliably as possible.​
= September 4, 2012 =
Mimicry v1.5.0
– Download Here
== Change Log ==
= Version 1.5.0 – September 4, 2012 =
Changes
– Merged in new CM9.1 changes
– Requested Feature! Added remove all recent apps. Longpress app or press Trackball in Recent Apps overlay
– New Feature! Added adjustable StatusBar background color and transparency
– New Feature! Added colorize to Notification Shortcuts -- Change both the stock and default app icon colors on the fly! Toggling Notification Shortcuts resets the color
– Completely re-coded Notification Shortcuts -- faster, less unnecessary redraws
– Fixed Notification Shortcut alignment and spacing. Now draws and scales properly depending on available width. (Toggled on by default)
– Fixed exception in Notification Shortcuts causing Settings to crash on blank shortcut redraw
– Switched notification shortcut background pressed drawable to use notification_item's - will work with colorization to provide better theme consistency
– Modified default StatusBar color to act as an inactive default to allow themes to take priority
– When setting the date to appear in the StatusBar, it now maintains the same font size as the clock
– Applied hwc prop change to [mostly] fix corrupted text issue
– Updated translations for existing languages and added new languages for: Romanian, Czech, Lithuanian, Portuguese, Slovak, Serbian, Turkish & Chinese traditional!
– A big thanks to new translators: bogdan5844, CebeLL, daanas, dakf, Filip.Hunka, GizMoQC, hezeri, Jinxtedium, karalaine, Krusty, magno23, matteoa91, michuo, Petrs, shared_ptr, skui, TBest, TheGed129, tomaja & Whippler​​
= Version 1.4.0 – August 17, 2012 =
Changes
– Merged in new CM9 stable changes
– fn+backspace (delete line) is now fn+longpress backspace. This should prevent accidental deletions
– Added complete translations to Andromadus/Mimicry Settings for Chinese, French, Dutch, German, Hebrew, Japanese, Polish and Russian
– Added partial translations to Andromadus/Mimicry Settings for Spanish, Finnish, Korean and Italian
– Special thanks to all the individuals who helped out by contributing/voting for translations!!
– They are: dinfinity, dwardo, goodhyun, HugoBoss, Latino38, lempiainen, lombardia2k, LordGenki, lz2android, montydrei, SuperKid, TpmKranz, ufoman, Ventricle, VitaliyK, WMP & xviames
– Help out with translations! Join the Andromadus project to contribute [link]
– Extracted hardcoded english strings in Andromadus/Mimicry Settings - can now be translated! Cleaned up strings and translations
– Fixed CM's backuptool and implemented it to work properly in Aroma. This will automatically preserve gapps between Mimicry flashes
– Added OTAUpdater. This will automatically inform you of new Mimicry versions!
– Updated ApexLauncher to v1.3.0beta2​​
= Version 1.3.2 – August 6, 2012 =
Changes
– Merged up to CM9/Andromadus repo head
– Fix ring/notification volume not restoring correctly on headset (dis)connect
– Merged in patch to fix a crash on audio initialize
– Added zram to initrc
– New Feature! Added AOKP Circle Battery icons
– New Feature! Added Percentage-in-Icon Battery icons
– Fixed transparency on notification shortcut backgrounds
– Fixed Aroma bug where installer would silently abort without flashing the kernel
– Fixed Sense 4 Style Recent Apps squashed preview bug
– Updated Aroma to 2.5
– Updated ApexLauncher to v1.3.0beta1​​
= Version 1.3.1 – July 27, 2012 =
Changes
– New Feature! Added Jelly Bean animations option in Aroma
– New Feature! Added ability to customize the Notification Area/StatusBar date format
– Requested Feature! Device now wakes on QWERTY hardware keyboard input (like in GB)
– Updated NovaLauncher to 1.2.2​​
== Installation FAQ / Known Issues ==
= FAQ =
Q) I'm coming from <some rom>, do I have to wipe?
A) If the ROM is AOSP ICS/CM9 based you should be okay with flashing the rom zip and gapps without having to wipe anything manually. The ROM will automatically wipe /system and your caches for you. That said, always make a backup and if you encounter app FCs, lag or any general weirdness, try wiping the offending app's data and/or wipe your /data entirely.​
Q) I'm upgrading from an older version of Mimicry, what do I do?
A) Everything said in the above question applies here too, except as of version 1.4.0, you no longer have to flash gapps when upgrading Mimicry. Aroma will remember your settings from previous installs and present those as your defaults. Even if you update launcher versions in between Mimicry versions, things should function as expected. Unless you wipe /data, the only thing that will get overwritten are custom Virtuous OC Daemon frequencies/governors. Your apps and settings should all remain intact​
Q) Okay I didn't wipe and now I'm encountering issues like lag or FCs!!
A) Ah, tough luck. First try to fix permissions in recovery and reboot. If that doesn't work you need to reboot into recovery & wipe /data. Once booted you may restore user apps from titanium backup or a similar app. You did make a backup, didn't you?​
Q) I'm noticing strange slowdowns with apps and/or errors not encountered in previous versions!
A) First of all, disable zram if you have it enabled. Alternatively, this may also be caused by apps needing their data cleared. Go to Settings->Apps->All, find the app and clear its data. Some apps are just poorly designed for ICS. The Facebook app particularly has been known to cause lag and excessive battery drain for a lot of users.​
Q) I wiped /data but I'm encountering lag and weird issues anyway!
A) This is rare but it can happen. First off, make sure your partitions are ext4 by downloading 4EXT from the Market and flashing the 4EXT recovery. If you are new to ICS you must do a complete reformat of all your partitions (excluding sdcard obvsly). Second, if you restored apps from a backup it may be their doing. Try a fresh wipe and then restore your apps in small batches with appropriate testing inbetween to determine if they're the cause. Lastly, wiping data from the Market app (Play Store) has been known to cure lag felt after updating installed apps.​
Q) I just flashed and battery seems to be acting funny or draining rapidly
A) Mimicry IS CM9/Andromadus. There's nothing functionally different in the backend to cause different battery consumption. Please read this post to gain some insight and maybe help diagnose what could be draining your battery, regardless of ROM.​
Q) Camera app <some app> doesn't work!
A) Due to the hacks implemented to get the camera working with ICS and the 2.6 kernel you will find that many camera apps do not work or will not work properly. It's recommended that you stick to the stock camera app until we migrate to the 3.0 kernel. If using Instagram, make sure you disable their built in camera.​
Q) My WiFi doesn't seem to be working after a new install!
A) Users of EdKeys' WiFi Calling [link] and .19 Radio lib-RIL/GPS .so updater [link] have reported this on occasion. At the moment it's not 100% clear why this can happen, but please discuss appropriately in his respective threads. European/Asian country users need to consult this thread specifically. If you've tried methods & tips described in those threads and still can't solve your issues, re-flash the ROM and choose 'No' to either WiFi Calling or the .19 Radio lib-RIL/GPS .so updater options. As a final option, it has been reported that an app called Wifix [link] can also fix this issue.​
Q) After flashing I'm stuck at the HTC logo screen!
A) This is likely the result of a bad download. Check your downloaded md5sum hash against the one listed next to the download link above. If the md5sum matches up then it may be because you're coming from 2.3.X without reformatting your partitions to ext4. One method is to download and install 4EXT Recovery and choose the option to format all partitions (except sdcard). This is similar to the Superwipe method except has been reported to work in cases where Superwipe did not.​
Q) Everything is great except for issues A, B & C, help!
A) Since the Vision has no official ICS release (nor an official CM9 release), there are the occasional glitch with this, and every other ICS rom. The first thing you need to do is check the issues list below and on the Andromadus tracker. If it's not on the traker, add it. Be patient, there are a number of people working tirelessly to fix the issues and make ICS on our devices as perfect as possible.​
Q) I can't send/receive MMS and/or voicemail indication doesn't work!
A) Check your APNs. Make sure you're using the right one and that the fields match what you had in CM7 or what other people have posted as working for your provider. Also beware that there is a known issue with EdKeys' WiFi Calling package where MMS over WiFi Calling is broken.​
= Issues =
Most everything is working, however you may encounter some minor issues. Check the Andromadus issue tracker as well as the list below..
– Text may randomly appear corrupted or glitched. This is a known bug [link] and affects every version of ICS for the HTC Vision. Do not report this bug, as a solution is being worked towards. Please try to capture any log cats or comment on the bug via the report on the website. A temporary solution to this is to wait (it'll go away eventually), or enable Long Press Back to Kill App in the Developer Settings and simply kill the glitched app when it happens. It often seems to happen shortly after rebooting or flashing a new ROM.
– FM Radio is only functional using certain apps. Wide success has been reported with Spirit Radio [link]
– Camcorder does not record in 720p (issue affects all ICS ROMs)
– Wireless 802.11n is disabled in the kernel due to an issue with n mode dropping the wifi connection silently from certain APs (affects all ICS roms)
– WiFi has been known to be buggy or disabled after flashing EdKeys' WiFi Calling [link] or .19 Radio lib-RIL/GPS .so updater [link] packages. Please discuss appropriately in the linked threads. Re-flashing the ROM will allow you to de-select either of those packages should you be unable to solve your issues. There is a FAQ question specifically aimed towards this issue that provides additional information/links.
– You may experience the occasional slow-down. From experience, this is almost always caused when the Market or Titanium Backup restore an app. Another reported cause is the browser loading flash heavy websites (cough Adobe cough), as well as non-stock camera apps.
– Some users have reported issues w/ wifi -> data (after 2h) not working. This seems to be based on radio/RIL and can be solved by flashing EdKeys' RIL matcher package [link]
– Some users have reported issues w/ GPS. This also seems to be based on radio/RIL, the same link above should resolve such issues.
– Overclocking to >=1.7GHz may result in the occasional freeze or lockup. Use at your own risk.​It's important to point out the distinction between Mimicry, Audacity and CM9.
First and foremost, issues known and common to Andromadus should be discussed and reported in the Andromadus Audacity thread [link].
This thread should be used for support of features and functionality unique to Mimicry. The reason for this is to lessen the splintering of bugs unique to the ROMs and centralize issue discussion with workarounds and solutions. If you do find an issue, the first thing you should do after following the appropriate steps in re-creating it and making sure it's not just the result of a dirty flash is visit the Andromadus issue tracker [link]​
Sent from my Incredible 2 using Tapatalk 2​
== Oh Great, Another ROM??? ==
Let me get on my soapbox here..
This may come across as righteous, arrogant or even just plain unnecessary. You've been warned!
As a main (and relatively new) Andromadus developer it has saddened me to see the once vibrant G2/Desire Z community reduced to primarily winzip devs and kangers. There are some notable exceptions. In regards to AOSP-like ROMs, the unofficial "CM9" ROM by jerl92 and the unofficial AOKP ROM by adamz667 are both excellent and both authors have put in a lot of hard work, as well actual development effort.
Literally every single other [ICS] ROM you'll find is a version of those two ROMs or Andromadus. All 3 ROMs are open and yet no ROM "dev" compiles from source. They're all versions of the three aforementioned ROMs, unzipped with APKs and framework/prop hacks applied.
Not to completely marginalize those individuals' effort, as I'm sure most of the time they put real time and thought into what they were doing, but those creations actually offer very little lasting value to the development community for the Vision. In some cases it's actually harming the community by splintering support for the base ROM and prolonging issues that have been fixed in newer versions of the original ROM, but are unbeknownst to users of the kang.
Most of those "devs" could be putting out flashable zip customization packages that offer the exact same "enhancements" and additions that their ROMs do and yet they do not. This would solve the fragmented bug report/squashing issue, as well as allow their add-on packs to be applied across a broader ROM base. Cyanogen himself put it very well in an old post of his. Sagely advice indeed.
My goal with Mimicry is to provide actual new development and functionality to Android ICS users. I want feedback from the community and I want a ROM where new features are implemented in a scheduled, reliable manner. I've been listening to the few alpha testers very closely and implementing new features and ideas from them, and I hope to bring that to even more interested people with this public release.
Lastly, any major bug fixes or small feature additions I apply to Mimicry will also be merged into the main Andromadus repositories. This fork exists because the new work/code being done is too much of a departure from the standard CM9 source code that we sync with. I solely maintain these forks and merge them into the Andromadus/CM9 branches myself with every new Mimicry release.​
== Credits & Thanks! ==
Thanks to ufoman, Zubs, Cimer, ashwinmudigonda, Nipqer, magic_android, EdKeys and pierre_ja for their help with testing both the tweaks and the Mimicry alpha builds to support them. Kudos to shapr for first publicly acknowledging the Dr. Strangelove reference.
Cool, will try later.
Sent from my Incredible 2 using Tapatalk 2
Camera - All work except FFC
Sent from my Incredible 2 using Tapatalk 2
Can I just say that is one of the most clear and easy to read OP's I have seen in a while.
stefilini said:
Can I just say that is one of the most clear and easy to read OP's I have seen in a while.
Click to expand...
Click to collapse
You can thank Black Jack, I copied his and editing it for our release.
Sent from my Incredible 2 using Tapatalk 2
Stoked for this dude. Good to see you again. Downloading this as soon as I'm off work
Giving it a go before I head to class... Then give her a good goin' over.. THANKS!!
After installing ROM and GAPPS then selecting "reboot System now" in CWM the phone reboots back into CWM. Doesn't even go to ROM's boot screen.
Probably should try a newer recovery cwm is old
fallendown said:
After installing ROM and GAPPS then selecting "reboot System now" in CWM the phone reboots back into CWM. Doesn't even go to ROM's boot screen.
Click to expand...
Click to collapse
I am having the same problem, and I have tried to download a new file and I keep getting different sizes on the downloads, lol.
Linch89 said:
Probably should try a newer recovery cwm is old
Click to expand...
Click to collapse
Tried flashing it with TWRP......still a no go.....goes back to recovery no matter what you're using....
fallendown said:
Tried flashing it with TWRP......still a no go.....goes back to recovery no matter what you're using....
Click to expand...
Click to collapse
I tried using 4ext same results back to recovery
Sent from my Incredible 2 using xda premium
Siepieranski said:
I tried using 4ext same results back to recovery
Click to expand...
Click to collapse
Same with me.
Maybe with adb reset your bootmode?
Sent from my DROID SPYDER using Tapatalk 2
Siepieranski said:
I tried using 4ext same results back to recovery
Sent from my Incredible 2 using xda premium
Click to expand...
Click to collapse
Ditto
What roms were you guys coming from? It might be the aroma
Linch89 said:
What roms were you guys coming from? It might be the aroma
Click to expand...
Click to collapse
I came from Nit's UKB ROM......

[APP][XPOSED] MotoGuide v1.0.8 - Remove carrier label, charging LED, DoubleTap2Wake

Hi everyone, here's my little contribution to the scene : MotoGuide.
A simple mod for the Xposed framework that will hide the infamous carrier label in our Statusbar.
I plan to add other little hacks later, but as I'm just starting my Android programming journey it will take time.
Yep, it's my first Android application, so please be kind enough not to flame me
Current functionality:
- Hide carrier label in status bar (on by default)
- Ability to restart the StatusBar from the app, no longer need to reboot your phone to en/disable the label.
- Hide or Edit the carrier label on the Lockscreen (will add Notification Area later).
- Enable Charging LED while the phone is charging
- If Faux123's kernel is installed, then you can advantage of the great DoubleTap2Wake function (get it here )
Requirements:
Rooted Moto G (tested solely on my XT1032 JB - Retail FR rom)
Latest XPOSED Framework (download it here : http://forum.xda-developers.com/showthread.php?t=1574401)
Installation:
First install the latest version of the amazing Xposed framework by Rovo89.
Then install the latest version of MotoGuide attached in the download section below and enable it.
Don't forget to reboot your phone for changes to take effect.
MotoGuide will be located in the [Module] section of the Xposed app, you just need to check/uncheck whatever option you want (only one by now).
You no longer need to reboot your phone, just hit the [Apply Changes] button.
However, it requires a SuperUser access, so please grant it otherwise i can't kill and restart the SystemUI.apk.
Download:
I'm not asking for donations, but if you download it, hit the Thanks button!
@all:
For all the others, please bare with me, thanks for your patience.
I've fixed those nasty bugs for JB but i still got issues with KK (if it takes too much time, i'll release it this way, and fix it later stating that i might totaly not work on KK).
So by now just download the v1.0.4 until i release 1.0.8. Thanks for your comprehension.
Edit:
I've broke my phone, lot's of screen glitches while using the GPS so i sent it to repair. So i'll share the beta of version 1.0.8 for you guys to try.
Please read post #252 carefully, don't share it elsewhere. Thanks.
Screenshots are not relevant anymore, the app went through huge UI changes. I'll keep them here until i update them.
MotoGuide v1.0.8b - Post 252 with link to v1.0.8b - http://forum.xda-developers.com/showpost.php?p=52427859&postcount=252
MotoGuide v1.0.7 - Link removed, i need to fix it, sorry.
MD5 checksum: 2c61f59a5ff2d4cbe7c4be1476e97b40
MotoGuide v1.0.6 - Link removed, i need to fix it, sorry.
MD5 checksum: 163768cf356cf7b85e0d4bd83327b1ac
MotoGuide v1.0.4 - http://dl-count.xposed.info/modules/com.kameo.android.xposed.mods.motoguide_v3_3244f0_0.apk
MD5 checksum: 3244f05931e5545f9133e2c95c2889f7
Thanks to:
Rovo89, for the Xposed Framework.
Karsten Priegnitz, for his changelog class.
Stericson, for his RootTools lib.
And of course, YOU. Thanks to you, it's been downloaded more than 17 000 times
Planned additions:
- Hide carrier label from Notification Area (done).
- Edit the label in the Notification Area (done).
- Hide Sim2 icons (done)
- Work on the QuickSettings.
- Localisation... so if you want to help with the translation, please add your name-language in the topic and/or pm me (i'll send you the string.xml and you'll be credited as well).
Request list:
If you want me to add some specific stuff, you can always ask for it in this thread.
There's already a list in the 2 post.
{
"lightbox_close": "Close",
"lightbox_next": "Next",
"lightbox_previous": "Previous",
"lightbox_error": "The requested content cannot be loaded. Please try again later.",
"lightbox_start_slideshow": "Start slideshow",
"lightbox_stop_slideshow": "Stop slideshow",
"lightbox_full_screen": "Full screen",
"lightbox_thumbnails": "Thumbnails",
"lightbox_download": "Download",
"lightbox_share": "Share",
"lightbox_zoom": "Zoom",
"lightbox_new_window": "New window",
"lightbox_toggle_sidebar": "Toggle sidebar"
}
Changelog:
v1.0.8 beta - 05.May.20214:
- UI changes into structured sections
- Hide SIM1 or SIM2 icons
- Hide Emergency call button on lockscreen
- Change quicksettings number in Notification area (cosmetic since GB handles it much better)
- Hide the Handle Divider Line in Notification area (the line at the bottom)
- Stock launcher : Resize all widgets
- Stock launcher : Disable Google Quick SearchBar
- Stock launcher : Change Custom Rows/columns layout
- Stock launcher : Hide Apps from drawer !
- Force QI Wireless Charging
- Enable all screen rotation
- Turn screen ON when unplugged
- Always display Menu button
- Disable Home button ring (i'm thinking into removing it since GravityBox now handles it, but not at the time i've coded my version)
- Disable Loud volume warning
- Volume keys to Skip tracks
v1.0.7 - 24.Jan.2014
- Recoded from scratch after i lost all my sources...
- Revamped the UI a little bit.
- Fixed some bugs (AutoStart.java).
- Remove/edit carrier label should now (hopefully) be working on Kitkat.
- If Faux123's kernel is installed, you can use the DoubleTap2Wake option to wake your phone.
If the screen goes into deep sleep, this function won't work, it's a feature made by Faux to prevent battery draining.
Don't complain about it, i'm only implementing the switches.
v1.0.6 - 14.Jan.2014
- Charging LED added : will switch LED on while charging and off when phone is fully charged.
v1.0.5 - 07.Jan.2014 (unpublished)
- Disclaimer added if device is not detected as a Moto-G
- Can now remove carrier label from LockScreen
- Can also use a specific carrier label in LS
v1.0.4 - 03.Jan.2014
- First official release
v1.0.3 - 01.Jan.2014
- Now with Changelog (c) Karsten Priegnitz
- Small improvements and cosmetic fixes
v1.0.2 - 21.Dec.2013
- Option to apply changes without rebooting
- getting version name from manifest now
v1.0.1 - 16.Dec.2013
- Small improvements and bug fixes
Version 1.0 - 14.Dec.2013
- First attempt to make a GUI version
Version 0.1 - 12.Dec.2013
- Simple Xposed module without any fancy feature...
Request list so far:
- StatusBar:
--- Hide Disabled Data icon (done)
--- Hide Input Method Switcher icon (done)
--- Disable Sim2 icons (done: the 1st mod/app worldwide to allow this on our MotoG. Also done it for Sim1 if needed)
--- Force CarrierLabel text (...)
- Notification area:
--- QuickSettings, edit colums number (done)
--- QuickSettings, add/hide/reorder (still trying to understand how it works)
- Lockscreen:
--- Force rotation (done)
--- Hide Emergency call button (done)
- System:
--- Enable All screen rotations (done)
--- Turn screen On when unplugged (done)
- Stock Launcher:
--- Hide Google Search Bar (done)
--- Custom homescreen grid size (done)
--- Increase HotSeat icon number from 5 to 7 (icons in the quick launch bar at the bottom = done)
--- Custom drawer grid size (wip)
--- Custom homescreen number (from 5 to 3 ? wip)
--- Override home-swipe-up to do nothing instead of launching GoogleNow (wip)
--- Resize All widgets (...)
- System:
--- Always show Menu key (Navigation bar = done)
--- Force Wireless QI charger detection (done)
--- Make those hacks compatible with Motorola Razr
I just made a thread requesting this in General. You have my thanks kind sir, works perfect!
Awesome APP !....but I have a problem (NOT WITH YOUR APP). I am asking in this thread because I assume you might know a possible way to fix my problem. I have the US GSM model (16GB) running rooted 4.4.2. I am currently using prepaid service (T-Mobile)...problem is...I only see "T-Mobile" when I pulled down the notification bar. How can I make my phone actually SHOW "T-Mobile" in the statusbar ? Why does my phone not show the carrier and I have seen other Moto G's that do show the carrier name ?
ikillechewbacca said:
Awesome APP !....but I have a problem (NOT WITH YOUR APP). I am asking in this thread because I assume you might know a possible way to fix my problem. I have the US GSM model (16GB) running rooted 4.4.2. I am currently using prepaid service (T-Mobile)...problem is...I only see "T-Mobile" when I pulled down the notification bar. How can I make my phone actually SHOW "T-Mobile" in the statusbar ? Why does my phone not show the carrier and I have seen other Moto G's that do show the carrier name ?
Click to expand...
Click to collapse
Mine does not show carrier either. I am on exact same thing you are. Except not a prepaid plan. Is it possible that the KitKat update removed the carrier in statusbar? I didn't have a SIM card the entire 15 minutes I was on JB to compare. Didn't pay attention on JB actually. I am sure that a xposed module would help you with your problem. Try GravityBox.
Sent from my XT1034 using Tapatalk
Cooptx said:
Mine does not show carrier either. I am on exact same thing you are. Except not a prepaid plan. Is it possible that the KitKat update removed the carrier in statusbar? I didn't have a SIM card the entire 15 minutes I was on JB to compare. Didn't pay attention on JB actually. I am sure that a xposed module would help you with your problem. Try GravityBox.
Sent from my XT1034 using Tapatalk
Click to expand...
Click to collapse
I looked all through gravity box and I couldnt find a single option that could fix my prob.
ikillechewbacca said:
I looked all through gravity box and I couldnt find a single option that could fix my prob.
Click to expand...
Click to collapse
Nor could I. I didn't see any xposed modules that add carrier to statusbar
Sent from my XT1034 using Tapatalk
Cooptx said:
Nor could I. I didn't see any xposed modules that add carrier to statusbar
Sent from my XT1034 using Tapatalk
Click to expand...
Click to collapse
haha, I even started messing with APKtools/APK Multi-Tools to see if I could manualloy change the files in the system.....but oddly enough I had zero luck even finding the "Systemui.apk" in system/app/...it didnt show up or anything ! I am still confused about that.
You can use this or as an alternative, use MotoExposed from play store
Sent from my XT1032 using xda app-developers app
@ikillechewbacca @Cooptx
As far as i know US version don't show carrier name in statusbar, only European version shows it, or am i wrong?
bobcat913 said:
You can use this or as an alternative, use MotoExposed from play store
Sent from my XT1032 using xda app-developers app
Click to expand...
Click to collapse
MotoXposed is made for the MotoX, so most of the hacks are not compatible with our Moto-G. You might enable an option and get stuck in a bootloop while rebooting.
MotoGuide is made specificaly by me who actually owns a Moto-G, so i know what works or not.
Great job on this! I'm looking forward to the future features! Another reason to root my phone when I get it!
Sent from my iPad using Tapatalk
Kameo said:
MotoXposed is made for the MotoX, so most of the hacks are not compatible with our Moto-G. You might enable an option and get stuck in a bootloop while rebooting.
MotoGuide is made specificaly by me who actually owns a Moto-G, so i know what works or not.
Click to expand...
Click to collapse
Yeah, but if you get stuck in a bootloop, xposed gives you a zip to flash in order to get out by disabling all xposed modules. So it isn't too bad of a risk. (Friendly suggestion. You should not feel like I am being rude )
Ja_som said:
@ikillechewbacca @Cooptx
As far as i know US version don't show carrier name in statusbar, only European version shows it, or am i wrong?
Click to expand...
Click to collapse
I thought that I saw in a video guide a US version with AT&T. Let me look it up
Edit: https://www.youtube.com/watch?v=mc4Ucm1Qw7g&feature=youtube_gdata_player
CNET has a Moto G with T-Mobile showing sadly, that is on a Global model. Perhaps this is why I was confused. You are correct.
US = No Carrier
Global = Yes
Sent from my XT1034 using Tapatalk
I've tried all the options and I have no problem
Sent from my XT1032 using xda app-developers app
New version added.
You can now edit or hide the Carrier label on Lockscreen.
You can now turn the LED while charging your phone (Charging LED).
Thnx .. amazing job
well done
I'm aware that you've only tested this on JB, so this is just for your information.
It doesn't seem to work on Stock KitKat, the following appears in the Xposed Framework logs.
Code:
12 Jan 2014 19:16:57 UTC
Loading Xposed v42 (for Zygote)...
Loading modules from /data/app/com.kameo.android.xposed.mods.motoguide-1.apk
Loading class com.kameo.android.xposed.mods.motoguide.MGFixes
java.lang.IllegalAccessError: Class ref in pre-verified class resolved to unexpected implementation
at dalvik.system.DexFile.defineClassNative(Native Method)
at dalvik.system.DexFile.defineClass(DexFile.java:222)
at dalvik.system.DexFile.loadClassBinaryName(DexFile.java:215)
at dalvik.system.DexPathList.findClass(DexPathList.java:322)
at dalvik.system.BaseDexClassLoader.findClass(BaseDexClassLoader.java:54)
at java.lang.ClassLoader.loadClass(ClassLoader.java:497)
at java.lang.ClassLoader.loadClass(ClassLoader.java:457)
at de.robv.android.xposed.XposedBridge.loadModule(XposedBridge.java:351)
at de.robv.android.xposed.XposedBridge.loadModules(XposedBridge.java:317)
at de.robv.android.xposed.XposedBridge.main(XposedBridge.java:114)
at dalvik.system.NativeStart.main(Native Method)
Thanks for the report, will look into it.
Can you please try v1.0.4 and see if it works ?
Which version are you on, xt1032, xt1033, xt1034 (single or dual sim) ?
Thanks a lot.
Sent from my MotoG
I have a UK Moto G with Tesco UK Kitkat rooted (XT1032)
using MotoGuide 1.0.4 and it works fine at removing the carrier name :good:
Kameo said:
Can you please try v1.0.4 and see if it works ?
Which version are you on, xt1032, xt1033, xt1034 (single or dual sim) ?
Click to expand...
Click to collapse
xt1302. v1.0.4 works fine

[CHINESE AND VIETANAMESE FORUMS] Roms, Apps and Tutorials for Optimus G Pro e98X/f240

Due to the lack of development for our device and for the simple fact that I doubt this will impact XDA Developers, here is a link to a Chinese and Russian forum. If you are using Google chrome and auto translate is not working, right click on the page and force translate to English.
Thanks for the heads up esimon311
Chinese
Vietnamese
Some of the posts are kinda hard to understand.. I've tried one of the stock based Roms that said it was e98x comparable and it worked good.Full wiped Flashed rom baseband and rebooted. One was very simpler to the G2 Rom on XDA...I'm gonna dig through the form this weekend and try a couple different Rome they have on there I saw a couple MIUI Roms I'll give them a try and report back.
:thumbup:
"Klaatu Barada Nikto"
Do you guys worry about malware from unfamiliar sites?
Sent from my KFSOWI using Tapatalk
Uppon2 you are one hell of a detective
The link is not working for me. I've tried firefox and chrome to open but with no luck....
pleckers87 said:
The link is not working for me. I've tried firefox and chrome to open but with no luck....
Click to expand...
Click to collapse
Might be your firewall
I did notice an interesting CM ROM on there that had Sweep2wake kernel and a few other goodies. I have tried a few of the Stock Roms and they are ok but sometimes filled with bloat.
uppon2 said:
Might be your firewall
Click to expand...
Click to collapse
I turned off my firewall to see if it would work, and still no dice.
Maybe it isn't meant to be for me :-/
Sent from my LG-E988 using XDA Premium 4 mobile app
pleckers87 said:
I turned off my firewall to see if it would work, and still no dice.
Maybe it isn't meant to be for me :-/
Sent from my LG-E988 using XDA Premium 4 mobile app
Click to expand...
Click to collapse
Try this link if not this site here is similar
I just tried the CM rom with the Sweep2wake and the feature does work, though it uses the lowest part of the screen (over the dock in fact) for the sweep, instead of the capacitive buttons - I was trying to type a message (using Swype) and I kept turning my screen off. It was very annoying lol.
Just a heads up for you guys if you made the same mistake
I have attached the kernel file here just in case somebody wants to test it on a CM KK based rom. (use at own risk) flash in recovery. I am not sure if it will work without build.prop editing but that is easy to do if anybody is interested let me know and I will give you the codes
Ahh it looks like it has more features than I thought. Here are the codes
Code:
Custom USB quick charge function: Modify the [system / build.prop] in fast_charger = * After the restart.
1, open the quick charge : fast_charger = 1.
2, closed fast charging : fast_charger = 0. Default paddling wake switch:
modify [system / build.prop] in sweep2wake = * After the restart.
1, open paddling wake : sweep2wake = 1. Default
2, close paddling wake : sweep2wake = 0.
Double-click the wake switch: modify [system / build.prop] in doubletap2wake = * after the restart.
1, open the double-click wake : doubletap2wake = 1. Default
2, close double-click wake : doubletap2wake = 0.
Touch wake saving switch: modify [system / build.prop] in pwrkey_suspend = * after the restart.
1, open power-saving mode : pwrkey_suspend = 1.
The system automatically enabled paddling and double sleep wake, when a user uses paddling or turn off the power button off-screen and double wake-up paddling.
2, turn off the power saving mode : pwrkey_suspend = 0. Default
Can you upload some of this ROMS for us to test it.
Sent from my LG-E988 using Tapatalk
That kernel is fast! But hates swipe text
Sent from my LG Optimus G Pro
uppon2 said:
I just tried the CM rom with the Sweep2wake and the feature does work, though it uses the lowest part of the screen (over the dock in fact) for the sweep, instead of the capacitive buttons - I was trying to type a message (using Swype) and I kept turning my screen off. It was very annoying lol.
Just a heads up for you guys if you made the same mistake
I have attached the kernel file here just in case somebody wants to test it on a CM KK based rom. (use at own risk) flash in recovery. I am not sure if it will work without build.prop editing but that is easy to do if anybody is interested let me know and I will give you the codes
Ahh it looks like it has more features than I thought. Here are the codes
Code:
Custom USB quick charge function: Modify the [system / build.prop] in fast_charger = * After the restart.
1, open the quick charge : fast_charger = 1.
2, closed fast charging : fast_charger = 0. Default paddling wake switch:
modify [system / build.prop] in sweep2wake = * After the restart.
1, open paddling wake : sweep2wake = 1. Default
2, close paddling wake : sweep2wake = 0.
Double-click the wake switch: modify [system / build.prop] in doubletap2wake = * after the restart.
1, open the double-click wake : doubletap2wake = 1. Default
2, close double-click wake : doubletap2wake = 0.
Touch wake saving switch: modify [system / build.prop] in pwrkey_suspend = * after the restart.
1, open power-saving mode : pwrkey_suspend = 1.
The system automatically enabled paddling and double sleep wake, when a user uses paddling or turn off the power button off-screen and double wake-up paddling.
2, turn off the power saving mode : pwrkey_suspend = 0. Default
Click to expand...
Click to collapse
Anything as far as OC/UC support? Would be awesome if it had frequencies below 384MHz. :3
Sent from my LG-E980 using XDA Premium 4 mobile app
justin860 said:
That kernel is fast! But hates swipe text
Sent from my LG Optimus G Pro
Click to expand...
Click to collapse
That's the same problem I had. I imagine the same thing would happen with games
Sent from my LG-E980 using Tapatalk 2
uppon2 said:
That's the same problem I had. I imagine the same thing would happen with games
Sent from my LG-E980 using Tapatalk 2
Click to expand...
Click to collapse
Man a custom kernel.
That is a great find.
Edit: The site had lokified TWRP and CM recoveries of different versions that can be flashed from recovery.
I have only tested the twrp2.7 which has external card support. I am attaching them here if anyone is interested.
FLASH AT YOUR OWN RISK!!
uppon2 said:
i just tried the cm rom with the sweep2wake and the feature does work, though it uses the lowest part of the screen (over the dock in fact) for the sweep, instead of the capacitive buttons - i was trying to type a message (using swype) and i kept turning my screen off. It was very annoying lol.
Just a heads up for you guys if you made the same mistake
i have attached the kernel file here just in case somebody wants to test it on a cm kk based rom. (use at own risk) flash in recovery. I am not sure if it will work without build.prop editing but that is easy to do if anybody is interested let me know and i will give you the codes
ahh it looks like it has more features than i thought. Here are the codes
Code:
custom usb quick charge function: Modify the [system / build.prop] in fast_charger = * after the restart.
1, open the quick charge : Fast_charger = 1.
2, closed fast charging : Fast_charger = 0. Default paddling wake switch:
Modify [system / build.prop] in sweep2wake = * after the restart.
1, open paddling wake : Sweep2wake = 1. Default
2, close paddling wake : Sweep2wake = 0.
Double-click the wake switch: Modify [system / build.prop] in doubletap2wake = * after the restart.
1, open the double-click wake : Doubletap2wake = 1. Default
2, close double-click wake : Doubletap2wake = 0.
Touch wake saving switch: Modify [system / build.prop] in pwrkey_suspend = * after the restart.
1, open power-saving mode : Pwrkey_suspend = 1.
The system automatically enabled paddling and double sleep wake, when a user uses paddling or turn off the power button off-screen and double wake-up paddling.
2, turn off the power saving mode : Pwrkey_suspend = 0. Default
Click to expand...
Click to collapse
i am so testing this out thank you so much for finding this!!!!!!
---------- Post added at 10:47 AM ---------- Previous post was at 10:46 AM ----------
arifqur said:
Man a custom kernel.
That is a great find.
Edit: The site had lokified TWRP and CM recoveries of different versions that can be flashed from recovery.
I have only tested the twrp2.7 which has external card support. I am attaching them here if anyone is interested.
FLASH AT YOUR OWN RISK!!
Click to expand...
Click to collapse
Oh yeah twrp again finally
Mervingio said:
Can you upload some of this ROMS for us to test it.
Sent from my LG-E988 using Tapatalk
Click to expand...
Click to collapse
this forum is great. but its hard for me to reply topics since it has own captcha with chinesse >_<
I have another surprise coming very shortly for you all
uppon2 said:
I have another surprise coming very shortly for you all
Click to expand...
Click to collapse
You are the man.
Tip for people trying out this site. Use Chrome. Best browser for translation.
Miui rom? Has anybody tried this? http://www.sonyue.com/bbs/forum.php?mod=viewthread&tid=72634&extra=page=1&page=1
Sent from my LG-E980 using Tapatalk
---------- Post added at 01:29 AM ---------- Previous post was at 01:27 AM ----------
Has anyone tried this miui rom? http://www.sonyue.com/bbs/forum.ph...=1 /URL]
Sent from my LG-E980 using Tapatalk
smashdroid said:
Miui rom? Has anybody tried this? http://www.sonyue.com/bbs/forum.php?mod=viewthread&tid=72634&extra=page=1&page=1
Sent from my LG-E980 using Tapatalk
---------- Post added at 01:29 AM ---------- Previous post was at 01:27 AM ----------
Has anyone tried this miui rom? http://www.sonyue.com/bbs/forum.ph...lash and report back.
"Klaatu Barada Nikto"
Click to expand...
Click to collapse

[SMALL APPS] Stopwatch | Launcher | Torch | Phone | Rotation | Files | Lock

For Sony Small Apps
ICS, Jelly Bean, KitKat, Lollipop, Marshmallow and Nougat
Thanks to XDA for featuring it on portal.
Click to expand...
Click to collapse
{
"lightbox_close": "Close",
"lightbox_next": "Next",
"lightbox_previous": "Previous",
"lightbox_error": "The requested content cannot be loaded. Please try again later.",
"lightbox_start_slideshow": "Start slideshow",
"lightbox_stop_slideshow": "Stop slideshow",
"lightbox_full_screen": "Full screen",
"lightbox_thumbnails": "Thumbnails",
"lightbox_download": "Download",
"lightbox_share": "Share",
"lightbox_zoom": "Zoom",
"lightbox_new_window": "New window",
"lightbox_toggle_sidebar": "Toggle sidebar"
}
All colors will change dynamically according to the theme. On Lollipop and Marshmallow, UI will become more attractive by extracting Primary and Accent colors from the theme.​
Hello friends,
I am presenting you my initial apps for Android devices. I have decided to make an small app as I have ported the Xperia T/Z small apps for Xperia 2011 MDPI devices and it was my dream to make an app for this. So lets check them out.
Click to expand...
Click to collapse
Features
For download link, scroll down...
Stopwatch
* Basic Start/Stop or Pause/Resume and Reset functions
* Cool UI (Two views: Circle and Normal) and latest features from Android 4.4
* New time and circle lap view
* Advance split lap time (5 laps)
* Saves your last run if app is closed in stop state
* Updates time on start up if app was closed previously in running state
* Layout animations
* Unlimited maximum window size
* Translations:- Hindi, Russian, French, German, Italian, Spanish, Dutch, Chinese (Simplified), Japanese, Greek, Portuguese
In Paid Version:-
* More laps (up to 99)
* Share your time via Bluetooth, message, etc.
Click to expand...
Click to collapse
Launcher
* Displays list of all installed applications (Only Launchable) with icons in a list view
* View all other apps from Other apps option menu
* It also shows package name with search functionality
* Tap on app name to launch it
* Long press for more options (Application info, View in Play Store, Uninstall, Share)
* Two Click Actions:- Launch and minimize or Launch and close
* Re-sizable and unlimited maximum window size
* Easy to use, small and powerful app
In Paid Version:-
* Two separate tabs:- All apps and Favourite apps
* Favourite apps displays your stared apps with icons in a grid view
* Add shortcuts on Home screen
* Edit you favourite apps anytime from Launcher Small App
* You can view or hide app name in Favourite apps
* You can select Start Up Screen:- All apps or Favourite apps
Click to expand...
Click to collapse
Torch
* Use flashlight as torch
* Compact design which takes very less space
* Battery indicator with low battery warnings
* Auto on to light up on start up
* Strobe feature
* Auto turn off when battery is low
* Re-size to make it even more smaller
* Translations:- Hindi, Russian, French, German, Italian, Spanish, Dutch, Chinese (Simplified), Japanese, Greek, Portuguese
In Paid Version:-
* Auto off to save battery
* SOS (Morse Code decoder) with custom codes support
* You can also adjust Strobe delay and Auto off interval
Click to expand...
Click to collapse
Phone
* Three separate tabs:- Contacts, Phone and Call log
* Phone dialer with redial, speed dial and cursor functionality
* Integrated speed dial within the whole app
* Long press on dialer numbers to speed dial the saved number
* You can easily add or remove numbers to or from speed dial
* Contacts and call log with detailed list like your default phonebook
* Tap on them to call quickly
* Long press to view more options according to the type of item
* View contact and edit contact in phonebook
* Delete contacts and call log entries directly from the app
* Inbuilt help to sort out general issues
* Resizable and various customization settings to match your need
* Easy to use, small and powerful app
In Paid Version:-
* Add new contact and clear call log
* Edit number before call within the app
* Send text message redirects quickly to the messaging app
* Copy number to clipboard to paste it anywhere
Click to expand...
Click to collapse
Rotation
* Just tap on icon to switch from Auto-rotate screen (Portrait/Landscape) to Portrait or vice versa.
* Displays toast messages when setting is changed
* Easy to use small app
* Compatible with my Rotation app
Usage:- If Service is running then, it will toggle selected Toggle modes. Otherwise, it will toggle system settings
Click to expand...
Click to collapse
Lock
* Just 2 clicks to lock the devic
* You can make it 1 if you are using Launcher Small App by placing a home screen shortcut.
* Easy to use small app
- Deactivate Device Administration for Lock before uninstalling.
Click to expand...
Click to collapse
Click to expand...
Click to collapse
Screenshots
Phone
Click to expand...
Click to collapse
Stopwatch
Click to expand...
Click to collapse
Torch
Click to expand...
Click to collapse
Launcher
Click to expand...
Click to collapse
Click to expand...
Click to collapse
Downloads
Available on Google Play Store
Stopwatch
Free | Paid
Torch
Free | Paid
Launcher
Free | Paid
Phone
Free | Paid
Rotation
Free
Files
Free | Paid
Lock
Free
Click to expand...
Click to collapse
Notice
- If there is any bug or mistake in translations then, please post them here or report me via e-mail.
- Please support these apps so that I will make them better and better.
Click to expand...
Click to collapse
Support Development
Please support so that I can develop more free apps in future. You can support in following ways:-
* Download apps from Play Store and Rate so that more people can reach it.
* Buy paid versions from Play Store if you have enough to appreciate my work (I have kept them as cheap as possible so that most of the people can get them). It will also give you some extra features.
Click to expand...
Click to collapse
If you liked my work, just click on Thanks button.
[Introducing] Files - Access Files Anywhere [Released]
Please visit this thread.
Click to expand...
Click to collapse
An attempt to make file handling Quicker, Easier and Everywhere with the power of Xperia™ Small App!
Beta Release On Sunday, 21/09/2014​
Click to expand...
Click to collapse
Pranav Pandey said:
Reserved for new small app...
Click to expand...
Click to collapse
interesting
OK, color me dumb... but I can't figure out how to start Launcher Lite. Xperia Z2 Tablet AND Xperia Z1 Compact, both running KitKat with small apps. Install the apk, and then: nothing. How do I tell it "GO"?
CAL7 said:
OK, color me dumb... but I can't figure out how to start Launcher Lite. Xperia Z2 Tablet AND Xperia Z1 Compact, both running KitKat with small apps. Install the apk, and then: nothing. How do I tell it "GO"?
Click to expand...
Click to collapse
Open Ur Smallapps Launcher Window. U Can Find Launcher Lite From There. Click It. Done
That's my old friend in action again!!! I'm glad about you!!!
Awesome job... congrats!!!!
Rajeev said:
Open Ur Smallapps Launcher Window. U Can Find Launcher Lite From There. Click It. Done
Click to expand...
Click to collapse
Still not getting it. I have two other Small Apps running that start automatically on bootup. I've never used or seen a small apps launcher. What's it look like? Where do I find out. (P.S. I said this w was dumb ).
@CAL7
Small app launcher means Press the Menu Soft keys in ur phone. I mean 3rd soft key from down. Back Home Menu na? That one
CAL7 said:
OK, color me dumb... but I can't figure out how to start Launcher Lite. Xperia Z2 Tablet AND Xperia Z1 Compact, both running KitKat with small apps. Install the apk, and then: nothing. How do I tell it "GO"?
Click to expand...
Click to collapse
Press multi task button -> Tap on up arrow (Extreme left) -> You will see launcher icon -> Long press on it to add it in favourites bar -> Single tap to launch it.
Watch this video
serajr said:
That's my old friend in action again!!! I'm glad about you!!!
Awesome job... congrats!!!!
Click to expand...
Click to collapse
Thank you bro!!!
Pranav Pandey said:
Press multi task button -> Tap on up arrow (Extreme left) -> You will see launcher icon -> Long press on it to add it in favourites bar -> Single tap to launch it.
Thank you bro!!!
Click to expand...
Click to collapse
Can you help me to change my menu button to "Multi task button(or small app)" and long press home button to "Recent apps" ? [Xperia mini ST15i, Stock, .587, lockedbootloader]
trying to figure out why he made the bulb green would have been perfect yellow + that would flow with the rest of the small apps icons, looks horrible. besides that nice app
ayuready1989 said:
trying to figure out why he made the bulb green would have been perfect yellow + that would flow with the rest of the small apps icons, looks horrible. besides that nice app
Click to expand...
Click to collapse
All apps are updated with new icons and improvements. Hope you like it!
Rotation (New Small App)
* Just tap on icon to switch from Auto-rotate screen (Portrait/Landscape) to Portrait or vice versa.
* Displays toast messages when setting is changed
* Easy to use small app
* Compatible with my Rotation app
Usage:- If Service is running then, it will toggle selected Widget modes. Otherwise, it will toggle system settings
Click to expand...
Click to collapse
BIG Small App (Coming Soon...)
Support Development
Please support so that I can develop more free apps in future. You can support in following ways:-
* Download apps from Play Store and Rate so that more people can reach it.
* Buy paid versions from Play Store if you have enough to appreciate my work (I have kept them as cheap as possible so that most of the people can get them). It will also give you some extra features.
Click to expand...
Click to collapse
Enjoy and Keep supporting,
Pranav Pandey
:good: :victory:
o my, you've outdone yourself bro, giving credit when due :good::good::good::good: many thanks
[Introducing] Files - Access Files Anywhere [Coming Soon]
Click to expand...
Click to collapse
An attempt to make file handling Quicker, Easier and Everywhere with the power of Xperia™ Small App!
Beta Release On Sunday, 21/09/2014​
Click to expand...
Click to collapse
This is Romanian translation for torch small app. Maybe you want to include this in a future release. I already did
Updated All Apps with Material Design
Try all new updated small apps with material design. Hope you all like it. Read Play store description for changes.
Enjoy,
Pranav Pandey
All new design
Try all new updated small apps with material design. Hope you all like it. Read Play store description for changes.
All colors will change dynamically according to the theme. On Lollipop, UI will become more attractive by extracting Primary and Accent color from the theme.
Thanks to @serajr!
Enjoy and Keep supporting,
Pranav Pandey
Wow!!
Just amazing!
Thank you my friend!!!! :good:
serajr said:
Just amazing!
Thank you my friend!!!! :good:
Click to expand...
Click to collapse
It wouldn't be possible without you brother :highfive:.
I have wrapped everything related to Xperia themes and Small Apps into a single library which is very easy to use and supports ICS to Lollipop (SDK 1.0 to 3.0). I will push it to GitHub soon so, others can also take advantage of it and can develop beautiful Small Apps .
Next update of Files Small App is also coming soon...

[ROM] [5.0.x] [OFFICIAL] LiquidSmooth v4.0 t0lteatt - Note 2

{
"lightbox_close": "Close",
"lightbox_next": "Next",
"lightbox_previous": "Previous",
"lightbox_error": "The requested content cannot be loaded. Please try again later.",
"lightbox_start_slideshow": "Start slideshow",
"lightbox_stop_slideshow": "Stop slideshow",
"lightbox_full_screen": "Full screen",
"lightbox_thumbnails": "Thumbnails",
"lightbox_download": "Download",
"lightbox_share": "Share",
"lightbox_zoom": "Zoom",
"lightbox_new_window": "New window",
"lightbox_toggle_sidebar": "Toggle sidebar"
}
DISCLAMER
Your warranty is now void.
I am not responsible for bricked devices, dead SD cards, thermonuclear war, or you getting fired because the alarm app failed. Please do some research if you have any concerns about features included in this ROM before flashing it.​
Click to expand...
Click to collapse
LiquidSmooth is an aftermarket firmware based on the Android Open Source Project.
Dedicated to providing users with smooth, stable and fast ROMs. A Lightweight modified AOSP base, and then add the features you crave!
While we make every effort to test these builds as much as possible, we are not responsible for anything that may happen to your device.
We ask that you do your part to know your device and know how to recover from problems before you flash!
Bunchies
cameron581
cdub50
Cl3Kener
CPA-Poke
deadman96385
iiD4x
johnnyslt
jsnweitzel
Ntemis
reginald476
rkpeterson
rwaempires
sandtod
Somber73
TheBr0ken
​
Code:
Current as of 12/15/14
Extra info about your device (About phone/tablet)
Custom Liquid Logo in about phone/tablet
Google bug report and ota removed
Option to show kernel toolchain and other info by tapping kernel version in about phone/tablet
Timeout and instant lock options added to slide unlock instead of just secure keyguard options
Developer options enabled by default
Navigation bar height control
Show application package name in app info
LiquidSmooth Stats and Updater added
Partition size info
Option to disable immersive messagges
Toast animations
Option to disable screenshot noise
Built in superuser options with Root access options
Hardware key rebinding
Call blacklist options
SMS rate limiting option
Filter spam notifications
Per app control for Lockscreen notifications
Configurable 0, 90, 180 and 270 degree rotation
Lots of settings switched from checkboxes to switchboxes
Safe headset volume option
Less annoying sound notifications option
option to use volume keys to control media volume anytime
Option to custimize device hostname
Option to not wake up device when charge is plugged/unplugged
Volume rocker wake up
IME switcher notification control
Option to disable fullscreen keyboard
Force autorotation on IME
Option to force show enter key
CM's Privacy Guard
Increasing ringtone option
Viper4android integrated
Dark ui for settings
Battery and notification light options
Screen Density changer
Statusbar clock customization
Option to disable searchbar in recents
Statusbar brightness control
Double tap statusbar to sleep control
Custom Lockscreen shortcuts
Code:
[url="https://plus.google.com/b/102153960718796996774/communities/117452480298315341829/stream/d5e8c0fe-5ee7-44df-97a5-6dd8cdcf8bb8"]Check our Google+ page for a updates[/URL]
Code:
[url="http://github.com/LiquidSmooth"]LiquidSmooth Github[/URL]
Code:
[url="http://www.drdevs.com/devs/teamliquid/Official/"]Stable Download[/URL]
[url="http://www.drdevs.com/devs/teamliquid/Nightly/Note_2_t0lte/"]Nightly Download[/URL]
Use a compatible Android 5.0.x gapps package
Donations are never expected but they help keep me motivated and the wife and kids happy ​
XDA:DevDB Information
LiquidSmooth v4.0 t0lte - Note 2, ROM for the AT&T Samsung Galaxy Note II
Contributors
TheBr0ken
ROM OS Version: 5.0.x Lollipop
Version Information
Status: Testing
Created 2014-12-19
Last Updated 2015-03-23
This is an Alpha build for the AT&T Note 2
Bugs:
Data can be inconsistent, The issue is that APN's are not sticking
gps
there are more, but this is an early build, So no need to add to the bug list. I already know what they are
Click to expand...
Click to collapse
When installing the Alpha builds expect bugs
Install Instructions:
1. Download ROM
2. Reboot into recovery
3. Please back up your ROM before you begin!
4. You need a full wipe.
5. Flash the ROM
6. Flash 5.0.x Gapps
7. Reboot
8. It will take a while at first boot
9. Give it a few seconds after boot to get signal.
Click to expand...
Click to collapse
Support on this thread is for LiquidSmooth ROM related issues only.
While we do not mind helping, its getting impossible to sort through issues that are ROM related or not. Persistent non-ROM related issues are best suited for the AT&T Galaxy Note II Q&A, Help & Troubleshooting Section.
Below is a few things I would appreciate you list when you are having issues so we have as much information as possible when trying to help you with your problems.
Is this a Clean flash
Is this the stock kernel
What firmware revision are you on
What gapps package are you using
Have you had this issue on other ROMs
Do you have any apps that change/modify system preferences (Xposed, etc)
Do you have any task killers installed
If you are having app issues, are they running off of internal memory or extSdCard
saved
Nice
Ill Test this one one this evening
keep up the amazing work
still running LS on my 717M Note one
Many thanks !!
Another great day in the Note 2 community. ..
Much respect for bringing liquid lollipop to our sweet devices. .g
I just flashed this but can't find how to enable navigation bar. I see the height adjustment setting but can't enable it.
cheers
sumer1 said:
I just flashed this but can't find how to enable navigation bar. I see the height adjustment setting but can't enable it.
cheers
Click to expand...
Click to collapse
@sumer1 : flash it and see screenshot below
http://goo.gl/IoELzQ
Supported donation hope to get this completely stable
sumer1 said:
I just flashed this but can't find how to enable navigation bar. I see the height adjustment setting but can't enable it.
cheers
Click to expand...
Click to collapse
New build should be done soon, look in settings>buttons.
TheBr0ken said:
New build should be done soon, look in settings>buttons.
Click to expand...
Click to collapse
Sweet
TheBr0ken said:
New build should be done soon, look in settings>buttons.
Click to expand...
Click to collapse
Enable on screen navigation bar and disable hardware buttons? why to must disable hardware buttons when using navigation bar, sir?
fix this thing : if any one need use navbar and hardware buttons (menu, back) then please flash this (tested on t0lte/rom ls v4.0 23/12/14)
http://goo.gl/IoELzQ
Tyvm. Wewt!
Sent from my GT-N7105 using Tapatalk
mr.nth.na.vn said:
Enable on screen navigation bar and disable hardware buttons? why to must disable hardware buttons when using navigation bar, sir?
fix this thing : if any one need use navbar and hardware buttons (menu, back) then please flash this (tested on t0lte/rom ls v4.0 23/12/14)
http://goo.gl/IoELzQ
Click to expand...
Click to collapse
What he is referring to is the "Enable Navigation bar" setting.. In the previous build the setting was missing but the Navigation bar height and width setting was there So we had to flash the zip but in the new build you won't have to, I guess it was an over sight. The hardware keys can still be used if you want.
Cheers
Really enjoy this lollipop build and it having some darkened menus.
Listening to music while the screen is off and just tapping to adjust the volume will change the song instead of adjusting the volume. Changing the battery display style to text will show the icon next to it if device is rebooted.
Great Rom. It just has same issue as all note 2 lollipop roms i.e. when the phone is off and it get connected to the charger the phone freezes and is not possible to power it up until the battery get removed and inserted back again.
Sent from my GT-N7105 using XDA Free mobile app
falcon67 said:
Great Rom. It just has same issue as all note 2 lollipop roms i.e. when the phone is off and it get connected to the charger the phone freezes and is not possible to power it up until the battery get removed and inserted back again.
Sent from my GT-N7105 using XDA Free mobile app
Click to expand...
Click to collapse
That issue is not only confined to the lollipop builds, but also many other CM/AOSP based builds of KitKat and earlier.
Have a good one!
Pretty good for an alpha release
I installed the 12-23 version of the rom and I am pretty impressed with how usable it is. Not all liquidsmooth features are there but it is a really good start.
* Some of the settings screens are for example still with white backgrond while the others were alrwady converted to dark.
* The dialer has been converted into dark background as well. It doesn't particularly look good.
* The gps is not working out of the box. I flashed the zip at http://forum.xda-developers.com/showpost.php?p=57640318&postcount=32 and it worked top notch.
* Camera is working both back and front and can record video.
* Both incoming and outgoing voice calls work.
* SMS works.
* Data LTE works.
* Stylkus works well. I used papyrus and onenote and it does palm rejection correctly. Not like other cm12 roms where the stylus is just like a mouse. Pressure is correctly detected. Out of the box a mouse pointer will appear where the pen tip is detected. You can edit /system/usr/idc/sec-e-pen.idc and replace the device type from pointer to touchScreen and then reboot
* Netflix doesn't work. We just get the spinning wheel before even signing up and after a while we get error -9.
* Chrome browser suffers from visual artifact as well on google search results. Probably video driver issue.
* playing music through speakers exhibit high distortion at 75% and up. Ut seems to be a driver issue it sounds like digital distortion rather than analog.
* Google now voice search works well execpt for the sound it plays right after it recognized the ok google command. The audio is cut at the end and it is very noticeable.
That's all I got for now. It is really promising.
Thanks to the liquidsmooth team. It is a a really good work.
Stylus not working great
barabasy said:
I installed the 12-23 version of the rom and I am pretty impressed with how usable it is. Not all liquidsmooth features are there but it is a really good start.
* Some of the settings screens are for example still with white backgrond while the others were alrwady converted to dark.
* The dialer has been converted into dark background as well. It doesn't particularly look good.
* The gps is not working out of the box. I flashed the zip at http://forum.xda-developers.com/showpost.php?p=57640318&postcount=32 and it worked top notch.
* Camera is working both back and front and can record video.
* Both incoming and outgoing voice calls work.
* SMS works.
* Data LTE works.
* Stylkus works well. I used papyrus and onenote and it does palm rejection correctly. Not like other cm12 roms where the stylus is just like a mouse. Pressure is correctly detected. Out of the box a mouse pointer will appear where the pen tip is detected. You can edit /system/usr/idc/sec-e-pen.idc and replace the device type from pointer to touchScreen and then reboot
* Netflix doesn't work. We just get the spinning wheel before even signing up and after a while we get error -9.
* Chrome browser suffers from visual artifact as well on google search results. Probably video driver issue.
* playing music through speakers exhibit high distortion at 75% and up. Ut seems to be a driver issue it sounds like digital distortion rather than analog.
* Google now voice search works well execpt for the sound it plays right after it recognized the ok google command. The audio is cut at the end and it is very noticeable.
That's all I got for now. It is really promising.
Thanks to the liquidsmooth team. It is a a really good work.
Click to expand...
Click to collapse
I don't know what happened but the stylus suddenly failed palm rejection. By that I mean writing with the stylus while having a finger or palm on the screen. On version 3.1 of Liquidsmooth, it works well but with version 4.0, any application understanding the spen will behave erratically if both pen digitizer and touch digitizer record simultaneously a touch.
barabasy said:
I don't know what happened but the stylus suddenly failed palm rejection. By that I mean writing with the stylus while having a finger or palm on the screen. On version 3.1 of Liquidsmooth, it works well but with version 4.0, any application understanding the spen will behave erratically if both pen digitizer and touch digitizer record simultaneously a touch.
Click to expand...
Click to collapse
In fact, we loose the palm rejection when the deviceType in sec_epen.idc is set to touchScreen. The intent of that was to remove the mouse cursor that appears when using the spen. Liquidsmooth under kitka has an option to show/hide the cursor in the fly. Maybe the devs can port that to lollipop. I tried 3 lollipop roms so far and they all have the same issues.

Categories

Resources