date stringlengths 10 10 | nb_tokens int64 60 629k | text_size int64 234 1.02M | content stringlengths 234 1.02M |
|---|---|---|---|
2013/05/06 | 297 | 1,156 | <issue_start>username_0: I have been using my dorms WiFi forever -- but since the latest system update on my S3, it won't get internet even though im connected to the WiFi (status says I'm connected -- but the icons in the notification areas stay white). Its like that all over campus. Other places I can use the WiFi without any problems.
Immediately after the mentioned update, internet worked for one more day on my phone in my dorm, but after that only other WiFi networks seem to work for me.
I have no idea what the reason could be. Any ideas what I should look for?<issue_comment>username_1: Have you tried dialing `*#*#526#*#*` ?
It fixed a wifi connection problem I had.
I dialed it on the phone, got the "call cannot be completed" message. Hung up, restarted the phone, then went through the whole phone call again.
It worked. My wifi problem is fixed. I kid you not. Google it. I hope this helps.
Upvotes: 2 <issue_comment>username_2: Have had the same issue on my droid 2.3.6. It used to connect to wifi but could not browse the internet until I disabled:
Parental Control
from my wifi router.
Hope this will help someone.
Upvotes: 1 |
2013/05/06 | 411 | 1,648 | <issue_start>username_0: I am trying to find a way to record the screen on my Nexus 10 tablet.
I make promotional videos for my company to show off our cloud-based software. I need a good way to show people that mobile devices can be used to make great use of our software. We use Nexus because it has the NFC chip reader and writer.
Is there any way to do this that does not require rooting?<issue_comment>username_1: You need your tablet it be rooted for this. After rooting use SCR screen recorder (preferably the pro version ) to record your screen. There are many apps available but I found this the best
Upvotes: 1 <issue_comment>username_2: You can always **use an app** such as [No Root Screen Recorder](https://play.google.com/store/apps/details?id=com.screenrecnoroot) to video record your screen. But the problem with this option is that you have to connect your device to a windows computer in order to capture.
If you're willing to use external hardware, one good option is an External HDMI capture card and a USB to HDMI cable.This way the recording does not affect the performance of your device or app. More expensive than an app on the device, but much more flexible.
Upvotes: 0 <issue_comment>username_3: Your Nexus 10 should be able to upgrade to the newest Android 4.4 Kitkat any day now. It has a new option to record the screen, but you need to be/know someone who has basic knowledge about the Android SDK: <http://developer.android.com/about/versions/kitkat.html#44-screen-recording>
Since you did not accept an answer yet, hope this info still helps and I'm not necromancing your thread. ;)
Upvotes: 3 [selected_answer] |
2013/05/07 | 1,125 | 4,143 | <issue_start>username_0: The most recent version of the Gmail app as the great feature where
you can choose between archiving or replying to e-mails directly from
the notification.
My problem is that, if you archive it from the notification, it
remains unread (instead of being marked as read). Is there anyway to
get around that?
I'd like for any e-mails that are archived directly from the
notification to be automatically marked as read.<issue_comment>username_1: Did you say Google Script?
[Marking Gmail read with Apps Script](http://mikecr.it/ramblings/marking-gmail-read-with-apps-script)
The idea behind this script is to mark as read any message that is not in the Inbox (i.e., has been archived).
>
> 1. Head to [script.google.com](http://script.google.com/) to start a script.
> 2. Choose to create a script for Gmail in the little popup.
> 3. Delete all the sample code it gives you.
> 4. Replace it with this (written using [the API reference](https://developers.google.com/apps-script/reference/gmail/)):
>
>
>
> ```
> function markArchivedAsRead() {
> var threads = GmailApp.search('label:unread -label:inbox');
> GmailApp.markThreadsRead(threads);
> };
> ```
> 5. Save the project with File > Save.
> 6. Add a new version using File > Manage Versions and enter "initial version" then submit that.
> 7. Do a test run using Run > markArchivedAsRead and be sure and authorize the app when it asks you to.
> 8. Add a new trigger using Resource > Current Project's Triggers and choose to run the above function every minute.
> 9. Save the script again and exit.
>
>
>
I don't know that it's necessary to run it every *minute*, but as long as you run it regularly.
This isn't a direct answer to your issue, and if you have reasons to have unread messages that aren't in your inbox this won't work for you.
Upvotes: 4 [selected_answer]<issue_comment>username_2: I managed to make it work with the following *Google Script*.
It's almos the same as @AlEverett's answer, but it never marks as read messages that skipped the inbox entirely (from a filter or something).
Unfortunately, it won't work for you if you tend archive messages very quickly (less then 30 seconds on average).
```
/** Mark as read archived threads which were previously in the inbox (determined by the label "i"). **/
function cleanAndroidArchived(){
markArchivedAsRead();
labelInboxAsI();
}
function markArchivedAsRead() {
var threads = GmailApp.search('in:unread label:i -label:inbox');
var label = GmailApp.createLabel("i");
label.removeFromThreads(threads);
GmailApp.markThreadsRead(threads);
};
function labelInboxAsI() {
var threads = GmailApp.search('in:unread label:inbox');
var label = GmailApp.createLabel("i");
label.addToThreads(threads);
};
```
Upvotes: 2 <issue_comment>username_3: I believe I resolved the issue with @BruceConnor's case, needing to wait for the script to execute before it can work.
1. I created a new filter that looks for anything in the inbox
2. assigns the "i" label (which is created by his version)
Gmail complains that the filter will never match anything, but in this case it does match all incoming messages that stay in the inbox.
The result is that all new incoming messages are automatically "memorized" by this tag, then when you hit archive the script can compare the inbox list with the "i" label and know which ones were just archived, and then mark only those as "read". You don't have to wait to archive, because all messages are assigned into the archive "i" queue.
Bonus: I also set the new "i" label to "Hide in message list" and "Hide in label list", so it never shows up at all. (Click the little arrow next to the new "i" label and choose these options.)
Upvotes: 2 <issue_comment>username_4: @al-e's answer works, but it does have a little bug mentioned in the comments. I've made a different version of the script that solves this bug and have been successfully using it for a few years. Here's the script that I'm using:
```
function markArchivedAsRead() {
var threads = GmailApp.search('label:unread -label:inbox');
for (var i=0; i
```
Upvotes: 1 |
2013/05/07 | 394 | 1,334 | <issue_start>username_0: I had a myTouch Slide 4g rooted and running Android 4.0. I was using the default dialer that came with CyanogenMod's Google Apps ROM. I recently picked up the Nexus 4 (not rooted and the bootloader is locked), but it doesn't search through contacts when I put in numbers. Is there a way to use the default dialer to search for contacts by name or number?<issue_comment>username_1: I was shocked by this as well, but apparently that's a custom feature from CyanogenMod, not available in stock Android. On unrooted phones I think the only hope is to install a custom dialer like [exDialer](https://play.google.com/store/apps/details?id=com.modoohut.dialer).
References: [TalkAndroid](http://www.talkandroid.com/140885-three-flaws-google-needs-to-fix-to-make-stock-android-even-better/), [Xda](http://forum.xda-developers.com/showthread.php?t=1970213).
Upvotes: 1 <issue_comment>username_2: This is now a standard feature of Android 4.3, although you do need to [enable it](https://android.stackexchange.com/q/50030/267).
From <http://www.android.com/about/jelly-bean/>
>
> Autocomplete - just start touching numbers or letters and the dial pad will suggest phone numbers or names. To turn on this feature, open your phone app settings and enable “Dial pad autocomplete.”
>
>
>
Upvotes: 3 [selected_answer] |
2013/05/07 | 269 | 951 | <issue_start>username_0: My Sony earphones are damaged, I've got other earphones (non-SONY) but are not accepted by the phone. Is there a way to make them work ??<issue_comment>username_1: You can try Nokia's headphones. I think they will work with them.
Upvotes: -1 <issue_comment>username_2: There are different standards for headset plugs, and Sony has started using the CTIA layout for it's smartphones since 2012. I couldn't find the official documentation on the differences, but it's pretty well explained [here](http://www.martzell.de/2012/12/pin-belegung-headset-iphone-omtp-ctia.html) (In german, but the pictures speak for themselves).
The gist is, on regular headsets the order of the pins is ground-mic-right-left, but on CTIA it's mic-ground-right-left.
To get regular headsets working, you'll have to use an adapter, but if I'm understanding this correctly, headphones (that is, without a microphone) should work normally.
Upvotes: 1 |
2013/05/07 | 371 | 1,400 | <issue_start>username_0: I got my Samsung Galaxy Note about 5 months ago and three months into having it I dropped it and cracked the screen. The actual touch screen works it is just the glass that is broken. About a month or so after having dropped it I started using my mum's phone for a while, as the size was starting to be a problem and I was about to go to a festival. I have come to want to use my Note again and it hasn't let me charge it. Is this because of how long it has been since it was last charged or the strength of the charger that came with it? Or could be be something to do with the screen?<issue_comment>username_1: You can try Nokia's headphones. I think they will work with them.
Upvotes: -1 <issue_comment>username_2: There are different standards for headset plugs, and Sony has started using the CTIA layout for it's smartphones since 2012. I couldn't find the official documentation on the differences, but it's pretty well explained [here](http://www.martzell.de/2012/12/pin-belegung-headset-iphone-omtp-ctia.html) (In german, but the pictures speak for themselves).
The gist is, on regular headsets the order of the pins is ground-mic-right-left, but on CTIA it's mic-ground-right-left.
To get regular headsets working, you'll have to use an adapter, but if I'm understanding this correctly, headphones (that is, without a microphone) should work normally.
Upvotes: 1 |
2013/05/08 | 1,242 | 4,685 | <issue_start>username_0: I'm looking for some sort of way that will show part/all of my text messages, emails, tweets on the screen when the phone is locked.
I just gave up my iPhone and this is something I'm really missing.
To me it is annoying to have to click on a message just to see if the person responded "ok" or something that could easily be displayed on the screen.
Here is a screen shot of the messaging. I want to be able to read the text.
<issue_comment>username_1: If you were to download and use an alternate lockscreen like [WidgetLocker](https://play.google.com/store/apps/details?id=com.teslacoilsw.widgetlocker&hl=en), this would be possible. It would enable you to place a widget on your lockscreen that shows you unread messages, though you might have to get that widget separately if you're not using a third party SMS app already. If you're just looking for a count of unread messages, you could use something like [Ultimate Custom Clock Widget](https://play.google.com/store/apps/details?id=in.vineetsirohi.customwidget&feature=search_result) too.
Upvotes: 2 <issue_comment>username_2: You can use [SMSPopup](https://play.google.com/store/apps/details?id=net.everythingandroid.smspopup) which will allow it to show up on top of any application, including your lockscreen (it can even turn your phone on for a few seconds so you can see the pop up).
[Handcent](https://play.google.com/store/apps/details?id=com.handcent.nextsms) also has a SMSPopup like ability. And [GoSMS](https://play.google.com/store/apps/details?id=com.jb.gosms) too.
Upvotes: 2 <issue_comment>username_3: [NiLS Notifications Lock Screen](https://play.google.com/store/apps/details?id=com.roymam.android.notificationswidget) will display all notifications on the lock screen. In the case of an SMS message, it displays the content of the SMS message in the lock screen notification.
Upvotes: 2 <issue_comment>username_4: This can be done via [Widget Locker App](https://play.google.com/store/apps/details?id=com.teslacoilsw.widgetlocker&hl=en). There are many customizations on lock screen using widgetlocker app.
If you need only SMS items to displayed there are several [Apps](https://play.google.com/store/apps/details?id=net.everythingandroid.smspopup&hl=en) in market.
Alternatively, there is a option in settings to preview the whole sms in the notification bar
Upvotes: 0 <issue_comment>username_5: You don't need any third party app for this. To preview text messages in the lock screen go to setting in the messages app. Check "preview messages". Now the actual text of the message will show on your lock screen.
Upvotes: 2 <issue_comment>username_6: I use [Handcent SMS](https://play.google.com/store/apps/details?id=com.handcent.nextsms&hl=en) that allows me to view my messages when the phone is locked.
Upvotes: 1 <issue_comment>username_7: The S4 does have this option. Open the SMS app (Messaging) and go to *Settings* (using the drawer button on the bottom left of your phone). Within *Settings,* scroll down to notification settings and check the "notifications" box and the "preview message" box.
Note that to see the notification option in *Settings* you must access settings from the main screen of the Messaging app, not from within a conversation within Messaging. This is one of those apps that has different menus for "settings" depending on which screen you're currently viewing.
Upvotes: 3 <issue_comment>username_8: Enter the Messaging app and open the settings menu. You'll find an option that says Preview Message under the Notification settings. Checking this will allow you to see what the test says on the lock screen and in the notification bar.
Upvotes: -1 <issue_comment>username_9: [If you're coming to Google's platform from the iPhone, one of the most jarring changes is that receiving text messages doesn't turn your display on so you can see what's being said.](http://lifehacker.com/sms-wakeup-shows-your-texts-on-screen-when-you-receive-1277264011)
SMS WakeUp ([Free](https://play.google.com/store/apps/details?id=com.dberm22.SMSWakeUp)/[Pro](https://play.google.com/store/apps/details?id=com.dberm22.SMSWakeUpPro)) fixes this problem.
>
> The app has a very simple purpose: when you receive a text message, the display will turn on for a moment, showing a pop-up that allows you to jump directly to the message itself. Alternatively, with the pro version ($0.99), you can disable the pop-up so you'll only see your lockscreen, where you'll be able to watch the regular Android notification as it scrolls past in the shade, completely hands-free.
>
>
>
Upvotes: 0 |
2013/05/08 | 815 | 3,022 | <issue_start>username_0: I would like to start this activity from terminal: `com.android.settings.Settings$PowerUsageSummaryActivity`
I tried
```
am start -S com.android.settings/.Settings$PowerUsageSummaryActivity
```
and this is what I get:
```
Stopping: com.android.settings
Starting: Intent { act=android.intent.action.MAIN cat=[android.intent.category.LAUNCHER] cmp=com.android.settings/.Settings }
```
The problem is `am start` command *omits* the `$PowerUsageSummaryActivity` part, so basically I'm just getting standard "Settings" menu open.
how can I open that specific "power usage summary" page from terminal?<issue_comment>username_1: Escape the `$` in the sub-class name and it should work:
```
shell@android:/ # am start -S com.android.settings/.Settings\$PowerUsageSummaryActivity
Starting: Intent { cmp=com.android.settings/.Settings$PowerUsageSummaryActivity }
shell@android:/ #
```
Another option is to instead send the intent that the Power Usage screen listens for:
```
shell@android:/ # am start -a android.intent.action.POWER_USAGE_SUMMARY
```
You can find the intents by looking at the tags in the AndroidManifest.xml file for the Settings "application" (which can be [viewed on GitHub](https://github.com/android/platform_packages_apps_settings/blob/master/AndroidManifest.xml)). As an example, here is the activity definition for the `Settings$PowerUsageSummaryActivity`:
```
```
Upvotes: 3 <issue_comment>username_2: As I wrote in my comment, there are some special characters needing extra care when working at the shell prompt (or in shell scripts). One of them is the `$` sign, which usually indicates a variable. If that should be taken literally, you need to escape it (or enclose the entire string by single quotes). Similar rules for quotation marks.
How your command should look like with an *escaped* `$`, you can already find in [username_1' answer](https://android.stackexchange.com/a/45073/16575):
```
shell@android:/ # am start -n com.android.settings/.Settings\$PowerUsageSummaryActivity
```
Note the "back-slash" in front of the `$` -- that's the escape sign. Use the same for quotation marks or blanks, if your command includes some to be taken literally, e.g.
```
myscript.sh first\ parameter\!
myscript.sh "first parameter!"
```
both would do the same: Making the string a single parameter. In the example of your `am start` command, this is what happened on parsing:
* command: `am`
* parameter 1: `start`
* parameter 2: `-S`
* parameter 3: `com.android.settings/.Settings$PowerUsageSummaryActivity`
+ has a `$`, interpreting: variable `$PowerUsageSummaryActivity` is not set, so empty
+ conclusion: parameter 3 is `com.android.settings/.Settings`
Note also that if you run this directly via `adb shell`, the command goes through shell parsing twice, so you need to escape or quote the command *again*, like this:
```
user@desktop:~$ adb shell am start -n 'com.android.settings/.Settings\$PowerUsageSummaryActivity'
```
Upvotes: 5 [selected_answer] |
2013/05/08 | 710 | 2,715 | <issue_start>username_0: What source/data provider does Google use for its weather data for Google Now (and other services)?
I've checked its forecasts against weather.gov, weather.com, accuweather.com, wunderground.com, and weatherstreet.com and can't find one that matches for the same location. The reason I ask is because there have been multiple times that it's forecast is horribly wrong. Case in point: currently its forecast is 13 degrees F lower than the closest one of the others above.<issue_comment>username_1: The Google search engine gets its weather from a combination of 'The Weather Channel', 'Weather Underground' and 'AccuWeather'.
The data on Google Now appears to be the same data...
Upvotes: 1 <issue_comment>username_2: Google displays Weather conditions using Weather Underground as per [Google Web Search Features](http://www.google.com/intl/en/help/features_list.html#weather) page.
>
> All weather conditions and forecasts are provided by [Weather Underground, Inc](http://www.google.com/url?q=http://www.wunderground.com/&usg=__e__TBg5jW-bBbEG5WdETg3uO79M=).
>
>
>
So, Google Now also might be picking from the same source.
Upvotes: 5 [selected_answer]<issue_comment>username_3: Though this question is almost 5 years old but I think an updated answer can help users looking for updated info. Nowadays Google gets its weather data from [weather.com](https://weather.com) as mentioned in bottom left corner of Google weather search results when you look for temperature of any location (highlighted in red rectangle). [](https://i.stack.imgur.com/7qow4.png)
But as the OP says **a lot** of times Google's weather data is way off the actual current weather. For example as of this writing it shows current temperature in Shimla, India to be -4 C at 9 pm, [](https://i.stack.imgur.com/Uuq6d.png) but according to official website of [Indian weather department or IMD](http://city.imd.gov.in/citywx/city_weather.php?id=42083) even whole day's minimum temperature was 1.4 C for 6 Jan 2018 and minimum temperature of whole day usually happens in early morning hours. [](https://i.stack.imgur.com/wkgIB.png) Similarly I have matched data for other cities and locations in India and current weather is not what actual current weather is. I think from wherever Google takes its weather data they just provide an average of previous years and not the actual current temperature. And various weather websites showing wildly different current temperatures for same location.
Upvotes: 3 |
2013/05/08 | 578 | 2,266 | <issue_start>username_0: I have tried this on multiple machines - my Nexus 7 doesn't actually mount in Windows no matter what I try. The USB cable works as I can see that the device is still charging - I've tried this with multiple USB cables on different computers and the problem persists (which would assume the problem is down to this tablet).
When I place the USB cable into the device it charges but I cannot see a removable drive appear in 'My Computer'
This \*\* definitely\*\* worked before as I have already transferred a number of files to the device - anyone got any ideas of how to fix this?
I am using the stock ROM from Google and is not rooted, MTP is checked in the USB computer connection.<issue_comment>username_1: I've had similar results with my Samsung Galaxy Nexus. It will be charging fine when plugged in to the PC, but the PC will be oblivious to any device being connected. And it worked fine the day before.
My first thought was also software fault. But it happened with multiple USB cables on multiple PCs. What I did notice was that sometime, especially when I plugged it in slowly, it will flash with a "Could not install device" prompt on Windows. Which means it did find something, even if only briefly.
I managed to successfully connect by plugging it in only 50% on the device. Obviously this was not ideal, so I investigated further. Turns out my usb micro slot on the device was not exactly straight. The tongue inside the receptacle was just a fraction too close to the side, very nearly touching the bottom.
What I did to fix it was VERY GENTLY insert a toothpick between the tongue and the bottom of the receptacle and lift it up, just a tiny fraction. I cannot overstate how gently you need to be.
That solved it and it has not given me any problems for the past 6 months.
Upvotes: 2 <issue_comment>username_2: The USB port was damaged - and sent it back and got the new N7 instead (2013 model)
Upvotes: 1 [selected_answer]<issue_comment>username_3: In my case, this helped
>
> To change your device's USB connection options, touch Settings >
> Device > Storage > Menu > USB computer connection.
>
>
>
For more information, see [Google Support](https://support.google.com/nexus/answer/2840804?hl=en)
Upvotes: 0 |
2013/05/09 | 486 | 1,812 | <issue_start>username_0: How can I backup an app's data (i.e. Angry Birds scores and achievements) on my Nexus 7, running Android 4.2.2? My tablet is not rooted and my micro USB port is damaged, disallowing me to connect to the computer.
Any suggestions?<issue_comment>username_1: I've had similar results with my Samsung Galaxy Nexus. It will be charging fine when plugged in to the PC, but the PC will be oblivious to any device being connected. And it worked fine the day before.
My first thought was also software fault. But it happened with multiple USB cables on multiple PCs. What I did notice was that sometime, especially when I plugged it in slowly, it will flash with a "Could not install device" prompt on Windows. Which means it did find something, even if only briefly.
I managed to successfully connect by plugging it in only 50% on the device. Obviously this was not ideal, so I investigated further. Turns out my usb micro slot on the device was not exactly straight. The tongue inside the receptacle was just a fraction too close to the side, very nearly touching the bottom.
What I did to fix it was VERY GENTLY insert a toothpick between the tongue and the bottom of the receptacle and lift it up, just a tiny fraction. I cannot overstate how gently you need to be.
That solved it and it has not given me any problems for the past 6 months.
Upvotes: 2 <issue_comment>username_2: The USB port was damaged - and sent it back and got the new N7 instead (2013 model)
Upvotes: 1 [selected_answer]<issue_comment>username_3: In my case, this helped
>
> To change your device's USB connection options, touch Settings >
> Device > Storage > Menu > USB computer connection.
>
>
>
For more information, see [Google Support](https://support.google.com/nexus/answer/2840804?hl=en)
Upvotes: 0 |
2013/05/09 | 999 | 3,604 | <issue_start>username_0: What I'm looking for is some sort of macro-recorder (though that term seems to be hijacked now my macro-photography apps).
I'd like to record a set of presses (specifically, beating a level in a game), and then have those repeated for me so I can accumulate in-game currency without wasting my time or a ton of money.
I imagine there would be other practical uses as well, but I'm not finding anything to do this in Google Play.
MacroDroid and Tasker both looked promising, but you can only assign predefined actions to predefined events - not a set of touches.<issue_comment>username_1: I've developed such an app called RepetiTouch. It's currently in beta stage and aimed at developers, but a limited free version is available [here](https://play.google.com/store/apps/details?id=com.username_1.repetitouch.free). However, it needs a rooted device running Android 2.3 or later.
As far as I know, currently no other app with this functionality exists, but there are some tools/scripts providing such features using a computer and an USB connection, e.g., [here](http://code.lardcave.net/entries/2009/08/01/160953/).
Anyway, I discourage any use of any such apps or tools for farming.
Upvotes: 5 [selected_answer]<issue_comment>username_2: The only app I know of that works fine is ["**Android Bot Maker**"](https://play.google.com/store/apps/details?id=com.frapeti.androidbotmaker) (XDA link [**here**](http://forum.xda-developers.com/showthread.php?t=2241770))
sadly, it can't record the touches, but you can set it manually yourself, by finding out the coordinates by enabling "show pointer location" on the developers category of the OS settings.
Upvotes: 2 <issue_comment>username_3: [HiroMacro Auto-Touch Macro](https://play.google.com/store/apps/details?id=com.prohiro.macro) works well for me.
Upvotes: 2 <issue_comment>username_4: If you want to do this on an Android Emulator. By using [Memu](http://www.memuplay.com/), you have a button to record and play a script.
Upvotes: 0 <issue_comment>username_5: You can try the Culebra GUI: <https://github.com/dtmilano/AndroidViewClient/wiki/Culebra-GUI>.
It is a python-based tool that lets you record interactions and re-run them.
Upvotes: 2 <issue_comment>username_6: I wrote a script to record and playback the events like touching, accelerator, gyro, and etc..
<https://github.com/tzutalin/adb-event-record>
Upvotes: 0 <issue_comment>username_7: I had made a java application which does [Android Record N Play](https://github.com/rils/ARP/wiki)
Upvotes: 0 <issue_comment>username_8: I am the developer for [123Autoit - NonRoot](https://play.google.com/store/apps/details?id=com.autoit.nonroot). The latest version has included the function of macro recording and playback action. the app is free to use.
Here is the video demo of the macro recording and playback on YouTube:
[123Autoit nonroot Record and Playback function](https://www.youtube.com/watch?v=u8xRc0PZB6Y).
Upvotes: 0 <issue_comment>username_9: I'm certain this is possible, since I had an app about 6+ yrs ago that did exactly this. I used it to send myself (at another email address) notes of things I wanted a reminder for. After tapping an icon, it would record opening gmail, selecting 'compose', filling in the 'to' spot, then moving the cursor to the content area and selecting the microphone. All set up in an icon.
All I had to do was tap the icon, then start speaking and I got text in the email. then I hit send. I got a new phone and never could find it again! Maybe because of security considerations it wouldn't work today!
Upvotes: 0 |
2013/05/09 | 818 | 2,557 | <issue_start>username_0: So I've switched to a tiered data plan. Is there a way to lock certain applications from using 3g/4g and instead only use connected wifi.<issue_comment>username_1: ### Assuming you've got Android 4.0 or higher, you can do the following:
1. Go to *Settings→Data Usage*
2. Activate the limit by marking the checkbox, and moving the red and orange bars for "Deactivation" and "Warning" (hint: you can set them imaginary high to not have any effect -- but they must be enabled)
3. Now scroll the list below the graph and tap the apps you want to limit. At the end of their resp. pages, you'll find another checkbox to limit their background data -- mark it.

Limiting data usage
Now those apps can no longer use mobile data without your consent: only actions you triggered yourself ("foreground data") will be performed by them, no sync in the background or other background activity.
### (Almost) Independent of the Android version used, but [root](/questions/tagged/root "show questions tagged 'root'") available:
You can use a firewall app such as e.g. [DroidWall - Android Firewall](https://play.google.com/store/apps/details?id=com.googlecode.droidwall.free) or its successor [AFWall+ (Android Firewall)](https://play.google.com/store/apps/details?id=dev.ukanth.ufirewall) to explicitly permit/forbid apps to use either mobile data or WiFi or both. Whitelists (forbid all except...) or blacklists (permit all but...) are possible.
[](https://lh5.ggpht.com/jch9K75Ltd_6VWV5xqPJnuFDMFEahsfhY1iLfw8qiW-dU76T7YrPU7OqFR0A3Q71jA) [](https://lh3.ggpht.com/-0b1Nm-9fK3OWGAn_lMv0xJ0S5_DYoNpSVG8XB92c02Wlc8GoROJX1buaT3RyzIYMw)
DroidWall and AFWall+ (source: Google Play; click images for larger variant)
### Else
Worth a try: [NoRoot Firewall](https://play.google.com/store/apps/details?id=app.greyshirts.firewall). Not sure if and how this works without root -- but it's free, so nothing to lose :)
[](https://lh3.ggpht.com/7sk1kW9UtFXFnprA_DlaKQFMIWB0LzxlxvL9b1CbAmMU2X23yjdtD0MDxoAxR_fiFg)
NoRoot Firewall (source: Google Play; click image to enlarge)
Upvotes: 3 <issue_comment>username_2: If you have root enabled, you also could install [AFWall+](https://play.google.com/store/apps/details?id=dev.ukanth.ufirewall).
It allows you to add custom iptables rules per app for each outbound connectivity.
Upvotes: 1 |
2013/05/10 | 445 | 1,673 | <issue_start>username_0: I'd like to monitor Twitter for certain keywords. I wonder if there is a widget which displays live search results on my home screen, which are automaticly updated at a certain interval. I've tried almost every app in the store, but none provides this simple functionality.<issue_comment>username_1: Maybe u can try this (TweetCaster for Twitter) <https://play.google.com/store/apps/details?id=com.handmark.tweetcaster&feature=search_result#?t=W251bGwsMSwxLDEsImNvbS5oYW5kbWFyay50d2VldGNhc3RlciJd>
Upvotes: -1 <issue_comment>username_2: There don't seem to be any widgets that let you monitor twitter for certain keywords, but here's a workaround that might do the trick.
Try an application like [Meta widget](https://play.google.com/store/apps/details?id=fahrbot.apps.metawidget). It can turn any webpage to a widget.
Upvotes: 2 <issue_comment>username_3: I don't think you can do something like that in a widget. However i allways wanted to test this app Falcon Pro (for Twitter), but i don't think you can have a widget, but you can make a search and save it for latter and do not have to retype every time.
Janetter for Twitter has this option of saving searches and notifies you about them, but it doesn't have a widget...
Upvotes: 0 <issue_comment>username_4: Since the anwer seems to be: "no there isn't", my workaround was to use an RSS-reader widget, and the following RSS URL: `search.twitter.com/search.rss?q=keyword`.
I think its strange I have to go through such hoops, since Twitter provides a HTML-widget for exactly this purpose. I was expecting at least one Android app to mimic this functionality.
Upvotes: 2 [selected_answer] |
2013/05/10 | 207 | 825 | <issue_start>username_0: My phone, HTC Droid Incredible, was working perfectly fine. Then it just stopped letting me open up my text message threads. All it does is say loading and I left it for about 10 minutes and still nothing.
Everything else on my phone works. I've restarted it four times and it's still not working.
Any suggestion?<issue_comment>username_1: You could try backing up your messages with something like [SMS Backup & Restore](https://play.google.com/store/apps/details?id=com.riteshsahu.SMSBackupRestore) and then wiping the Messaging apps data and cache.
Upvotes: 1 <issue_comment>username_2: I had a similar symptom once and it was caused by the SIM card coming loose, so try this: turn the phone off completely, eject the SIM card, replace the SIM card, and turn the phone back on again.
Upvotes: 0 |
2013/05/10 | 380 | 1,417 | <issue_start>username_0: Is it possible to downgrade from Android version 4.0(ICS) to 3.0(Honeycomb) after upgrading to ICS? Can any one help me.<issue_comment>username_1: As I already wrote in my comment: A downgrade (as well as an upgrade) can be performed by flashing the corresponding ROM (for references, see [other downgrade questions](https://android.stackexchange.com/questions/tagged/downgrade?sort=votes)). To find a matching ROM, please see [Where can I find stock or custom ROMs for my Android device?](https://android.stackexchange.com/q/17152/16575). For the process of flashing, you might want to check with the [rom-flashing](/questions/tagged/rom-flashing "show questions tagged 'rom-flashing'") tag, especially the [questions dealing with the SGS2](https://android.stackexchange.com/questions/tagged/rom-flashing+samsung-galaxy-s-2).
Upvotes: 2 <issue_comment>username_2: You can downgrade to previous versions by flashing the Correspondings ROMS. The Downgrade is possible, only if the downgraded version is compatible with your device. HoneyComb is designed for Tablets. its not supported for smartphones. If Samsung GS2 is your devices, then HoneyComb is not supported, rather you can downgrade to pervious GB versions.
Upvotes: 0 <issue_comment>username_3: Sadly, I don't believe that 3.0 Honeycomb is compatible with phones. Although, there might be a Honeycomb ROM on the Internet.
Upvotes: 0 |
2013/05/10 | 182 | 719 | <issue_start>username_0: My Samsung GT B5330 doesn't want to power on. I charge it and when I try to turn it on it just vibrates (short vibration) and doesn't start. I let it charge for 2 hours and then it still did not start. What should I do?<issue_comment>username_1: I suggest you take it to a repair shop, as it sounds like a hardware issue.
Most likely something has happened to the hardware, and the device will no longer power on.
You may also want to try removing the battery for a while, and then reconnecting it.
Upvotes: 1 <issue_comment>username_2: Problem fixed by pulling out the SIM card, starting the phone without it, then reinserting the SIM card after turning the phone off, of course.
Upvotes: 0 |
2013/05/10 | 258 | 1,056 | <issue_start>username_0: There is a group that I was a member of. Suddenly one day, all of a sudden I became admin of a group.
How can I remove myself as an admin of the group? And how can I make someone else an admin of that group?
Any help appreciated.<issue_comment>username_1: Long press the group chat and hit "Delete and exit group" - your chat will be deleted and you will be out of the group. Someone else will be auto-selected as the group-admin in your place.
Upvotes: 2 <issue_comment>username_2: Talk to a person that willing to be an admin in the group. After you selected the person, remove everybody in the group except you and the selected (next going to be admin). Make sure just left two of you in the group, then remove yourself from the group. The last person will automatically will be the admin.
Last but not least, the new admin have to select all the joiners or members of the group that been removed by you (ex-admin) back to the group. So make sure he/she have all the numbers of the group before you make the move.
Upvotes: 0 |
2013/05/10 | 326 | 1,308 | <issue_start>username_0: I want to view Stanford's iOS programming course.
How can I see it without installing iTunes on my PC and on my Android mobile device?<issue_comment>username_1: Unfortunately , you'll have to download iTunes.. then drag the downloaded courses over to your mobile device..
Upvotes: -1 <issue_comment>username_2: There's the free and open source **Tunes Viewer** which is sadly not available in the Play store (Apple probably doesn't allow it):
The easiest way is to install the FOSS market [F-Droid](https://f-droid.org/FDroid.apk) which hosts such apps and install **Tunes Viewer** from there (search for "TunesViewer").
It's also directly available as an .apk installation file [here](http://f-droid.org/repository/browse/?fdfilter=itunes&fdid=com.tunes.viewer), but I'd prefer the F-Droid market installation because you get updates. The project's homepage is on [SourceForge](http://tunesviewer.sourceforge.net/).
PS: *The [**F-Droid Repository**](http://f-droid.org) is an easily-installable catalogue of FOSS (Free and Open Source Software) applications for the Android platform. The server contains the details of multiple versions of each application, and the Android client makes it easy to browse, install them onto your device, and keep track of updates.*\*
Upvotes: 2 |
2013/05/11 | 493 | 2,092 | <issue_start>username_0: I plugged in my S3 when it said 1% battery life and the red charging indicator light never came on, when i checked it a few minutes later it was at 0% and powered off. Immediately after that I tried to power it up and the power button did not work. The next day it powered up but always says Charging paused battery temp too low and will not charge. I took it to a Sprint Service Center and the lady put a new battery in it and same thing. She said I need a new phone. It is only 5 months old and i dont see how this cant be fixed!
Any suggestions are greatly appreciated!<issue_comment>username_1: As a first look I'd say that you're experiencing the sudden death symptom, but it's hard to know for certain. Try to clean your battery connectors or try with a new battery.
Upvotes: 0 <issue_comment>username_2: Get yourself a heating pad, set it to low and slowly increment the temperature until it begins charging again. If this works, your easiest fix is to buy a battery charger and interchange batteries.
If your battery is dead, below operational then get it recharged for free at a battery store near you.
If you want to resolve the problem, then inspect the charging ports for corrosion or damage. If you have a soldering kit you may want to replace this part, if damaged, at your nearest radio shack or electrical parts store.
If the problem goes beyond that then call Samsung tech support higher levels and pick there brain of what parts on the motherboard controls the battery temperature and if they can give you a replacement part number you can order. This may be a lengthily process but would help others with this same problem.
Always recycle, your trash is another person's investment.
Upvotes: 1 <issue_comment>username_3: It's the charging port connector. It has a thermometer sensor for the battery. It is probably malfunctioning. Replace it and see if it works out.
Upvotes: -1 <issue_comment>username_4: I let its battery go empty for a night, then I charged it fully then switched on, and now it is working correctly again
Upvotes: -1 |
2013/05/11 | 291 | 1,185 | <issue_start>username_0: I have a Micromax A110 Canvas 2 device with Android ICS 4.0. A few day ago, the Google Play Store app updated automatically with a new look. After a week I updated my device with Jelly Bean 4.1. So I got the Play Store with an older look (without an update). I was hoping for an auto update. But even after two days, the Play Store remains without an update. So how can I update the Play Store myself?<issue_comment>username_1: Usually, Google Play Services will always run in the background and if there is an latest release of the Play Store is available, it would updated automatically.
You may enable Google Auto Sync and check whether it works. If not, there may be some problem with Google Play Services. Alternatively, try installing the apk from [XDA](http://forum.xda-developers.com/showthread.php?t=2301927).
Upvotes: 3 [selected_answer]<issue_comment>username_2: You could go into the Applications option in Settings, and clear the data from the Play Store app, uninstall updates (if that's an option), stop it running etc. Then go and enter the store as usual, which should force it to check and update. This might take a minute or so.
Upvotes: 1 |
2013/05/11 | 1,287 | 5,103 | <issue_start>username_0: What if you accidentally deleted some important apps and can't install them back because Google Play doesn't have them? For example android system, com.android dun server and com.android.lgsetup wizard (i.e. basically apps that are originally there).
And every few seconds this message will appear:
>
> "Sorry! The process com.android.phone has stopped unexpectedly. Please
> try again."
>
>
>
And I cannot even go the browser or Task Killer because every time I do, it will force quit. How can I reinstall those apps? I think I cleared all data for those but I did not clear the browser and so why can't I open the browser?
Do I really need to send it for repair or can I fix it?<issue_comment>username_1: For common system apps like the ones you've mentioned, there's no way to uninstall or reinstall them: without root, it at all you can disable them (not all of them even). But they are usually not held in the playstore for re-installation. Even if they receive updates via the playstore (like GMail, Maps, and the Playstore app itself), some of them must reside on the `/system` partition in order to function correctly (the *Google Play* app is one example for that).
But as the same situation could also apply to "normal apps", let's take a closer look:
User apps
---------
Though they are usually coming via *Google Play*, it might well happen they get removed there one day (recent examples are the ad-blockers which got banned). For this, tools like [AppMonster](https://play.google.com/store/apps/details?id=de.android_telefonie.appmanager) come in handy: they enable you to store a copy of the apps `.apk` file to your SDcard (the Pro version even can do so automatically whenever an app is installed/updated). So in case you have to remove an app for some reason, and want to re-install it later (or even if you want to install the same app on a device without Google account), you can do so by [side-loading](/questions/tagged/side-loading "show questions tagged 'side-loading'") the `.apk`. Uninstallation, of course, is easily done either via *Settings→Apps*, or even via *AppMonster* itself.
System apps
-----------
Here it's a lot different. Without root, you can at maximum disable an app (*Settings→Apps*, scroll to the app, open its details, press the *Disable* button) -- if your device is running Android 4.0 or later, that is.
With root, things become a little different: theoretically, you could uninstall everything. A practical issue might be you're rendering your device unusable, if you e.g. uninstall something basic to the system. Also, removing their data might be an issue on re-install. So if you really have need for this, here's my recommendation:
1. Get ADB installed on your computer (either via the [full Android SDK](http://developer.android.com/sdk/) -- or using a minimal installation, see [Is there a minimal installation of ADB?](https://android.stackexchange.com/q/42474/16575)
2. Make a backup of the app you're going to uninstall to be prepared in case something goes wrong. You can use `adb backup` for this, which backs up the app including its data.
3. Make a copy of the app's `.apk` file for a re-install. You can use `adb pull` for this. The `.apk` is located in `/system/app`, so your command could look like `adb pull /system/app/Browser.apk .` to copy the browser's `.apk` from the device to the current directory on your computer.
4. Now that you have two fall-backs, you can try to uninstall the app. Again using ADB, you first call `adb shell`, then you need to become root (`su`), and now you can use the `pm` (package manager) tool to `pm uninstall com.package.name`. You can also remove the `.apk` from `/system/app`.
To re-install the app, you simply copy the `.apk` back to `/system/app`. To restore the data, you can use `adb restore`.
Note that dealing with system apps always bears the risk to render your system unusable. So it's always recommended to make a complete backup (best using Nandroid backup from your custom recovery) *prior* to such operations -- so in the worst case, you can go back to where you've started.
Dealing with the "The process X has stopped unexpectedly" error
---------------------------------------------------------------
There are several ways to deal with this error. To my knowledge, none of them includes uninstalling a system app.
* if the app in question is a user app
+ delete its cache. If that doesn't help:
+ delete its data. If that still doesn't help:
+ delete the app. If that cannot be done due to the app being in a "force-close-loop":
+ boot into [safe-mode](/questions/tagged/safe-mode "show questions tagged 'safe-mode'"), and delete the app from there.
* if the app in question is a system app:
+ pray you've got a good backup :)
+ as with the user app: first try delete cache, then data.
+ nothing goes? Then you've got to do a [factory-reset](/questions/tagged/factory-reset "show questions tagged 'factory-reset'")
Upvotes: 2 <issue_comment>username_2: The best thing to do is to make a backup, and do a factory reset.
Upvotes: -1 |
2013/05/10 | 222 | 985 | <issue_start>username_0: I'm stuck to this problem. I used to have a google account which is now deleted and not existent anymore. I have a new Google account. The problem is that in my Android device when I have to go to Google Play, the default username is the old one. How can I change it?<issue_comment>username_1: You can try adding another gmail account through the "accounts & sync" (or whatever your manufacturer calls it) section of the Settings. You *may* be able to choose that other account when you visit the Play store, depending on your specific device. In many cases, however, the gmail account you used when you activated the device for the first time can only be changed by performing a factory reset of the device.
Upvotes: 1 <issue_comment>username_2: If you go to Settings->Accounts->Google, do you see your old account there? if so, delete it.
Also try and go to play store settings and make your current email address the default address that you use
Upvotes: 0 |
2013/05/11 | 803 | 3,107 | <issue_start>username_0: My galaxy mini was running GB 2.3.6. I recently rooted my phone and installed CM 7.2. Now it looks like my battery is getting drained a little quicker than before. From what I have heard CM increases performance while giving a better battery life. So is my case an exception? Can somebody suggest methods to increase battery life after installing Cyanogenmod?<issue_comment>username_1: It Depends. yes, depends on your settings (Auto Brightness, Wifi Scan interval, GPS, Auto Sync Enabled) type of applications installed (Widgets and its high auto refresh rate) and many more (kernel wakelock) etc.
Just try to check what consumes your battery using [better battery stats](http://forum.xda-developers.com/showthread.php?t=1179809). From that you can identify, what causing battery drain.
Upvotes: 2 <issue_comment>username_2: To answer your question, if you have cyanogen mod installed, no new aps just the rom and you use the phone exactly as you would youse it with your stock rom, yes cyanogen mod will take more battery but at the same time it is more light weight and faster.
So yes cyanogen mod does take up a bit more battery then a stock rom, at least from my experinece with cm.
Upvotes: 2 <issue_comment>username_3: I can think of two reasons why a CM ROM might reduce battery life:
1. CPU governor:
The cpu governor controls the frequency of the CPU depending on the requirement. Your ROM might be using a governor that favours performance over battery life. Selecting a governor that achieves a good balance between performance & battery life might help you. You can learn more about cpu governors [here](http://forum.xda-developers.com/showthread.php?t=1856256)
2. Battery calibration:
The battery status is stored in a file called batterystats.bin. Its possible that your phone is using the same batterystats.bin that came with the rom. You can use an application like [Battery Calibration](https://play.google.com/store/apps/details?id=com.nema.batterycalibration&feature=search_result#?t=W251bGwsMSwxLDEsImNvbS5uZW1hLmJhdHRlcnljYWxpYnJhdGlvbiJd) to regenerate this file with new/accurate stats.(a [myth according to this](http://www.xda-developers.com/android/google-engineer-debunks-myth-wiping-battery-stats-does-not-improve-battery-life/))
Upvotes: 3 [selected_answer]<issue_comment>username_4: Just for my experience with the Xperia Mini Pro (3 years of use and the new Note 3:
The stock was more efficient in using the battery even it was filled with bloatware.
Same reason why i am looking this up - to go with some stock modified rom or CM which i like more, but battery is a must...
Upvotes: 0 <issue_comment>username_5: Most of the custom ROMs usually eats little more battery than the pre-installed OS. Cyanogen is optimized ROM, if you have downloaded it from the their official site. Because there are many other developers customizing Cyanogen OS with little more perks and ultimately messing up the performance.
As you have already mentioned, you might have downloaded unofficial CM. Just check the source from where you downloaded.
Upvotes: 0 |
2013/05/11 | 273 | 1,047 | <issue_start>username_0: All over the internet it says there is a five pointed star to the right of the URL in omni bar. This is not the case with the version of Chrome packaged with the Samsung Galaxy S4. How can I create a bookmark?

There's only one button. The tab button.<issue_comment>username_1: Use the bookmark button that is marked in this picture:

Upvotes: -1 <issue_comment>username_1: Hit the menu button (bottom left of the phone) and then click on the star (which will be at the top right of the dialog which appears).
The star is only to the right of the URL on the omni bar on the desktop version of Chrome.
Upvotes: 3 [selected_answer]<issue_comment>username_2: Go to the page that you want to bookmark. Next, click on the left option button on your phone itself. On the very top of the menu that pops up, you will see a star. Click on it and follow the prompts.
Upvotes: 0 |
2013/05/11 | 300 | 1,075 | <issue_start>username_0: planning on moving from the Nexus One to the S.
the only thing I don't like about the S is the 512ram and the 1GB for apps.
I tried to search forums, but found nothing relevant about this quesiton:
Is it possible to partition it something like
```
/system 6Gb
/SD 9Gb
/swap 1Gb
```
?
i'm comfortable flashing custom roms, but i never dealt with partitions.<issue_comment>username_1: Use the bookmark button that is marked in this picture:

Upvotes: -1 <issue_comment>username_1: Hit the menu button (bottom left of the phone) and then click on the star (which will be at the top right of the dialog which appears).
The star is only to the right of the URL on the omni bar on the desktop version of Chrome.
Upvotes: 3 [selected_answer]<issue_comment>username_2: Go to the page that you want to bookmark. Next, click on the left option button on your phone itself. On the very top of the menu that pops up, you will see a star. Click on it and follow the prompts.
Upvotes: 0 |
2013/05/11 | 248 | 980 | <issue_start>username_0: I'm trying to update (Documents to go Main app) in my device.
When I'm trying to install it an error comes out says `an existing package by the same name with a conflicting signature is already installed`.
I have root access on my device. Is there anything I can do?<issue_comment>username_1: Use the bookmark button that is marked in this picture:

Upvotes: -1 <issue_comment>username_1: Hit the menu button (bottom left of the phone) and then click on the star (which will be at the top right of the dialog which appears).
The star is only to the right of the URL on the omni bar on the desktop version of Chrome.
Upvotes: 3 [selected_answer]<issue_comment>username_2: Go to the page that you want to bookmark. Next, click on the left option button on your phone itself. On the very top of the menu that pops up, you will see a star. Click on it and follow the prompts.
Upvotes: 0 |
2013/05/12 | 688 | 2,607 | <issue_start>username_0: I have built an Android app which is locked in landscape orientation. I want to have a live view of my mobile on my PC to make a demonstration of my app. The problem is that the screen doesn't show properly.
I have tested some apps like Droid VNC Server and Airdroid but the problem is that my app's screen is rotated 90 degrees and it seems that these apps were showing my landscape app in portrait mode.
Is there any solution?<issue_comment>username_1: Try using [TeamViewer for Remote Control](https://play.google.com/store/apps/details?id=com.teamviewer.teamviewer.market.mobile). It offers Screen cast functionality.
>
> Provide technical remote support to your android devices using the TeamViewer QuickSupport app and the TeamViewer Host app for Android.
>
>
>
Examples of what the app enables you to do include pushing Wi-Fi settings to the device, transferring files to the device, or controlling the device remotely. Remote control (in the classical sense of a TeamViewer remote control session) is currently available for devices from the following manufacturers:
* Samsung
* Sony
* Acer
* Asus (for business customers)
* Lenovo
* LG
* HTC
* ZTE
Upvotes: 2 <issue_comment>username_2: You might want to take a look at the droidVNC-NG project. The Android VNC server app [droidVNC-NG](https://github.com/username_2/droidVNC-NG) reached version 1.0.0 in early 2021 and we are now looking for contributors to further improve the code and add features.
Upvotes: 1 <issue_comment>username_3: There are many apps for remote controlling Android mobile. You can also try screencasting. Windows 10 has pre-installed software for Android screen mirroring.
1. On Windows 10, click on Start / Connect. You can check here about your device's remote connect support.
2. Turn on Wi-Fi and Bluetooth on a Windows computer and mobile.
Go to Settings (`Win` + `I`) / Devices. Add Bluetooth devices.
3. Select Wireless Display.
4. Press `Win` + `P` to project the Windows' screen.
[](https://i.stack.imgur.com/2UBsvl.jpg)
5. Select duplicate. Your computer screen appears on mobile.
On Google Chrome, you can get add-on tools for connecting mobile and computer. Chrome Remote Desktop and TeamViewer are the apps you can use.
Upvotes: 1 <issue_comment>username_4: My experiences were the best with [scrcpy](https://github.com/Genymobile/scrcpy).
It works over an adb connection, but this adb connection can happen both on an USB connection, and also over wifi (for really hardcore guys, even over VPN).
Upvotes: 2 |
2013/05/12 | 318 | 1,153 | <issue_start>username_0: I have a Samsung Galaxy S2. Before I rooted my phone and I played games like Modern Combat 4, Virtue Tennis, Need for Speed Most Wanted and The Dark Knight Rises. These are games' sd data, I copied in obb folder.
Now I've rooted my phone and I want to install those games but I cant find obb folder in my device. Where do I copy the game's sd data? Can I play these kind of games in a rooted device?<issue_comment>username_1: Even if you didn't find it, that shouldn't be a problem. Just create a new folder. Name it `OBB`, and copy your game content in there.
Upvotes: 0 <issue_comment>username_2: Create that `obb` folder in `Android` folder.
Upvotes: -1 <issue_comment>username_3: Here is a backup tool by <NAME> (aka Koush) : [Helium Backup](https://play.google.com/store/apps/details?id=com.koushikdutta.backup&hl=en)
Using this you can backup complete app including data and restore it back. Just backup on your device, copy the files to your other device and restore it back.
I've tested it personally and it works flawlessly on non rooted devices.
Try this and let me know if you face any issues.
Upvotes: 1 |
2013/05/12 | 327 | 1,247 | <issue_start>username_0: I listened to some of my music library on Google Play for the first time, and unbeknownst to me, it started to download the whole library (12,00 plus tracks) to my phone, completely using up my storage. I can't find ANYTHING that allows me to stop it or limit it's downloading. Has anyone else had similar problems?<issue_comment>username_1: If you are using the Google Play Music app Touch Menu on your device and see if Keep on device is checked. If yes uncheck it. You can also touch the blue pin to stop making it available offline. For more information on this go to <https://support.google.com/googleplay/answer/1250232?hl=en>
Upvotes: 1 <issue_comment>username_2: I found this article below that was helpful for cleaning up what I didn't want and keeping the free music that I did want. Instructions:
* Select "Free and Purchased" in the left side menu (or where ever the menu is, google may change this tomorrow :P )
* You can then use shift-click to select multiple items.
(Shift-click: Hold shift down and then click the top song to delete, scroll to the bottom and hold shift again and click the last song you want to delete.)
<https://productforums.google.com/d/msg/apps/E3mRmjLwMjk/SfYzCXb33WwJ>
Upvotes: 0 |
2013/05/12 | 456 | 1,711 | <issue_start>username_0: How can I display my Android ICS Samsung Galxy S3 Screen on a Laptop or Monitor Screen? Are there any fast quick programs which do this?<issue_comment>username_1: There are lot of apps to do that. One is droid@screen; you need to have access to Android development toolkit for that though.
Extremely sorry for not providing the links, here are the links
droid@screen <http://droid-at-screen.ribomation.com/> please install the USB drivers of you phone, instructions about how to use it is given there on the site.
If it asks for ADB you need to download Android SDK from here <http://developer.android.com/sdk/index.html> (Got to other platforms, download SDK. ) ADB will be present in platforms tools inside the SDK
Upvotes: 4 [selected_answer]<issue_comment>username_2: Well, recently Teamviewer came out with something called Teamviewer QuickSupport...
For your android device, go to
<https://play.google.com/store/apps/details?id=com.teamviewer.quicksupport.market.samsung&hl=en>
then download it onto your android. then go to www.teamviewer.com, download teamviewer, install it for free use, and then create an account. then, on your android, click on the quicksupport app. it will open and give you a number. open teamviewer and type in that number. it will connect. voila!
Upvotes: 2 <issue_comment>username_3: I use cable from galaxy's audio jack to projectors video input...
Upvotes: 2 <issue_comment>username_4: I use [Screen Stream](https://play.google.com/store/apps/details?id=com.mobzapp.screenstream.trial). It sends my screen to VLC.
I am happy with it.
Upvotes: 2 <issue_comment>username_5: I Use A/V cable connected from android jack out and tv in
Upvotes: -1 |
2013/05/13 | 1,256 | 4,637 | <issue_start>username_0: Aware that this is a bit mental, but can I install Ruby on a Galaxy S4 running Jelly Bean 4.2? A console where I can install gems, rake routes and run the Rails server, and browse to my application by putting 0.0.0.0.3000 into Chrome?
Would be excellent for testing *little* ideas and concepts I have while on the go!
Aware that Android isn't UNIX, but good God if they can install it on Windows, they can install it anywhere!<issue_comment>username_1: In theory, yes you could do this, but there would be some significant limitations. You'll almost certainly need a *rooted* Android device.
For instance, you wouldn't be able to just `gem install anything` and have it work. The problem is, the phone is too resource-limited to run a compiler, so you can't compile either Ruby, or any gem that needs native libraries.
So the first way I'd go about this would be to cross-compile ruby and RubyGems with the [Android NDK](http://developer.android.com/tools/sdk/ndk/index.html) and then side-load them onto the device. At this point you've got `ruby` and `gem` and can start experimenting.
Upvotes: 0 <issue_comment>username_2: The Android Scripting Environment [said to plan on Ruby](http://google-opensource.blogspot.de/2009/06/introducing-android-scripting.html). Might be worth a check how far they got; at least they're tagged "JRuby" at Google Code. According to [their project page](http://code.google.com/p/android-scripting/):
>
> Scripts can be run interactively in a terminal, in the background, or via Locale. Python, Perl, JRuby, Lua, BeanShell, JavaScript, Tcl, and shell are currently supported, and we're planning to add more.
>
>
>
But be also aware of:
>
> SL4A is designed for developers and is alpha quality software.
>
>
>
An interesting article on this topic which you might want to read is [Hacking Android during the holidays](http://www.androidza.co.za/hacking-android-during-the-holidays/). It describes an (successful) attempt to setup and use SL4A to be used with a.o. Ruby.
Upvotes: 3 [selected_answer]<issue_comment>username_3: Actually, I modified CyanogenMod to create empty "/bin, /lib, /usr, /var, /svr, /home, /media, etc, etc" and then modified "${source\_root}/system/core/include/private/android\_filesystem\_config.h" to include rules for the directories and then modified my external sdcard so it wouldn't mount as fuse or with the sticky bit set (it would set root:sdcard\_rw ownership to all file inside) and after start up I ran a script that mounted the Linux arm root directories on the external sdcard to the empty versions in Android's root. The embedded version of glibc was used with a Kali Linux armhf chroot image I created, but it didn't have ruby or metasploit. So I followed some directions about compiling ruby 1.9.3 with svn or something and then used that to install metasploit, the only thing was that postgresql didn't work because socket and file creation are very permission sensitive and sockets may have been involved, so no postgres database, have yet to try to connect to a db on another host though. Apache2 worked, I did the whole /etc/init.d/apache2 start and viola, "It Works!" you know that if you've seen it.
So in short, yes, you can compile ruby and many more programs on Android, glibc just has to be available, ie /lib directory and contents on Linux.
And as a side note, I used a Galaxy S III Sprint with 2GB of RAM. Python works great, I just started experimenting with Unix sockets with python, they connected in /sdcard but I need to learn more about Android's security policies on sockets and database creation before I move any further with getting metasploit and working with a database working on Android + glibc.
Upvotes: 0 <issue_comment>username_4: this can be done
1. Compile Ruby and Nodejs for android
2. Install on device and configure with c/c++ ide (You can use C4droid,CCTools,Terminal IDE.... for installing the expansion modules on с/с++)
3. Install rails ($gem install rails)
example:
[](https://i.stack.imgur.com/ZE0yI.png) [](https://i.stack.imgur.com/H26y3.png) [](https://i.stack.imgur.com/lN77L.png)
(Click image to enlarge)
Upvotes: 3 <issue_comment>username_5: As for ruby, you may try [Termux](https://termux.com/).
With batteries included. Can you imagine a more powerful yet elegant pocket calculator than a readline-powered python console? Up-to-date versions of perl, python, ruby and node.js are all available.
Upvotes: 2 |
2013/05/13 | 767 | 3,016 | <issue_start>username_0: I just purchased a samsung galaxy s2 from Virgin Mobile on the 7th of May 2013. Have it activated on the 8th of May 2013. Can anyone tell me why my Android OS would have used up 1.75 GB of data in that amount of time. Not to mention the slow data speeds I am receiving I could barely download anything unless I waited a very long time and had very poor internet connections. was constantly getting webpage not available every time I used the Google search. Have had many conversations with virgin mobile to no avail. Can anyone help or at least explain to me what is happening here?<issue_comment>username_1: Well, I'm guessing you went to the "Data Usage" option in the Settings Menu in order to find out how much data has been transferred.
If so, this screen will also list each of the applications that participated in that transfer and how much each one has transferred. Look for the one(s) that did most of this huge transfer.
If they're non-standard apps (like Chrome, Maps, etc), disable them: Settings->Apps->All, click on app, click "Disable" and "Force Stop". Or better yet just uninstall them.
If they are standard apps, but you thing they're doing a lot more transfer than they should (i.e. Chrome transferring 1 gb in one day) you may have some virus or exploit or something like that. In that case you could try one ofthe AV programs:
<https://play.google.com/store/apps/developer?id=Android+Antivirus&hl=en>
though I've never tried any of those myself so I can't tell you how good they are. One other way to go in this situation is to wipe out everything (do a factory reset).
Upvotes: 1 <issue_comment>username_2: Phones always use more data than normal in the first day or so, particularly if you didn't connect it to wifi while it was being set up.
Things that happen in the first day will be checking for (and downloading and installing) OS updates (which can be large), downloading and installing new apps (some of which could be large), syncing data down from the cloud to apps for the first time, syncing data and apps down from backed up Android data to your device.
You might also want to see these previous questions for more info:
* [How to monitor the amount of data traffic?](https://android.stackexchange.com/questions/45/how-to-monitor-the-amount-of-data-traffic)
* [Minimizing data usage for users with data caps](https://android.stackexchange.com/questions/9717/minimizing-data-usage-for-users-with-data-caps)
Upvotes: 2 <issue_comment>username_3: I finally found the solution, the problem is from apps running in the background. I'.m using the S4 on Android 4.2.2
This fixed the problem for me Got to SETTINGS\CONNECTIONS\DATA USAGE scroll and you will see all App's running and their offending data usage on the right of the screen. In my case vMYeyePro was using large amounts of background data 1.2gb in a week. Tap on the App scroll to the bottom and you will see RESTRICT BACKGROUND DATA put a tick in this box and Voilà
Jobe done
Upvotes: 0 |
2013/05/13 | 805 | 2,969 | <issue_start>username_0: How can I reset website permissions on Chrome for Android?
I have face detection software hosted on my home server (192.168.1.7:8020), and if I go to 192.168.1.7:8020/face-detection.html I used to get a notification about my tablet camera usage. Every time I clicked "allow" it would work.
But I missed "allow" button today and clicked "reject". Now I can't find where or how to reset media permissions for this particular page/site.
I'm on Nexus 10 with Android 4.2.2 (3.4.5-gaf9c307) using Chrome 26.0.1410.58 with WebRTC flag on.<issue_comment>username_1: Well, I'm guessing you went to the "Data Usage" option in the Settings Menu in order to find out how much data has been transferred.
If so, this screen will also list each of the applications that participated in that transfer and how much each one has transferred. Look for the one(s) that did most of this huge transfer.
If they're non-standard apps (like Chrome, Maps, etc), disable them: Settings->Apps->All, click on app, click "Disable" and "Force Stop". Or better yet just uninstall them.
If they are standard apps, but you thing they're doing a lot more transfer than they should (i.e. Chrome transferring 1 gb in one day) you may have some virus or exploit or something like that. In that case you could try one ofthe AV programs:
<https://play.google.com/store/apps/developer?id=Android+Antivirus&hl=en>
though I've never tried any of those myself so I can't tell you how good they are. One other way to go in this situation is to wipe out everything (do a factory reset).
Upvotes: 1 <issue_comment>username_2: Phones always use more data than normal in the first day or so, particularly if you didn't connect it to wifi while it was being set up.
Things that happen in the first day will be checking for (and downloading and installing) OS updates (which can be large), downloading and installing new apps (some of which could be large), syncing data down from the cloud to apps for the first time, syncing data and apps down from backed up Android data to your device.
You might also want to see these previous questions for more info:
* [How to monitor the amount of data traffic?](https://android.stackexchange.com/questions/45/how-to-monitor-the-amount-of-data-traffic)
* [Minimizing data usage for users with data caps](https://android.stackexchange.com/questions/9717/minimizing-data-usage-for-users-with-data-caps)
Upvotes: 2 <issue_comment>username_3: I finally found the solution, the problem is from apps running in the background. I'.m using the S4 on Android 4.2.2
This fixed the problem for me Got to SETTINGS\CONNECTIONS\DATA USAGE scroll and you will see all App's running and their offending data usage on the right of the screen. In my case vMYeyePro was using large amounts of background data 1.2gb in a week. Tap on the App scroll to the bottom and you will see RESTRICT BACKGROUND DATA put a tick in this box and Voilà
<NAME>
Upvotes: 0 |
2013/05/13 | 384 | 1,477 | <issue_start>username_0: I'm having a network problem with my Samsung Galaxy Young (S6312) device. Sometimes while trying to make a call, even though the signal indicator shows 2 or 3 bars, the device displays a message like "Not registered on network" and the call doesn't get through.
Also, sometimes while my mobile data is turned on it doesn't connect to the internet. I have set the mobile network to the GSM/WCDMA(AUTO) mode.
Is there any solution for this?<issue_comment>username_1: I have had a similar problem to this. In my case, it was caused by the SIM card coming loose. Try the following steps:-
* Turn the phone off completely
* Remove the SIM card
* Reinsert the SIM card
* Turn the phone on again
and then see if you can make a call and use mobile Internet. If it happens repeatedly, you might need to wedge a small piece of paper in with your SIM card to keep it in place.
Upvotes: 1 <issue_comment>username_2: Is it an unlocked phone, my Samsung galaxy 2 can do the same thing. I have a Vodafone sim in it, but live in an area that SD does not get a Vodafone signal, only Optus (have Optus Nokia phone also) and the Samsung shows me a full 4 bars, and if I try to make a call it will show network not registered. When I get to an area that I know I will get a Vodafone signal I some times have to go into settings a tell it to use the Vodafone network. A bug as I see it as it knows what sim you have so it should ignore other networks.
Brian
Upvotes: 0 |
2013/05/13 | 314 | 1,190 | <issue_start>username_0: My daughter would like to copy (not transfer) her songs, pictures and a movie she has on her Galaxy S 4 G cell phone over to our PC. How can she do this?<issue_comment>username_1: I have had a similar problem to this. In my case, it was caused by the SIM card coming loose. Try the following steps:-
* Turn the phone off completely
* Remove the SIM card
* Reinsert the SIM card
* Turn the phone on again
and then see if you can make a call and use mobile Internet. If it happens repeatedly, you might need to wedge a small piece of paper in with your SIM card to keep it in place.
Upvotes: 1 <issue_comment>username_2: Is it an unlocked phone, my Samsung galaxy 2 can do the same thing. I have a Vodafone sim in it, but live in an area that SD does not get a Vodafone signal, only Optus (have Optus Nokia phone also) and the Samsung shows me a full 4 bars, and if I try to make a call it will show network not registered. When I get to an area that I know I will get a Vodafone signal I some times have to go into settings a tell it to use the Vodafone network. A bug as I see it as it knows what sim you have so it should ignore other networks.
Brian
Upvotes: 0 |
2013/05/14 | 1,290 | 4,536 | <issue_start>username_0: When I'm listening to my podcasts, with the screen locked and turned off, isn't there a way to enable change the sound volume (with the physical volume buttons)?
**--update**
I'm on a Motorola Razr D3.<issue_comment>username_1: That most likely depends on what phone and interface you have. On, say, a Galaxy S3 with the stock TouchWiz UI, when music is playing in the Samsung player or in Google Play Music, the volume control is enabled at the lock screen. On some other devices, it may not be possible. May I suggest editing your post to include which phone model you have?
Upvotes: 2 <issue_comment>username_2: In CM they have a hack (or implementation) so that you can change the volume over the lockscreen by pressing the volume up/down key. Also pressing it multiple times will seek/change the track. Now I had two cellphones Optimus one from LG (GB) and another mobistel clone (running ICS) and the CM rom worked for both of them. Firstly requesting, include the model of your phone here and if possible check for some GB/ICS rom to have this feature by default.
**EDIT**: Is this device the same you have? <http://get.cm/?device=solana>
In case you are - cheers ! you are going to be a cyanogener shortly :) Try for a nightly build. I must not say they are super stable but you can get a feel of it, assuming you are running a root device.
Upvotes: 1 <issue_comment>username_3: [VLC](https://play.google.com/store/apps/details?id=org.videolan.vlc.betav7neon) supports such a feature. It is the official Android version of the world-famous [VLC media player](http://www.videolan.org/). You can change the volume of what you are listening with it while your phone screen is locked. It is available for free on the Google Play Store. VLC is still in Beta status however it is quite stable and it works well.
It should be noted that VLC is only available for devices with a ARMv7 hardware architecture. And it is the case of the Motorola RAZR D3. ;-)
Upvotes: 1 <issue_comment>username_4: If you are wearing a headset when listening to your podcasts (which I assume), and those are wired and provide a physical button for play/pause, there might be an additional option using physical controls:
The playstore offers a bunch of [headset control apps](https://play.google.com/store/search?q=headset+control&c=apps) -- some of them manufacturer specific, others explicitly manufacturer independent (in praxis, both mostly work manufacturer independently -- it just might take you a while to find the one working best with your headset). Those utilize the single button most headsets offer to perform different tasks. For volume control, with most of them long-pressing the button increases volume, while a short press followed by a long one decreases volume (in both cases, until either you let go of the button or the volume reaches the end of its scale, whatever happens first).
I personally tried two of them: first I used [JAYS Headset Control](https://play.google.com/store/apps/details?id=se.jays.headsetcontrol), which worked fine for increasing, but failed in 90% for decreasing volume -- which I address to the fact that I don't have a Jays headset. So having a Philips headset, I tried [Philips Headset](https://play.google.com/store/apps/details?id=com.philips.cl.headset) next, and as expected it worked perfectly.
[](https://lh3.ggpht.com/9wdTWmP5kaBSkcbsL6aph11F2PpqJ7sKB1Yi_b-RldAY7cxwM3fb0Gn_lOqHJ6JPAQ) [](https://lh5.ggpht.com/C-FVdt_W9RG3mjmmtt5tn9bpXBRs02KJHW1wUxhf_yHEssY7UP4dfFdGqH8PljhUww) [](https://lh4.ggpht.com/c5qp6q_CI2lZDpmrU6WRfSITFC9gWv4d_sgamfzYcC0GvyBuV8ditXoup7mlN61BS-LD)
[JAYS Headset Control](https://play.google.com/store/apps/details?id=se.jays.headsetcontrol), the rather device independent [HeadsetButton Controler](https://play.google.com/store/apps/details?id=com.kober.headset), and [Philips Headset](https://play.google.com/store/apps/details?id=com.philips.cl.headset) (Source: Google Play; click images for larger variants)
As you can see by these example screenshots, "command sequences" seem to be almost standardized (for combinations up to 3 presses, that is -- the "quadruple click" seems to be an added speciality of *HeadsetButton Controller*). So if you want/have to switch at a later time, you do not even have to change your customs regarding this :)
Upvotes: 1 |
2013/05/14 | 276 | 1,172 | <issue_start>username_0: I basically use internet using wifi which provides a very high speed internet and LAN connection. I would like to simulate a slow speed internet and LAN connection to understand how my web site works on slow speed. Is there any app that I can install on the android phone and simulate it?<issue_comment>username_1: There is no such setting on Android phones, but you can use the Emulator for this. Install the Android SDK from [developer.android.com](http://developer.android.com/sdk/index.html) and launch it. On the DDMS view undet the `Emulator control` tab, you'll find the following options:

After you have created an emulator and ran it, you can set these values according to your preferences and test how different networks affect your site.
Upvotes: 3 <issue_comment>username_2: When using Emulator is not an option for testing certain functionality (frequently), our team hot-spots for physical Android devices with an iOS device and uses the Network Link Conditioner on that. Obviously, for some this isn't an option, but it works very well and is easy to implement.
Upvotes: 2 |
2013/05/14 | 912 | 3,313 | <issue_start>username_0: Is it possible (in built or via an app) to silence the phone when it's connected to a particular wireless network, and then unsilence it when the network is out of range.
Use case : When I'm in the office on the company's wifi I want my phone to be quiet, but when I'm back home (or not connected to a wifi, e.g. outside) I want the ringer volume back.<issue_comment>username_1: This isn't built-in functionality, but it's something you could achieve with a trigger/event app such as [Tasker](http://tasker.dinglisch.net/). This kind of app runs in the background, and lets you configure certain actions to take (such as turning off the ringer) when certain events occur (such as seeing a particular Wi-Fi network). Tasker's not the only such app, but it's very complete and has some users who contribute to this site, which means that if you have questions setting it up you can probably get them answered here. See [tasker](/questions/tagged/tasker "show questions tagged 'tasker'").
Upvotes: 4 [selected_answer]<issue_comment>username_2: The [Llama - Location Profiles](https://play.google.com/store/apps/details?id=com.kebab.Llama&feature=search_result#?t=W251bGwsMSwxLDEsImNvbS5rZWJhYi5MbGFtYSJd) application should help too. This application uses phone masts around you to determine your location and switch profiles.
>
> Llama uses phone masts to determine your location, so that you can
> change your ringer, vibrate and ringtones depending on where you are
> as well as the time of day. Llama provides you with sound profiles so
> you can quickly switch between quiet, loud, silent and normal sound
> settings. You can set your family, wife and children to ring even if
> your phone is set to silent! You can create events and home screen
> shortcuts to manage your sound profiles and more:
>
> -Silence your phone at work
>
> -Turn your Bluetooth on ready to connect your headset for a morning run
>
> -Set your phone quiet when it's late at night and you haven't gone out
>
> -Start the music player when a headset is connected
>
>
>
Upvotes: 2 <issue_comment>username_3: I personally recommend [AutomateIt](https://play.google.com/store/apps/details?id=AutomateIt.mainPackage&feature=nav_result#?t=W251bGwsMSwxLDMsIkF1dG9tYXRlSXQubWFpblBhY2thZ2UiXQ..). Not only can it achieve what you are wishing for, but it can also save you some battery life too. The app lets you scan surrounding cell towers in order to determine location. So in this manner you can silence your phone as soon as it connects to a nearby cell tower at your workplace. This way you save some juice by not having to keep your wifi on to determine location.
Give it a try, and if you love it enough, upgrade to the Pro version to make fancier rules that can better suit your needs.
Upvotes: 2 <issue_comment>username_4: I wrote an app that might be able to help you - [Free Busy Silent Mode](https://play.google.com/store/apps/details?id=net.zlift.fbs).
You can use the location feature in your office, and it shall auto silent/vibrate your phone when you are inside the radius
Upvotes: 2 <issue_comment>username_5: User rules in Android 11 - System, Rules.
[](https://i.stack.imgur.com/Ehp4W.png)
Upvotes: 2 |
2013/05/14 | 374 | 1,539 | <issue_start>username_0: My internal memory is 1 GB. After I reboot it changes to 64 MB. When I check the space on internal storage, I only see built in apps and shows no free space.<issue_comment>username_1: No, there is no way to increase internal memory; this is installed at the factory and is fixed. You can, however, free up existing space on your internal memory by removing apps, cleaning out caches and deleting end user files that are stored there. Modifying stock apps (ie, removing bloatware) usually requires a rooted device, and will prevent you from receiving over the air updates as well as most likely voiding your warranty.
Upvotes: 1 <issue_comment>username_2: Look under Settings / Applications / Memory then narrow down to "running", and see what is taking room.
Before I found "running", I noticed that NFS Shift and Let's Golf took a very large amount of "memory" (akin to disk space) so uninstalled them.
Then under Running, I could see if there were any things running that I didn't want, in my case skype was running (I use the chat), IMO was running (I use the chat), etc. but if I'd have found things I didn't want running I would see what I could do with them.
Upvotes: 0 <issue_comment>username_3: The best solution is to swap the 'Storage Memory's ' . It's to swap internal to external and external to internal.
If your phone's rooted it may be easy just to edit a file(depending on the model).
So better search `How to Swap Internal and External` for your model.
Better search XDA forums.
Upvotes: 0 |
2013/05/14 | 353 | 1,296 | <issue_start>username_0: I don't quite like the new design of the play store, and wish to stay with version 3 of it.
Is it possible (by root if needed, and I think it is needed) to disable it from auto-updating?
Will I even miss anything from the new versions ?<issue_comment>username_1: For now, the only solution I've come up with is to use the really old 2.3.6 version of the market app.
This is the only one that doesn't auto-update itself.
In order to install it, you have to uninstall the play store, install it, and convert it to a system app.
If you wish, you can use titanium backup to backup the old version for later use.
Upvotes: 1 <issue_comment>username_2: You can try to found out the Play Store update IP address and have it blocked using the
iptables tool (using busybox)
Upvotes: 0 <issue_comment>username_3: Here is how you do it:
* Open Play Store
* Tap the top left corner to open the menu
* Select "Settings"
* Under "General" there is an "Auto-Update" with 3 options
Upvotes: -1 <issue_comment>username_4: The only way I've been able to do it is with [Lucky Patcher](https://www.luckypatchers.com/download/). It has a "custom patch" for the play store that disables the self updating. It may not work with all versions but it worked for me running 4.9.13
Upvotes: 0 |
2013/05/14 | 612 | 2,327 | <issue_start>username_0: what if you dont have internet service on your android devices but still want to use the wifi to transfer files. I have found there are many ways to transfer files but they all use the browser and need it to get on line and bluetooth is not an option on my tablet which is android also<issue_comment>username_1: I use ES file explorer. It lets me access my home network disk drives via WiFi.
To test this, I opened my phone to the DCIM photo area, press/hold one file, "copy to" then navigated UP from the SD card, where it gave me my network connections (which I'd already browsed to with ES File Explorer).
I could then navigate down to a directory and say [OK] and the file went to my NAS
I was able to view it (or transfer it) on another machine just fine.
IF you want to use WiFi directly from android device to android device, then both need to be able to go into "Ad Hoc" mode which means something like "without a central WiFi router". I doubt that's in the "settings" but there may be something in the app store. (Sorry I refuse to use that new name Google gave the app store, as I am serious, not playing around). haha.
Upvotes: 2 <issue_comment>username_2: You might want to take a look at WiFi Direct and alike. There are several apps on the Playstore making use of this, like e.g.
* [SuperBeam | WiFi Direct Share](https://play.google.com/store/apps/details?id=com.majedev.superbeam) (with a fall-back to "hotspot mode" in case of WiFi Direct problems: one device creates a hotspot, the other connects to it)
* [WiFiShare : Share Files Freely](https://play.google.com/store/apps/details?id=com.iiitd.muc.wifishare) states it *brings WiFi-Direct like functionality on lower version of Android, it also enables to send large size files to multiple people at a time* -- which I understand as it does not depend on WiFi Direct, but emulates it itself.
* [Fast File Transfer](https://play.google.com/store/apps/details?id=com.floriandraschbacher.fastfiletransfer) utilizes WiFi tethering to achieve the same. The description states you could even send files to an iPh\*\*e (censored ;) It plugs into the "Share" menu.
* [WiFi Shoot! WiFi Direct](https://play.google.com/store/apps/details?id=com.budius.WiFiShoot) uses WiFi direct
One of those should be fitting your needs :)
Upvotes: 1 |
2013/05/14 | 608 | 2,220 | <issue_start>username_0: According to the [Android Developer Dashboard](http://developer.android.com/about/dashboards/index.html), the market share of Android 3.2 is only 0.1%, and no other 3.x version has even as much as that. Versions 2.x and 4.x have all the market share.
Can someone please explain why there's a whole major version of Android that is apparently unused, while the previous and the next major versions are in wide use? Was 3.x quickly replaced by 4 and all devices forced to upgrade? What would have made 3.x so bad that no one uses it?<issue_comment>username_1: * Honeycomb was a tablet-only version of the OS
* It was only ever released for a few devices
* The source code was ~~never released~~ not released until the source for Ice Cream Sandwich was available, and even then the Android devs noted that 3.x source was not complete
* It never had much in the way of market share
See also:
* [What percentage of devices have each of the Android versions?](https://android.stackexchange.com/questions/4447/what-percentage-of-users-use-each-of-the-android-versions?rq=1)
* [Is Android 3.0 Honeycomb only for tablets?](https://android.stackexchange.com/questions/5280/is-android-3-0-honeycomb-only-for-tablets?rq=1)
Upvotes: 4 [selected_answer]<issue_comment>username_2: To build on [<NAME>'s answer](https://android.stackexchange.com/a/45449/16575):
Yes, 3.x was a tablet only version of Android. The user base is phone dominated until more recently, but now Android tablets are coming with 4.x. Since the first Android tablets came out with 2.x (the first Galaxy Tab) I am assuming that there was an initial tablet crowd that picked that up instead of an iPad, which was dominant in the market at the time to begin with, and then when 3.x came out there was some hesitation for the unfamiliar since there was no way of knowing what 3.x was like since it was not available for the phones that users already possessed.
Upvotes: 1 <issue_comment>username_3: For a Vendor to release a 3.x tablet its hardware needs to be approved by google. Very few vendors hardware was approved to release their Tablet with 3.X version. Devices with 3.x are less in the market so are the downloads
Upvotes: 0 |
2013/05/14 | 197 | 673 | <issue_start>username_0: My HTC Desire X recently updated to android 4.1. With that update, the FM radio disappeared. How can I get it back? I can't find an app the does this in the Play Store. Are there other ways?<issue_comment>username_1: Take a look at this forum: <http://www.htcforums.com/desire-x/12477-updated-4-1-1-no-fm-radio.html>. The only other way (I know) to get a fm radio on your device is to root it or install an .apk from outside the Play Store.
Upvotes: 1 <issue_comment>username_2: Use Spirit Light. Works well on Desire, excellent app.
Upvotes: -1 <issue_comment>username_3: The problem is solved by restarting the phone.
Upvotes: 2 [selected_answer] |
2013/05/14 | 303 | 1,083 | <issue_start>username_0: I'd like to play my music, podcasts, pandora, etc. on a Libratone Airplay speaker in my house.
I bought the Airplay add-on for DoubleTwist thinking it would let me do this, but it appears to only support AppleTV <http://www.doubletwist.com/help/question/what-devices-are-supported-by-doubletwist-airplay/>
The reason appears to be that there's no UI to select a device in airtwist. Instead, you have to broadcast your availability and then pick the device from the AirPlay device. Sadly, most airplay speakers do not have a UI to select devices.
Is there a way to send music to my Libratone or other UI-less Airplay speakers?<issue_comment>username_1: you can always try beta version of our AirPlay & DLNA media streaming app for Android. We are just looking for beta testers! Have a look at our landing page: <http://streambels.com>
Upvotes: -1 <issue_comment>username_2: [Bubble UPnP](https://play.google.com/store/apps/details?id=com.bubblesoft.android.bubbleupnp&hl=en) works great, although I don't find the interface all that easy to use
Upvotes: 1 |
2013/05/14 | 209 | 813 | <issue_start>username_0: just got a galaxy tab 2 today and I would like to transfer the fashion story game my daughter plays on my galaxy s3 phone to it so she doesn't have to start from scratch... she's 8 and found it sooo long to get where she is at<issue_comment>username_1: Use Titanium Backup to backup the game + data and then transfer the backup to your new device where you can use Titanium Backup on the new device to restore the app+data again.
However, please check whether the app is compatible with your new device.
Upvotes: 1 <issue_comment>username_2: Try this app
<https://play.google.com/store/apps/details?id=com.traber.blueappsender>
Using this app you can send the app to another phone or tab.
If you also need the data simply copy the game data folder (mostly in android>data)
Upvotes: 0 |
2013/05/15 | 282 | 1,116 | <issue_start>username_0: I updated my sgs2 [I9100] to JB, I want it to format or wipe that clean and stable install. I can backup everything except wifi keys. I guess kies seems have it, but it was not work before.
How can I export or backup them without rooting? Then which way should I follow to format-wipe-resetfactroy like as a brandnew phone?<issue_comment>username_1: On newer versions of Android, WiFi settings are backed up along with your Google account (If you've enabled it in `Settings -> Backup & reset -> Back up my data`), and restored when you link your Google account back to your wiped or new device.
Note that in my personal experience, the Google backup feature is a bit flaky, sometimes it works, sometimes it doesn't. On new devices it usually works, but when wiping/installing ROMs it may fail.
Upvotes: 1 <issue_comment>username_2: Use Titanium Backup PRO to do so.
Start the app. Tap MENU in the top right corner. Scroll down to the SPECIAL BACKUP / RESTORE section and choose BACKUP DATA TO XML
There - choose Wi-Fi Access Points.
To Restore, choose RESTORE DATA from XML.
Upvotes: 0 |
2013/05/15 | 611 | 2,072 | <issue_start>username_0: In my Samsung Galaxy Grand whenever I select the Gmail icon, it automatically takes me into the inbox, it doesn't ask me to give credentials like we do in laptop/desktop.
So the problem is when somebody else wants to use my mobile, they are able to see my all inbox mails etc etc as soon as they choose the Gmail icon.
So I want it set so that when I access the Gmail icon in Android, it should ask me to give username and password everytime .<issue_comment>username_1: The reason for this is that the Gmail app doesn't have a login function, instead it uses the Google account that you have added to the phone. You either have to add the other person's Google account to your phone and remove it after they've used it (which is time-consuming) or tell them to use the browser to access their Gmail, which can be set to either remember or forget the user, like the desktop site.
Upvotes: 1 <issue_comment>username_2: The solution to your problem is using an "App Locker", which lets you protect selected apps with a password (or pattern). Each time you want to open a protected app, you then have to first "unlock" it. There might also be solutions permitting you to keep the "unlock" cached, e.g. for a confugured time span or place (e.g. when home) -- but as I don't need any app-locker I never remember which app offered that.
Examples for such app-lockers are [Smart App Protector(App Lock)](https://play.google.com/store/apps/details?id=com.sp.protector.free), supporting password, pattern, and even gesture unlock, and [Smart AppLock (App Protector)](https://play.google.com/store/apps/details?id=com.thinkyeah.smartlockfree):
[](https://lh6.ggpht.com/3dDChyAQw2phvTnZgfL4nCDVzXZnH5qSKMICpexP588x5UZ9oILzN2IOZ0HHFnlRJg) [](https://lh6.ggpht.com/hT0hD-9TAB9W7vFifLbsdAwos7AFbZGj-mkp4FUydDx-LOHhzTZ0qmL5mZUq58KJruE)
*Smart App Protector* and *Smart AppLock* (Source: Google Play; click images for larger variant)
Upvotes: 2 |
2013/05/15 | 347 | 1,472 | <issue_start>username_0: Is there any way to send SMS to another device using internet? I don't want to use phone native. I want to use internet to send messages.
I'm not talking about android applications like Viber, WhatsApp Messenger, etc. If we are using those services, other devices we need to send SMS must have installed the same application. But I don't want to do that. If at all, I want to install an app only on my Android device and send SMS to other devices using internet. (other devices means all other devices which can receive SMS -- not only smart phones but also devices like [nokia 1100](http://www.gsmarena.com/nokia_1100-512.php))<issue_comment>username_1: The only way to accomplish this is to use an online SMS gateway, which means you send the message to the service provider via the internet, and they forward it to the recipient over SMS. There are several service providers for this, but mostly they require a subscription, i.e. they're not free. Just google for "sms gateway" to find them.
Some service providers have Android app support, but this depends on your region and the selected service provider.
Note that most service providers don't allow you to use your own number as the sender, therefore the recipient may have a hard time replying to you.
Upvotes: 3 <issue_comment>username_2: Try way2sms.com. You have to subscribe or create an account with them, but then you can send unlimited messages through their gateway.
Upvotes: 0 |
2013/05/15 | 786 | 2,868 | <issue_start>username_0: Using the stock clock in Android 4.2.2 (Jelly Bean) on my Nexus 4, I can add world clocks for other cities around the world by scrolling through the long list of available cities (in alphabetical order).
However, what if I can't find any cities, that I am familiar with, in the respective timezone? The list of cities included in the clock app does not seem to be comprehensive; all the cities covered by the [IANA timezone database](http://en.wikipedia.org/wiki/IANA_time_zone_database) are not included. I do not see any way of adding an additional city, or searching the current list by timezone or even just specifying a timezone?
Am I missing something?
Reference: [List of tz database time zones](http://en.wikipedia.org/wiki/List_of_tz_database_time_zones "IANA timezone database")
---
Example:
--------
My initial problem came about when trying to set a clock for "Central Indonesian Time" (Abbreviated CIT or WITA officially). I know this is UTC+08:00. I also know the tz identifier is "Asia/Makassar". Makassar is the provincial capital of South Sulawesi. This time zone also includes the popular tourist island of Bali, of which the capital is Denpasar (international airport).
But neither of these cities are included on Android and further more, *none* of the [cities mentioned on the Wikipedia page for CIT](http://en.wikipedia.org/wiki/Time_in_Indonesia#Current_usage) are included either. In fact, having trawled through the entire list, there are no Indonesian cities listed in this (Indonesian) time zone!
In the end I used Kuala Lumpur (Malaysian Capital) and assumed it will always be the same (although that is no guarantee, since it is officially a different timezone (MYT) - different government).<issue_comment>username_1: It does not seem to be comprehensive? You don't expect this list to consist every backwoods from all over the world, do you? (BTW this is the android time zone list we are talking about [LIST](https://android.googlesource.com/platform/packages/apps/Settings/+/98f5e1861da4d708e7199b5d563895cf4d2c8db7/res/xml/timezones.xml).)
Android provide [NITZ](http://en.wikipedia.org/wiki/NITZ) feature - your time zone is taken from cellular network you're registered to.
If Nitz fails to work (your cellular network does not send time zone), then you have to find out what time zone you are in and set it manually.
BTW provide a link to "IANA timezone", if you please.
Upvotes: -1 <issue_comment>username_2: It's incredibly annoying that Google doesn't care about those things. If your phone is rooted, fire up a terminal or "adb shell" from a computer. Get a root shell by typing "su" and then:
```
setprop persist.sys.timezone "Asia/Makassar"
```
After restarting the phone, you get "Central Indonesia Time" under "Select time zone", despite the fact that it's not in the list.
Upvotes: 2 |
2013/05/15 | 426 | 1,610 | <issue_start>username_0: I have WiFi router set up. Both my phone and Windows PC connects to the same WiFi. So I tried [ES File Explorer](https://play.google.com/store/apps/details?id=com.estrongs.android.pop&hl=en) to copy shared folders from my Windows PC to my mobile.
However transfer speed goes as high as 570 KB/s but not more than that. Since I configured my WiFi router to allow speed as high as 300 Mbps I am guessing why it cant hit the Mbps speeds. What can I do improve on my speed since I move movies worth in GBs and it takes almost an hour or more. Is it limited by the speed of the mobile and its internals?<issue_comment>username_1: Your phone seems to be a bit older as it runs Android 2.3 - therefore I assume it does not support any faster WLAN connection than 54MBit.
Hence the theoretical maximum would be 54MBit = 6.75 MByte/sec but only if you have just a router and a phone. With your PC in the network each device gets less than that.
Depending on the network protocol used you also lose a lot of speed. SMB/CIFS as used by Windows shares is very ineffective. Better use FTP protocol and suitable client for the best speed.
If that does not improve the performance I would suggest using an sd-card in and sd-card reader directly attached via USB 2.0 to your PC.
Upvotes: 3 [selected_answer]<issue_comment>username_2: I have the same issue on Google Nexus 10. And I've recently find out that this happens only in ES File Explorer. I've downloaded movie using Google Chrome and the speed was 7 000 kbps, but the same file from the same site through ES Exp - < 500 kbps...
Upvotes: 1 |
2013/05/15 | 535 | 1,985 | <issue_start>username_0: I've been charging my Nexus with the original charger for 2 hours. It still shows red LED light when I hold the power button. I've tried everything:
* Different USB chargers
* Holding the volume button with the power button
It just wont work. I'm not the original owner so I can't get another one.<issue_comment>username_1: It sounds like your Nexus may not be getting enough power. Check out this [related article](https://support.google.com/nexus/7/answer/2668668?hl=en&ref_topic=2840575) (for Nexus 7) that sounds like your problem:
Since you are not the original owner, and not under any warranty, perhaps you'd like to try some DIY work. In this case, check out [this article](http://forum.xda-developers.com/showthread.php?t=2250454).
Good luck! I hope this can help you.
Upvotes: 0 <issue_comment>username_2: Possibility 1 (worst case scenario) - since you're not the original owner, you don't know what the previous owner did. In that case it can happen that he/she might have had experimented a bit and formatted the nand or the phone malfunctioned and somehow the nand got formatted i.e full clean no bios(download mode as in android). In this case, your phone is bricked. You can possibly bring it back if you have experience with rooting, custom rom flashing all that stuff. Plus you will need the restore bootloader file for the nexus. I had experimented this: nand formatting on my galaxy s3 showed the same behaviour. Go to the [XDA-Forums](http://www.xda-developers.com/) and search. If you don't have any experience and don't know what I am talking about, I'd suggest taking the phone to a service center.
Possibility 2 (good scenario compared to the previous one) - battery is dead since the nexus's battery is inaccessible: the same solution here, also take it to a service centre.
Upvotes: 0 <issue_comment>username_3: Try to long press power in for about 30s.
Then short press.
This is how I recover after a Nexus4 crash.
Upvotes: 1 |
2013/05/16 | 648 | 2,539 | <issue_start>username_0: I need a specific command line tool and I have made a C program in my Linux shell. I have compiled the program with an ARM cross-compiler. I have then moved the program into the Android file system and tried to run it.
The output is permission denied.
What do I have to do, in order to run my own compiled programs in Android file system?<issue_comment>username_1: I assume that you used adb push for uploading your executable to the sd-card. Unfortunately the sd-card is always mounted with "noexec" which means that you can't execute anything from here.
Therefore you have to copy the executable to the local filesystem, e.g. to /data/local. In case the device is not rooted or you don't have BusyBox installed there will be no "cp" command. You can simply use cat: `cat /sdcard/myprog > /data/local/myprog`.
Then you have to set the executable permission on the executable. Chmod on android usually does not support the "u+x" syntax. Therefore you have to call `chmod 555 /data/local/myprog`.
Afterwards you can execute your executable: `/data/local/myprog`.
Alternatively the directory `/data/local/tmp` can be used. Via adb shell you have full access in this directory. On modern devices (Android 11+) apps can't list files from this directory, but they are still able to execute executables from there if you provide the full path of the executable.
**Update**: On Android 10+, apps that has a targetSDK of 29 or higher can no longer execute anything that is located in their app private directory: <https://developer.android.com/about/versions/10/behavior-changes-10#execute-permission>
Upvotes: 5 <issue_comment>username_2: First, you have to push it into a directory, such as `/data/local/tmp`. Then, you have to set permission for that using `chmod 755 executable`. After that, you can run it as `./executable`.
Complete steps are as follows:
```
adb push executable /data/local/tmp
adb shell
cd /data/local/tmp
chmod 755 executable
./executable
```
Alternatively, if you want to run it from your asset folder, you have to copy the file to your data folder `/data/data/packagename/`. Then using `File` class, set the `setExecutable` flag to `true` for the file and run it by the Process class or third party packages like *Root Tools* .
**UPDATE**
if you are targeting sdk 29 or higher you CANNOT use the binary from your asset folder ! you have to copy your binary to jnilib folder then run it from native library directory ! `context.getApplicationInfo().nativeLibraryDir`
Upvotes: 4 |
2013/05/16 | 938 | 3,554 | <issue_start>username_0: A person that is not expert in computers & technology (including smartphones) bought a Galaxy Mini S3 and asked me some help. He is very old of age.
The problem with this phone is that Wifi drains away lots of power. The battery barely survives half a day. Disabling wifi multiplies the battery duration. It is normal that disabling wifi helps battery survive, but the difference with this phone is dramatic (my S3 "large" lasts more).
The basic idea is to disable wifi when not needed, something that I do every time I go out of home playing Ingress. But that user is not an expert and hardly can be taught how and when to enable/disable wifi. He needs Viber, which he learned how to use, when home. When out of home, no wifi is needed.
I would like to ask if there is any application that can be used to turn wifi on and off depending on the location of the device, possibly avoiding draining battery because of the GPS. I was thinking about coarse location based on cell tower.
I was also thinking about the old [Microsoft On.X](https://www.onx.ms/).
Or, can any other trick be used to make battery last a little longer with wifi on?
An important thing I found: I let the user use the phone mainly in standby for an almost full discharge. Battery meter said that `Android OS` consumed 62% of battery. Wifi was only consuming 6%.
This morning the phone was fully charged. After about 4 hours the battery level, with wifi manually turned off, was of 98%.<issue_comment>username_1: [Tasker](https://play.google.com/store/apps/details?id=net.dinglisch.android.taskerm) is an app that can be used to automate changing settings on your device, based on various events like when you leave range of a wifi AP, or when you enter a geographic area.
You can have a look through the [Tasker tag](https://android.stackexchange.com/questions/tagged/tasker) here for some idea of the jobs it can be used for, and how to configure it.
Upvotes: 2 <issue_comment>username_2: Thanking username_1 and Izzy for the feedback I also want to post two scripts in `On.X`'s Javascript-like syntax
1st script: enable wifi only when home (inspired by a Microsoft script)
```
// Initializing variables
var action = "enter" /* arrive */;
var region = { name : "Home",latitude : XXXX,longitude : XXXX,location : XXXXX } ;
var action2 = "exit" /* leave */;
// End of variables initializing
//Create New region is necescary to set the radius
var myLocation = device.regions.createRegion({
name: region.name,
latitude: region.latitude,
longitude: region.longitude,
radius: 100
});
myLocation.on(action, function(){
device.network.wifiEnabled = true;
});
myLocation.on(action2, function(){
device.network.wifiEnabled = false;
});
device.regions.startMonitoring(myLocation);
```
2nd script, also useful, toggles wifi on charge (supposing the phone is charged at home)
```
var batteryChargingEvent = "startedCharging";
var batteryChargedEvent = "stoppedCharging";
device.battery.on(batteryChargingEvent, function (signal)
{
device.network.wifiEnabled = true;
});
device.battery.on(batteryChargedEvent, function (signal)
{
device.network.wifiEnabled = false;
});
```
Using both shouldn't be a problem unless one uses a portable charger
Upvotes: 0 <issue_comment>username_3: You could also look into an [extended life battery](http://rads.stackoverflow.com/amzn/click/B00AQEBPPE) (usually larger with a custom backplate.) Not really solving the problem, but definitely an option, and maybe simpler.
Upvotes: 0 |
2013/05/16 | 361 | 1,296 | <issue_start>username_0: I have Galaxy S3 GT-I9300 version 4.1.2. Lately it freezes very often and only a restart helps solving that.
I ran Factory data reset, but it does not help.
I don't know how to solve the problem. I bought it less than 1 year ago via E-Bay so I don't know who can help me.<issue_comment>username_1: As a recommendation, try installing a custom ROM like CyanogenMod 10.1. You won't lose your apps, and this happened to me on my BN Nook Tablet (rooted) and installing CM fixed it.
Upvotes: 1 <issue_comment>username_2: This is a known problem with the S3. It's believed to be related to a fix Samsung put out post 4.1.2 to prevent "Sudden Death Syndrome" - where the phone would die and require a replacement. Using different roms has not worked in 100% of cases. Fingers are crossed that the Android 4.2 release which is due out for the S3 later this month will have a fix for this, there's no evidence this is the case. It's believed that the problem is memory related, and there are apps such as Dummy File Generator (<https://play.google.com/store/apps/details?id=jp.nomunomu.dummy&hl=en>) which will fill up the system memory with empty files to try and force some sort of self-correction, but this is also not 100% successful. Perhaps worth a go, though.
Upvotes: 0 |
2013/05/16 | 607 | 1,972 | <issue_start>username_0: I'm running [aCal](http://f-droid.org/repository/browse/?fdfilter=acal&fdid=com.morphoss.acal) on my Samsung Galaxy S / Gingerbread and it isn't updating. Adding events pushes them out to my CalDAV server, but I don't see any events.
In [aLogcat](http://f-droid.org/repository/browse/?fdfilter=alogcat&fdid=org.jtb.alogcat) I see an awful lot of errors:
>
> W/ActivityManager( 110): Permission Denial: broadcasting Intent {
> act=android.appwidget.action.APPWIDGET\_UPDATE (has extras) } from
> com.morphoss.acal (pid=11107, uid=10003) requires null due to receiver
> com.android.settings/com.android.settings.widget.SettingsAppWidgetProvider
>
>
>
and
>
> E/aCal DavParserFactory(14157): IO Exception when parsing XML
>
>
>
I can't figure out how much of this is [aCal](http://acal.me/wiki/Main_Page), how much is my phone, and how much is bad data from my CalDAV server ([Chandler Hub](https://hub.chandlerproject.org/welcome))<issue_comment>username_1: As a recommendation, try installing a custom ROM like CyanogenMod 10.1. You won't lose your apps, and this happened to me on my BN Nook Tablet (rooted) and installing CM fixed it.
Upvotes: 1 <issue_comment>username_2: This is a known problem with the S3. It's believed to be related to a fix Samsung put out post 4.1.2 to prevent "Sudden Death Syndrome" - where the phone would die and require a replacement. Using different roms has not worked in 100% of cases. Fingers are crossed that the Android 4.2 release which is due out for the S3 later this month will have a fix for this, there's no evidence this is the case. It's believed that the problem is memory related, and there are apps such as Dummy File Generator (<https://play.google.com/store/apps/details?id=jp.nomunomu.dummy&hl=en>) which will fill up the system memory with empty files to try and force some sort of self-correction, but this is also not 100% successful. Perhaps worth a go, though.
Upvotes: 0 |
2013/05/17 | 372 | 1,501 | <issue_start>username_0: I'm using Tasker and have a step of List Files. I grab that result and stuff it into `%files`. I then go into a For loop reading `%files` and under items `%files()`. However, this is giving me the full path to the files such as `/storage/emulated/0/Tasker`. All I'd really like is the file name. Is there a step I can do before I enter this loop to truncate the variable results?
Goal would be to just get a list of file names and not the full path.<issue_comment>username_1: You can use a `Variable Split` action with a splitter of `/` to get the pieces, then use `%VAR(<)` to get the filename. If the fact that the full filename is in an array already gives you problems, copy the array element into a non-array variable first.
From your comments, it sounds like you have this code:
```
List files Dir /storage/Tasker/project/test/ Variable %files match *.wav
For Variable %files Items %files()
Variable Split Name %files Splitter /
Popup Text %files(<)
End For
```
It's probably not a good idea to use %files as both the "Variable" and the "Items" portion of the For loop. Try using %file for the Variable, then replace all references to %files inside the loop with %file.
Please correct me if I've not captured your code correctly.
Upvotes: 3 [selected_answer]<issue_comment>username_2: I just used the replace function but left the replace string blank. I chose to replace the directory path with nothing and that left me with an array of filenames.
Upvotes: 1 |
2013/05/17 | 875 | 3,275 | <issue_start>username_0: I have a smaller screen Android Phone (LG Optimus One P500).
**Does anyone know whether there is a keyboard available for Android phones that has an "old phone" style?** Like a numpad style? Here's an image example:

The reason I'm asking for this style of keyboard is:
1. This style uses only 12 buttons. So the buttons are large and very spaced out. You can click on them easily without having to strain your eyes too much.
2. You can quickly keep clicking away without having to spell out each word because the dictionary will take care of that. So "moon" becomes 4 clicks on the numpad 6. How fast is that?
I sure personally feel that lots of people are used to this kind of keyboard layout (from the times before Android became so popular). I don't understand why I can't find keyboards with this kind of a simple layout but I would be very grateful if someone could help me find an app like this.
**Edit:** Forgot to mention. I'm not looking for paid apps right now but would consider it if they have a trial.<issue_comment>username_1: Well...Look for a keyboard that has a T9 layout.
As an example, I use Smart Keyboard Pro (which is a paid app, but [a trial](https://play.google.com/store/apps/details?id=net.cdeguet.smartkeyboardtrial) is available) and you can choose from the full, T9 and compact modes for portrait as well as landscape orientation. There are tons of other customizable options and considering that a keyboard that one is comfortable with, is what allows one to at their productive best, I opted to buy the full version.
 
Upvotes: 2 <issue_comment>username_2: It's not the T9 style that you're looking for, but I use the [MessagEase](https://play.google.com/store/apps/details?id=com.exideas.mekb) keyboard. Here's a sample:

As you can see, it certainly has large buttons. It's also far more capable than any other keyboard I've run across. From the keyboard shown, you can enter lowercase letters, uppercase letters, numbers, symbols, cursor movement commands, and more. Some are entered with a single tap, but most are entered with a simple gesture, such as a swipe or circle.
It also features word completion, which you can see in the screenshot, but I rarely use it, since I find my typing speed is fast enough not to bother with it unless I'm typing a really long word. The learning curve is steep, but worth the effort, in my opinion.
(In case anyone is wondering, I have no association with the development of MessagEase, I'm just a satisfied user.)
Upvotes: 1 <issue_comment>username_3: Try [Multiling keyboard](https://play.google.com/store/apps/details?id=com.klye.ime.latin&hl=en). It's free, it supports multiple languages, it have two numeric layout for you to choose from.

Upvotes: 1 <issue_comment>username_4: You can try GO SMS Pro. It lets you select between 2 different layouts.

Upvotes: 1 |
2013/05/17 | 1,284 | 4,595 | <issue_start>username_0: Is it possible to activate Device Administrator via ADB command instead of tapping
***"Setting -> Security -> Device Administrators --> Select App --> Activate"***
on handheld?
If it's possible, how?<issue_comment>username_1: It's not possible. [The settings code](https://github.com/android/platform_packages_apps_settings/blob/master/src/com/android/settings/DeviceAdminAdd.java) is specifically written to prevent this. The closest you can come is to bring up the **Device Administration Settings** page in the **Settings** app. You can do this with:
```
adb shell am start -S "com.android.settings/.Settings\$DeviceAdminSettingsActivity"
```
Upvotes: 3 <issue_comment>username_2: This *is* possible. You can use android's new tool UI-Automator to click and interact with any view or button on the system including hitting "Activate" for device admin. Here's how:
1. Get [UI-Automator](http://developer.android.com/tools/testing/testing_ui.html) running. (go to "Configure your development environment" and setup a new java project).
2. Write some code to interact with your preferences list and click "Activate". Example:
UiScrollable settingsItem = new UiScrollable(new UiSelector().className("android.widget.ListView"));
UiObject listButton = settingsItem.getChildByText(new UiSelector().className("android.widget.LinearLayout"), "Enable Device Admin");
listButton.click();
(new UiObject(new UiSelector().text("Activate"))).clickAndWaitForNewWindow();
me.celebrateWith(new Beer());
3. Compile it: `ant build`
4. Push the jar file: `adb -d push bin/LookoutTest.jar /data/local/tmp/`
5. Launch your settings activity: `adb shell am start -S "'com.android.settings/.Settings\$DeviceAdminSettingsActivity'"`
6. Run the automation: `adb -d shell uiautomator runtest LookoutTest.jar -c DALaunch`
7. Party.
Upvotes: -1 <issue_comment>username_3: Yes, provided that you've root access. You would have to add the app's receiver and the policy flag in the file `/data/system/device_policies.xml`. For example, to enable [Tasker](https://play.google.com/store/apps/details?id=net.dinglisch.android.taskerm) as Device administrator add the following lines in the said file,
**For Android 5.x:** Remove the last line with if there is already a Device Administrator enabled in the system. Simply add the lines in the file after the line with string .
```
```
**For Android 4.2.1:** Remove the last line with if there is already a Device Administrator enabled in the system. Simply add the lines in the file after the line with string .
```
```
Reboot the device for the changes to take effect.
([Busybox](https://play.google.com/store/apps/details?id=stericson.busybox) required) You can use `sed` or `echo` or any command that you're comfortable with to write the file with those lines. For any help, see my answer here: [How to enable device administrator for specific apps using Tasker?](https://android.stackexchange.com/a/124148)
Upvotes: 1 <issue_comment>username_4: Tested and working on Android 7.0 without root:
```
adb shell
dpm set-active-admin --user current com.company.foo.bar.package/.the.Admin.Reciever
```
To find the admin receiver of an installed package, use the following to adb shell command and review the output:
```
adb shell
pm dump com.company.foo.bar.package | grep ' filter' | cut -d ' ' -f 12 | sort | uniq
```
To give a real world example, here is the command used to activate IBM's Maas360 Android client as a device admin:
```
adb shell
pm dump com.fiberlink.maas360.android.control | grep ' filter' | cut -d ' ' -f 12 | sort | uniq
Output:
…
com.fiberlink.maas360.android.control/.receivers.GoogleCampaignReceiver
com.fiberlink.maas360.android.control/.receivers.LocalEventReceiver
com.fiberlink.maas360.android.control/.receivers.Maas360DeviceAdminReceiver <-- This is the one I want
com.fiberlink.maas360.android.control/.receivers.Maas360SecondaryDeviceAdminReceiver
…
Set Device Admin:
dpm set-active-admin --user current com.fiberlink.maas360.android.control/.receivers.Maas360DeviceAdminReceiver
```
Upvotes: 4 [selected_answer]<issue_comment>username_5: you can set the Device as owner from Android Studio. First go to the adb location which is at Platform-tools in Android Sdk and then run the adb shell command. I have give the full path and you can adjust at your requirement upon changing adb path and package name
```
C:\Users\Owner\AppData\Local\Android\Sdk\platform-tools>adb shell dpm set-device-owner package-name/.MyDeviceAdminReceiver
```
MyDeviceAdminReceiver is the interface.
Upvotes: 1 |
2013/05/17 | 739 | 2,817 | <issue_start>username_0: I recently switched from CyanogenMod to Paranoid Android on my Nexus. I knew I would lose most of my settings, but I felt rather stupid when I realised I had lost all of my carefully defined Pulse Light per-app configurations.
Given that this is quite likely to happen again, **I'd like to know
whether there's a way to back up these settings**.
I'm talking about `Settings > Display > Pulse notification light`,
where you can configure how each specific app should blink and which
colors they should use.
I already use Titanium Backup, but I couldn't find any item in its list
which seemed to regard the pulse light.<issue_comment>username_1: I use [Light Flow](https://play.google.com/store/apps/details?id=com.rageconsulting.android.lightflowlite&feature=nav_result#?t=W251bGwsMSwxLDMsImNvbS5yYWdlY29uc3VsdGluZy5hbmRyb2lkLmxpZ2h0Zmxvd2xpdGUiXQ..) app to control my notifications light. It has an option to backup/restore settings that I have used when flashing new ROM or doing a data reset.
Upvotes: 1 <issue_comment>username_2: On CyanogenMod 11 snapshot M8 I have the notification LED setting in
```
/data/data/com.androdid.providers.settings/databases/settings.db
```
This is the main settings database and contains most (if not all) of them. You probably don't want to transfer the whole bunch, so you have to extract it.
At first, there were 2 files in my backup: `settings.db` (the interesting database) and `settings.db-journal` (its "rollback journal"). The journal contains data that were yet not transferred to the database due to unfinished transactions or maybe for some other reason. Still, before dealing with the database itself, it's better to process the journal. This little (Linux) command did the trick for me:
```
$ sqlite3 settings.db VACUUM
```
After this, the journal should be merged into the database and removed. I've found that the LED settings we are interested in are in the system table. This will get them for you:
```
$ sqlite3 settings.db "SELECT name,value FROM system WHERE name LIKE 'notification_light_pulse%';"
```
I suppose the most interesting ones are:
```
notification_light_pulse_call_color
notification_light_pulse_vmail_color
notification_light_pulse_custom_values
```
I'm afraid I don't know a good way how to transfer those values to your current settings database, though. You should definitely be able to stay with the `sqlite3` tool, maybe use its `.dump` meta-command and then filter it and insert the selected values into your database. This might get messy, though, as the indexes might differ. I'm really no database guy, sorry. Maybe some GUI tool like [SQLite Browser](http://sqlitebrowser.org/) might be easier for the job.
Should someone know a good and easy way I'll be glad to update this response.
Upvotes: 0 |
2013/05/17 | 580 | 2,223 | <issue_start>username_0: I call somebody, or somebody calls me, we are talking. Now, during the call I got SMS and I cannot hear anything because the SMS notification is playing.
So how to disable this notification when call is active? Thank you in advance.
*Samsung Galaxy Ace 2, Android 2.3.*
Note: I am interested in setting this once and for good. Not something I have to remember to switch off each time I make/get a call.<issue_comment>username_1: Since this is of the Samsung Galaxy family, the following may help you:
On my Galaxy S3, the setting is controlled as 'Alerts on call'.
See: Dialer\Call Settings\Call Alert\Alerts on call - uncheck this and calls will not be interrupted with notifications.
Upvotes: 4 [selected_answer]<issue_comment>username_2: I have a Note-5 and one must go to Settings/Device/Applications. Then select "Phone" then "Call Alerts" and then set "Notify during calls" to OFF.
Upvotes: 1 <issue_comment>username_3: We have the same issue with our Wileyfox Swift running stock Android 7/Nougat.
The default/AOSP messaging app plays the received alert through the earpiece during a call, which with our chosen tone was severely deafening let alone annoying.
It seems the default/AOSP messaging app somehow gets around or ignores the "Override Do Not Disturb" setting as shown in the attached screenshot below.
Depending on your firmware the solution may be to simply to toggle the alert options for the app (which has already been kindly pointed out).
If on the other hand this still does not work - like in our case - then another solution is to disable the AOSP Messaging app and install another one.
If you like to keep things standard then Google Messages is worth a try:-
[Google Messages](https://play.google.com/store/apps/details?id=com.google.android.apps.messaging)
Hope this helps.
[](https://i.stack.imgur.com/7oAM6.png)
(Tap to enlarge)
Upvotes: 2 <issue_comment>username_4: For LineageOS 16, I had to go into the Phone app, then Settings -> Sounds and vibration -> Enable Do Not Disturb during calls.
The Do Not Disturb settings can be managed from the device settings (just search for 'do not disturb').
Upvotes: 0 |
2013/05/17 | 676 | 2,550 | <issue_start>username_0: I have an Exchange account, e.g. `<EMAIL>`, that I forward all my emails to from all my other accounts. But I need to reply to these messages using different accounts, e.g. reply to a work email with `<EMAIL>` - how could I do that in Android?
### Default Email App in 4.2.2
Hitting reply on an email in my hub account does not let me change the account to send the reply with (e.g. work account). I can go to my work account and compose a new email there and copy paste the original email and subject and receivers manually, but that is cumbersome.
### TouchDown
Only supports Exchange accounts, but no IMAP, which I need to set up my other accounts.
### Solution?
Is it doable
* With the native app would be best solution (is there anywhere to submit feature requests for Email app?)
* With any other email app that I have not tried?<issue_comment>username_1: You can use Kaiten Mail, an advanced version of K-9 Mail. It supports multiple IMAP, POP3, Exchange 2003/2007 (via WebDAV); but not Exchange ActiveSync.
When you reply to a message, you can change the sender. If you click on the header (email address), a "Send as" dialog will popup.
Upvotes: 1 <issue_comment>username_2: [K-9 Mail](https://play.google.com/store/apps/details?id=com.fsck.k9 "K-9 Mail") allows to choose the "from" mail address when composing a message (or replying to a received message). Click the "from" address field and a pop-up menu will appear which allows you to choose the appropriate account.
K-9 supports pop/imap/exchange(via webdav) accounts.
Pictures for illustration
compose window:

account chooser:

Upvotes: 3 [selected_answer]<issue_comment>username_3: I was going to type only Gmail, but answer has to be at least 30 chars long lol. I have all my emails connected to my gmail account, the same that my android phone use. I am sending emails from like 7 email addresses 4 of them are gmail, 2 other are different email provider, the last one is my own server. You can manage all emails on 1 account and selecting email as sender is as easy as picking the from email in a select box. Only problem I have that sometimes in conversation the mobile app doesnt use the from email I used through this particular conversation and I accidantely send it from my personal email, which I dont give to anyone. I actually found this quesrion when I was searching the solution for this problem.
Upvotes: 0 |
2013/05/17 | 448 | 1,785 | <issue_start>username_0: After the recent update to v.1.0.1.678536 on my Nexus S, I see that it is automatically listing few contacts as "frequently contacted", I don't want to see certain people on that list, and there is no way to remove someone from the "Frequently contacted" list through mobile UI.
I have tried the following:
1) From the Web UI, I have set that contact to "Never Show"
2) I blocked that contact from the Web UI
None of these seems to work. any suggestions?<issue_comment>username_1: I had a couple of undesirable contacts, on my frequently contacted list, on Hangouts as well. I was signed into my account and went to contacts.google.com
On the left side, there is a "Most Contacted" option that you need to click on (It is underneath "Circles"). From there it will show you a list of people that you have contacted most frequently. When I deleted the offending contacts, they were removed from Hangouts.
I have a Nexus 7 so hopefully these tips will help you out.
Upvotes: 1 <issue_comment>username_2: Long press on the contacts name when using hangouts from your phone. you will then have the option to hide the contact. The contact will then no longer show up in your frequently contacted list. If it is a contact that you don't want in your hangouts list at all, go to your gmail account and delete them that way.
Upvotes: 2 <issue_comment>username_3: Frequently contacted is simply displaying what it interprets as 'most contacted' it is NOT a separate list that you can delete... If you delete these they WILL be deleted from your main contacts!! Beware!
Upvotes: 1 <issue_comment>username_4: In your contacts, check if the star near the three dots is dark. If so, tap on it and that contact should disappear from your frequently contacted.
Upvotes: 1 |
2013/05/17 | 1,162 | 4,583 | <issue_start>username_0: About 3 months ago I bought my *LG Optimus 4X HD* (aka P-880), which shipped with Android 4.0.3. I searched the settings up and down, and was quite surprised there were no SIP settings available. I'm very sure SIP support was added to AOSP with Gingerbread, so it had to be there with ICS!
Did LG remove them from their Android installation? Is there any way to get them back?<issue_comment>username_1: Is the SIP functionality really gone for good from the Optimus 4X?
------------------------------------------------------------------
Actually, LG really seems to think their (European?) customers don't need SIP. Most likely official argument will be that carriers either exclude SIP usage from their mobile data plans (at least here in Germany, many do). So they removed it.
Ooops. That was only half true: They removed it from the obvious places, that is. You might not find it in the settings. But luckily, they just removed the link to the settings screen -- all the code still seems to be there!
Ah! Still available! So how to access it?
-----------------------------------------
I found it more accidentally while playing with [Apex Launcher](https://play.google.com/store/apps/details?id=com.anddoes.launcher). Long pressing on a free space on one of the home screens, like you want to add a widget, opens the expected menu. Select "Shortcuts" here. On top of the next screen you'll find an item called "Activities", which I long ignored -- unfortunately! But after [a very interesting chat session with Dan on broadcasts versus intents versus activities](http://chat.stackexchange.com/transcript/message/9423553#9423553), I had to dig into this. And found that:
[](https://i.stack.imgur.com/8EqKE.png) [](https://i.stack.imgur.com/Xth4M.png)
activities of the phone app (click images for larger variants)
The top entry in the first screenshot clearly reads *Sip Settings* -- so I added that shortcut to my homescreen. And what should I say? Yesss! It's the long missed settings screen, from where you can configure your SIP accounts (and define whether you want the device to listen for incoming SIP calls)!
So if you miss something that should be there, this might be a place to look for it. Besides, as reputated users as ASE we're always told to watch out for hidden gems in new places -- so you might want to look further:
[](https://i.stack.imgur.com/sfiwr.png)
list of apps with activities (click image for larger variant)
You see, other apps have also activities they made freely available (they might have even more which are kind of "private" to them). The numbers to the right tell you how much activities the corresponding app has made "public". Try them out! You surely will encounter the one or other force-close when you try to start such an activity (as it might expect parameters), but it cannot hurt. You might find other interesting things!
Are there other ways to discover/call such activities?
------------------------------------------------------
Sure, *Apex* is not the only one. There are other apps available on the playstore which let you explore available activities, such as e.g. [Package Explorer](https://play.google.com/store/apps/details?id=org.andr.pkgexp) or [Stanley](https://play.google.com/store/apps/details?id=fr.xgouchet.packageexplorer). And you also can use e.g. [Tasker](https://play.google.com/store/apps/details?id=net.dinglisch.android.taskerm) to start your discovered activities.
Besides: With that, most of the "shortcut-apps" available on the playstore you won't need any longer this way. Just inspect the Settings app, which seems to declare each and every page it has -- so you can directly jump there from your newly created shortcut!
Does this apply to the *Optimus 4X* only?
-----------------------------------------
For sure not! This functionality should be available on any device. I just cannot promise you to find the SIP settings on all of them. Or anything else you've seen in above screenshots :)
Upvotes: 1 [selected_answer]<issue_comment>username_2: That sip settings are hidden in "activities" below "Telefon", it took me a while to find it. Creating a SIP Account was possible but it was not stored permanently. After closing the sip settings and opening it again it's gone. Still using Vimtura Vimphone as sip dialer.
LG P880 fw v.20b, Android 4.1.2
Upvotes: 1 |
2013/05/17 | 346 | 1,471 | <issue_start>username_0: The camera settings only save it to the phone or the internal virtual SD card. I have installed a 32 bit hispeed SD card. How can you force it to save in the external SD card?<issue_comment>username_1: It varies from phone to phone, but generally in your camera settings you can set a destination. If that's not an option, you can try something more creative with an app such as tasker to have it automatically move pictures that your camera adds to its folder to a different folder on the SD card. If your stock camera app doesn't let you though, there are solid camera apps on the play store that certainly do.
Upvotes: 2 <issue_comment>username_2: If you go to `Camera` > `Settings` > `Settings` you should see `save to device` or `save to internal card`
I have these options on my Samsung Galaxy Note III
Upvotes: 1 <issue_comment>username_3: I have Android 6.0 with the standard Camera app. The storage setting is in the half circle control band that appears when the display is stroked slowly from the left. The setting is via an SD card icon on the band. Rotate the band with a finger to find the SD icon. I tested this and it really does change the storage location.
Upvotes: 2 <issue_comment>username_4: It depends from app to app, if the camera app you are using provides you the option or not. If the camera app that you got with your phone does not have such option, you can try other camera apps available in play store.
Upvotes: 0 |
2013/05/18 | 450 | 1,707 | <issue_start>username_0: How can I stop the lock screen locking itself every two minutes? How can I extend the time it takes to turn off automatically? I'm running Jelly Bean v 4.2.2 on a Samsung Galaxy S 4.<issue_comment>username_1: Go to Settings -> Display -> Sleep, and you can change the time out requirement from there.
Upvotes: 1 <issue_comment>username_2: If you want the timeout increased permanently, you can use the hint given in [username_1's answer](https://android.stackexchange.com/a/45650/16575). But keep in mind that display is one one the heaviest battery consumers -- so if you often forget to turn off your display manually, your battery might last much shorter.
A more intelligent approach would be using some automation software like e.g. [Tasker](https://play.google.com/store/apps/details?id=net.dinglisch.android.taskerm) or [Llama](https://play.google.com/store/apps/details?id=com.kebab.Llama), and have your display timeout set according to your situation. I use e.g. *Tasker* for that: when one of my reading apps (RSS, eBook, Web) runs in foreground, *Tasker* increases the display timeout to 3 minutes. As soon as I exit them (another app or the homescreen comes to foreground), display timeout is reset to 30 seconds.
Of course you can adjust those values to *your* needs. As a side effect, you will be able to automate a lot of additional stuff. For me, *Tasker* e.g. automatically activates GPS when I start some related app, and deactivates it afterwards (on 4.2, this will require your device to be rooted). It also switches WiFi off when I left home (and turns it back on when I return), and adjusts ringer/audio volumes when I'm in the office, plus more.
Upvotes: 0 |
2013/05/18 | 840 | 3,527 | <issue_start>username_0: Why is Google Play Music constantly running on my galaxy s4? I don't use any music app.<issue_comment>username_1: If you don't use any music app (especially not the one in question), there's an easy cure:
1. Go to *Settings→Apps→Manage Apps*
2. Go to the *All* tab
3. Scroll the list until you find *Google Play Music*
4. Tap the entry
5. On the screen which opens on the tap, you'll find a button labeled `Disable` -- push it.
If the `Disable` button is grayed out (and cannot be pushed), you might need to first `Force Stop` the app, and `Uninstall updates`. If you later decide you want to use the app, and enable it again, updates will be applied once more -- so no worries for that.
Done: You've successfully disabled the *Google Play Music* app. It will no longer be available in your apps drawer, and should no longer run automatically either. Works fine for me, also for *Google Play Books* and *Movies*. Another nice side-effect: Your device will no longer bother you for any updates of those (disabled) apps -- which might even help you saving your data plan for better things :)
Upvotes: 3 <issue_comment>username_2: And for a long term solution, please consider leaving a review of the app ([play store link](https://play.google.com/store/apps/details?id=com.google.android.music)).
Certainly, some of the very short, thoughtless reviews that we see on the play store are of no use, but if you've made a decent attempt to resolve your concern (e.g. by reading the description provided for the app ) and are still not satisfied, then voice your concerns.
And I think the bar should even higher for a pre-installed app.
Upvotes: 1 <issue_comment>username_3: I have a galaxy s2 with sprint as provider. The Google Play music app came pre bundled with the phone. After noticing that it was regularly opening itself and showing up in the "applications running" widget, I began to research the issue. First I attempted (as advised) to remove updates. This doesn't work, as the app just auto updates itself again with no option to disable this. The app CAN NOT BE UNINSTALLED. I called sprint and was told that since it came bundled with the phone, it could not be uninstalled because other features of the phone rely on parts the google play music app. They essentially told me that there was nothing I could do about it, and to keep updating it in the hope that they will eventually fix the auto starting bug. I also tried installing other music players in the hope slim hope that this may fix the problem, but this (as expected) didn't remedy the issue. In summary, after extensive internet research on the issue, and a call to my provider, my conclusion is as follows: It still opens itself, it cant be uninstalled, and the update rollback just re updates itself without the ability to stop this (on the galaxy s2 anyway). Looks like we're stuck with this one and can only wait and hope that google fixes the issue in one of the updates. Call me a cynic , but I tend to doubt google is in any hurry to PREVENT the running of one of their apps. The Sprint Samsung galaxy s2 comes completely inundated with bundled google software. I have been a loyal sprint customer for over 5 years, and this, in addition to the sudden and drastic decrease in sprint's signal and gps strength is just another indicator that they are going down the tubes. Hopefully sprint & google get their collective acts together and fix these issues. I'll keep researching, and post if I find a solution.
Upvotes: -1 |
2013/05/18 | 897 | 3,711 | <issue_start>username_0: I just got my S4, on a Canadian network. While everyone seems to have I9500, I have the M919V. It's next to impossible to find any useful information on Google regarding this model. Can I use the same custom ROMs as the I9500 users?
There is a way! Read my answer below!<issue_comment>username_1: If you don't use any music app (especially not the one in question), there's an easy cure:
1. Go to *Settings→Apps→Manage Apps*
2. Go to the *All* tab
3. Scroll the list until you find *Google Play Music*
4. Tap the entry
5. On the screen which opens on the tap, you'll find a button labeled `Disable` -- push it.
If the `Disable` button is grayed out (and cannot be pushed), you might need to first `Force Stop` the app, and `Uninstall updates`. If you later decide you want to use the app, and enable it again, updates will be applied once more -- so no worries for that.
Done: You've successfully disabled the *Google Play Music* app. It will no longer be available in your apps drawer, and should no longer run automatically either. Works fine for me, also for *Google Play Books* and *Movies*. Another nice side-effect: Your device will no longer bother you for any updates of those (disabled) apps -- which might even help you saving your data plan for better things :)
Upvotes: 3 <issue_comment>username_2: And for a long term solution, please consider leaving a review of the app ([play store link](https://play.google.com/store/apps/details?id=com.google.android.music)).
Certainly, some of the very short, thoughtless reviews that we see on the play store are of no use, but if you've made a decent attempt to resolve your concern (e.g. by reading the description provided for the app ) and are still not satisfied, then voice your concerns.
And I think the bar should even higher for a pre-installed app.
Upvotes: 1 <issue_comment>username_3: I have a galaxy s2 with sprint as provider. The Google Play music app came pre bundled with the phone. After noticing that it was regularly opening itself and showing up in the "applications running" widget, I began to research the issue. First I attempted (as advised) to remove updates. This doesn't work, as the app just auto updates itself again with no option to disable this. The app CAN NOT BE UNINSTALLED. I called sprint and was told that since it came bundled with the phone, it could not be uninstalled because other features of the phone rely on parts the google play music app. They essentially told me that there was nothing I could do about it, and to keep updating it in the hope that they will eventually fix the auto starting bug. I also tried installing other music players in the hope slim hope that this may fix the problem, but this (as expected) didn't remedy the issue. In summary, after extensive internet research on the issue, and a call to my provider, my conclusion is as follows: It still opens itself, it cant be uninstalled, and the update rollback just re updates itself without the ability to stop this (on the galaxy s2 anyway). Looks like we're stuck with this one and can only wait and hope that google fixes the issue in one of the updates. Call me a cynic , but I tend to doubt google is in any hurry to PREVENT the running of one of their apps. The Sprint Samsung galaxy s2 comes completely inundated with bundled google software. I have been a loyal sprint customer for over 5 years, and this, in addition to the sudden and drastic decrease in sprint's signal and gps strength is just another indicator that they are going down the tubes. Hopefully sprint & google get their collective acts together and fix these issues. I'll keep researching, and post if I find a solution.
Upvotes: -1 |
2013/05/18 | 445 | 1,389 | <issue_start>username_0: I need to emulate an Android 4.2 device in Vmware Workstation 7.1.
I downloaded the image **android-x86-4.2-20130228.iso** from <http://www.android-x86.org/download>. I tried to run it as a live-cd and also installed it on the VM harddisk (much like described at <http://www.walterdevos.be/installing-android-x86-4-0-in-vmware-player>). In either case I got the following console screen:

taken from [this topic in the google groups](https://groups.google.com/forum/#!topic/android-x86/kW8YE6_eXXU). So, you may see the problem occurs not only in my environment. I tried recommended setting from the topic (`... nomodeset vga=(any unreal mode such as 987877 or 5785 etc)`) as a possible workaround. Nothing helps.
The question: how to fix the problem and run android-x86 in Vmware Workstation?<issue_comment>username_1: Over time new versions of Android-x86 appear, and the problem is solved now by the next available release - [build 20130725](http://www.android-x86.org/releases/build-20130725) with Android 4.3.
Upvotes: 3 [selected_answer]<issue_comment>username_2: Last android iso did not work for me, I had to rely on [this](https://android.stackexchange.com/a/225446/215181) procedure,
including a grub config file edition, and the choice of an iso recommended for vmware.
Upvotes: 0 |
2013/05/18 | 506 | 2,002 | <issue_start>username_0: Apple iOS devices display the following warning and suspend operation should they overheat:
>
> Temperature
> ===========
>
>
> [*iDevice*] needs to cool down before you can use it.
>
>
>
Does the Android OS contain similar functionality?
(For reference, I'm using a Nexus 7, running stock Android 4.2.2 without root or unlocked bootloader. However, this question is intended to be device-agnostic. I have not experienced any overheating—the tablet does get warm under load but by no means excessively so. I'm just wondering if any protection exists at the system software level in stock Android.)<issue_comment>username_1: Within the [BatteryManager documentation for Android](http://developer.android.com/reference/android/os/BatteryManager.html#BATTERY_HEALTH_OVERHEAT) there is a constant that can be used to check against that is named `BATTERY_HEALTH_OVERHEAT`. This would lead me to assume that there is a check that the OS does against this value, though I have never personally experienced a warning like this. I did on my old iPad, but being a recent Android convert I haven't had the time to find out about this just yet.
Upvotes: 2 <issue_comment>username_2: There is an app called [Battery Protector by Apphibios](https://play.google.com/store/apps/details?id=com.wilfredo.bigol.batteryprotector&hl=en). You can set whatever temp you want it to give you an alarm. I think 104f is about where you want to let it cool off.
Upvotes: 0 <issue_comment>username_3: Provided it can read the CPU temperature, the Linux kernel will detect an overheat condition and gracefully shut down the device in the event overheating occurs. However, Android does not contain [built-in mechanisms that selectively disable components or reduce heating in the manner iOS does](http://support.apple.com/kb/ht2101), such as by dimming or turning off the screen, stopping charging, reducing the power of the cell antenna, or disabling the camera flash.
Upvotes: 3 [selected_answer] |
2013/05/18 | 545 | 2,225 | <issue_start>username_0: My problem is that I need to add outgoing com port to my android device (Nexus 4) Windows 8 x64 connected via Bluetooth.
This is usually done by using Bluetooth settings on the PC and then from "COM ports" tab yo "Add" -> "Outgoing port". However, when I try to add my device it shows me error "The device you have selected does not have a serial port service running". For Incoming port it work fine, but that's not the option I need.
I've also tried to connect Samsung Galaxy S3, Nexus 7 and rooted Nexus 4. Both on Windows 8 x64 and Windows 7 x32. Nothing worked. Then I connected an old phone which uses Symbian 8(?) and it worked fine. Of course the devices are paired before I try do add COM port.
I did good search on Google, but I did not find a way to "turn on serial port service". There's an app (Serial Port API Sample) which supposedly should help with my problem, but it doesn't - I can't get it to work, always showing an error.
I need the outgoing port so I can control my device like a modem by using Matlab.<issue_comment>username_1: This is just based on a bit of research, not my own experience:
Android phones, unlike your Symbian phone which worked, **do not** expose a Hayes-command modem as a built-in externally accessible service. There may well be such an interface *internally* for communicating with the “baseband processor”, but in order to control it from another computer you will have to install an Android app and/or modified OS which forwards the commands it receives from an external source. I don't know whether such an app already exists.
(Further questions on how to get the scheme I described working might be better asked over at [Stack Overflow](http://stackoverflow.com) as they would be essentially about programming Android.)
Upvotes: 1 [selected_answer]<issue_comment>username_2: there are some 3rd party app like bluDun and other apps like that are used for as modem service to create a dialup connection
Upvotes: 0 <issue_comment>username_3: Allow your laptop bluetooth device searchable to others.. then pair from Mobile.. it will help you.. I was facing the same issue but resolved it by doing this trick..
Thanks
<NAME>
Upvotes: -1 |
2013/05/19 | 684 | 2,696 | <issue_start>username_0: My screen is totally destroyed, it's black and unresponsive. The phone turns on just fine, though. I just got my new phone and I have to send this one back now.
I want to wipe the phone before I send it back, but I'm not sure how. I don't care too much about sending back a rooted phone, it seems Asurion doesn't really care about that from what I've read, but I don't want my personal data on the phone when I send it in.
What are my options to wipe the phone without a screen? I've already read a lot of threads on other forums and here on the subject, but everyone seems to say to wipe through ADB shell. Well, I can see the phone in ADB, but I am unable to enter SU through ADB shell. I assume it's because the screen is locked, and I have no way to unlock it. Others have also said to wipe through fastboot in ADB, but I am seeing conflicting recommendations and I'm not sure how to proceed. I'm not *that* proficient with ABD, so I want to make sure I don't mess this up. Any advice would be greatly appreciated.<issue_comment>username_1: You can obtain the `adb` and `fastboot` utilities as part of the [Android Software Development Kit](http://developer.android.com/sdk/index.html) (or separately from third parties, but watch out for Trojan binaries). If you install the SDK, you will need to install the Platform Tools and (if using Windows) the USB Driver for Windows.
Once you have them, from whatever source, this is what you will do:
* Reboot the phone to the bootloader (fastboot):
```
adb reboot bootloader
```
adb may not work if the phone hasn't previously been placed in USB Debugging mode. In this case, boot the phone to fastboot mode by first powering it off, then powering it on by holding all three of the Power, Volume Up and Volume Down keys at the same time for two seconds, then releasing all three keys, then touching Volume Down twice, then Volume Up once.
* Check to see if the phone is in fastboot mode. If it doesn't show anything, wait a few seconds and try again:
```
fastboot devices
```
* Wipe the user data/cache:
```
fastboot -w
```
Upvotes: 2 [selected_answer]<issue_comment>username_2: Alternatively, you could use `adb reboot recovery`. If you don't have Fastboot, this will be the only option. Once you've rebooted into recovery, there will be four options:
* reboot system now
* apply update from sdcard
* wipe data/factory reset
* wipe cache partition
Press the `- Volume Button` twice and then press the power button. Then go down seven times, since all the other options are 'No'. If done right, your data should be wiped. If you want, wipe the cache partition too. Then go up and reboot the system.
Upvotes: 0 |
2013/05/19 | 1,057 | 4,463 | <issue_start>username_0: Why does internal storage keep growing over the time for no reason? At some point it becomes simply impossible to update apps, due to lack of sufficient memory space. Not even cache cleanup can save it, and I have moved as many apps as I could to SD card with no help.
Apps need to be uninstalled then installed again on every update. Depending on the app this is problematic since they have lots of custom settings, and I have never seen that automatic Google servers backup and restore working whenever I needed it. Fortunately for stock preloaded apps your settings are not lost, since you can just remove updates since stock version, not remove it.
This indicates one of the main causes of this problem at least: app updates are somehow incremental, and performing the above workaround will somehow save some space, with same result of app updated to latest version. So innocent everyday app updates are *no reason* for causing internal storage to fill up.
What workarounds can I do in order to overcome this problem, besides the obvious ones like removing stuff or buying a new phone? I think I heard about re-partitioning phone memory to make internal storage point to external SD card, but I wonder if it will make things too much slower, for example. Please, point me to good solutions, even if they require rooting.<issue_comment>username_1: I had a similar issue, and the only thing I could do was format the device.
I believe this happens when apps take up storage, and then 'forget' they have taken it up, and restore the data.
A factory reset will erase all the data, and if you're rooted you can backup your apps and not lose much data.
Upvotes: 0 <issue_comment>username_2: Before you can fix the issue you have to identify the cause. We have a few answers that deal with tracking down storage usage. But usually they target the external storage/SD-card. Here we are dealing with the *internal storage*, which is usually protected from normal user access and hence it's good (if not required) to have root. But other then that, the tools mentioned in the question should give you a good idea of how your internal storage is used:
* [Izzy's Answer on "Something is secretly eating up my Acer Iconia A500 internal memory and I need help finding it"](https://android.stackexchange.com/a/27130/440)
* [What can I do to manage my phone's internal storage?](https://android.stackexchange.com/questions/2065/what-can-i-do-to-manage-my-phones-internal-storage)
Upvotes: 1 <issue_comment>username_3: Every time an app gets updated, an old copy of the app is retained somewhere. You can see that in `settings > apps > select an app`, and you can see `uninstall updated` option. So whenever I have an updated app, I simply delete the old app and install the new app.
I recommend not to use this method which saves data internally. Other apps like Facebook, Whatsapp can be done.
Upvotes: 0 <issue_comment>username_4: Summarizing the answers and comments on a more objective approach. Please edit this and add any *verified* procedure that *objectively* may help with this annoyance.
1. You could try **the obvious things like removing unused apps, cleaning up system cache**, etc.
2. **If your phone is rooted, [Link2SD](https://play.google.com/store/apps/details?id=com.buak.Link2SD) helps a lot by creating symlinks from original app locations to the SD card**. Android will think the apps are on internal storage, but in fact they are just linked there, real location is the SD card. Specific apps, the biggest ones, can be selected for the linking process.
3. You may try **removing updates from stock preloaded apps, for only then updating to the latest version directly**. These apps seem to take more and more storage while getting updated over time. That was my case with Facebook for example, one of the most problematic about storage usage. This workaround should not delete app settings, since app cannot and will not get uninstalled at all.
Upvotes: 1 <issue_comment>username_5: I have this problem just now, it keep popup "internal storage almost full". The storage doesn't match with total space, i.e. it shows I used more than 15GB over total 16GB, but all categories sum up only ~11GB. I tried delete a lot of apps and folder but only 0.5GB free.
Eventually I realized I don't shutdown phone for many days, so I simply shutdown and reboot, and then it able to shows the correct free space 4.41GB!
Upvotes: 1 |
2013/05/19 | 1,155 | 4,393 | <issue_start>username_0: I'm using Google+ Instant Upload to automatically sync all of the photos I take on my phone over a Wi-Fi connection. I also use Google Drive to backup my documents, music, pictures and videos folders.
Is there a way to sync Google+ Instant Upload with Google Drive?
----------------------------------------------------------------
Ideally the way it would work is I would take photos with my phone, they would sync to my Google Drive "pictures" folder and then Google Drive on my pc would sync them into my photos library. Is this possible? Will it be added in the future?<issue_comment>username_1: There is a thread on Google Groups that covers this issue. By the answer provided by [AnaLikesLattes](http://productforums.google.com/d/msg/drive/zjydnDf972w/gC2YFesWmj4J), this is being considered and possible prepared by Google Staff since 5/1/12:
[Android Instant Upload to Drive](http://productforums.google.com/forum/#!topic/drive/zjydnDf972w)
==================================================================================================
>
> Hi all,
>
>
> Thanks for your input. We've heard many requests along these lines, and are definitely looking into potential solutions on our end.
>
>
> I will do my best to keep this forum updated once relevant features start to become available. In the meantime, please keep posting your requests about the Drive Android app! We're always excited to hear from our users.
>
>
> Cheers,
> Ana
>
>
>
As far as I can tell, this is not yet implemented and a year has passed.
Since both applications are from Google and they alone can take the necessary steps to have this feature implemented properly, I would suggest to you and any interested person to visit the thread and leave the "feature-wish" there.
---
App Suggestion
==============
While it would be great to have a native solution for this problem, [<NAME>](https://android.stackexchange.com/users/11331/oliver-salzburg) commented on [my post at Google+](https://plus.google.com/112532098784425316005/posts/3DukxWqCwce) about this issue refering the app suggested bellow, that I've just now tested and is working beautifully sending all of my files to my desired destination on the Google Drive.
[FolderSync Lite](https://play.google.com/store/apps/details?id=dk.tacit.android.foldersync.lite&hl=en)
=======================================================================================================
>
> FolderSync is a application that enables simple sync to cloud based storage to and from local folders on the device memory card. It currently support multiple SkyDrive, Dropbox, SugarSync, Ubuntu One, Box.net, LiveDrive, HiDrive, Google Docs, NetDocuments, Amazon S3, FTP, FTPS, SFTP, WebDAV or windows share (Samba/CIFS) accounts, and support for more platforms are planned.
>
>
>
  
You don't need more than 5 minutes to complete the 3 basic steps:
1. Add your Google Drive account
2. Add a folderpair
3. Start the sync process
Upvotes: 3 [selected_answer]<issue_comment>username_2: I've just published an app for automatic photo upload to Google Drive with lots of convenient options.
<https://play.google.com/store/apps/details?id=com.mynextandroid.drivephotosync>

It's free so give it a try!
Upvotes: 0 <issue_comment>username_3: I use [Sweet Home](https://play.google.com/store/apps/details?id=sweesoft.sweethome), a free app, to upload photos and videos from my Android devices over Wi-Fi at home to my NAS Google Drive folder. (This is fast 300mbit/s). Then the Google Drive tool on my NAS (which has Windows OS) uploads the pictures and videos to Google Drive to be able to share and have an extra cloud backup. The Google+ app can be used to easily watch and browse through the pictures.
So I don't use the upload function in Google+, because I can't find an easy way to sync the photos locally after that and uploading right from the mobile device to internet is always slower than locally to the NAS.
Upvotes: 0 |
2013/05/19 | 1,115 | 4,068 | <issue_start>username_0: So on my Nexus 7 (currently clocked at 1300mb RAM) Google Racer works fine. However, when I use it on my Huawei Ascend G300 (only clocked at ~30mb less RAM) it says it is too slow.
This doesn't really make any sense? They have almost identical RAM?<issue_comment>username_1: There is a thread on Google Groups that covers this issue. By the answer provided by [AnaLikesLattes](http://productforums.google.com/d/msg/drive/zjydnDf972w/gC2YFesWmj4J), this is being considered and possible prepared by Google Staff since 5/1/12:
[Android Instant Upload to Drive](http://productforums.google.com/forum/#!topic/drive/zjydnDf972w)
==================================================================================================
>
> Hi all,
>
>
> Thanks for your input. We've heard many requests along these lines, and are definitely looking into potential solutions on our end.
>
>
> I will do my best to keep this forum updated once relevant features start to become available. In the meantime, please keep posting your requests about the Drive Android app! We're always excited to hear from our users.
>
>
> Cheers,
> Ana
>
>
>
As far as I can tell, this is not yet implemented and a year has passed.
Since both applications are from Google and they alone can take the necessary steps to have this feature implemented properly, I would suggest to you and any interested person to visit the thread and leave the "feature-wish" there.
---
App Suggestion
==============
While it would be great to have a native solution for this problem, [<NAME>](https://android.stackexchange.com/users/11331/oliver-salzburg) commented on [my post at Google+](https://plus.google.com/112532098784425316005/posts/3DukxWqCwce) about this issue refering the app suggested bellow, that I've just now tested and is working beautifully sending all of my files to my desired destination on the Google Drive.
[FolderSync Lite](https://play.google.com/store/apps/details?id=dk.tacit.android.foldersync.lite&hl=en)
=======================================================================================================
>
> FolderSync is a application that enables simple sync to cloud based storage to and from local folders on the device memory card. It currently support multiple SkyDrive, Dropbox, SugarSync, Ubuntu One, Box.net, LiveDrive, HiDrive, Google Docs, NetDocuments, Amazon S3, FTP, FTPS, SFTP, WebDAV or windows share (Samba/CIFS) accounts, and support for more platforms are planned.
>
>
>
  
You don't need more than 5 minutes to complete the 3 basic steps:
1. Add your Google Drive account
2. Add a folderpair
3. Start the sync process
Upvotes: 3 [selected_answer]<issue_comment>username_2: I've just published an app for automatic photo upload to Google Drive with lots of convenient options.
<https://play.google.com/store/apps/details?id=com.mynextandroid.drivephotosync>

It's free so give it a try!
Upvotes: 0 <issue_comment>username_3: I use [Sweet Home](https://play.google.com/store/apps/details?id=sweesoft.sweethome), a free app, to upload photos and videos from my Android devices over Wi-Fi at home to my NAS Google Drive folder. (This is fast 300mbit/s). Then the Google Drive tool on my NAS (which has Windows OS) uploads the pictures and videos to Google Drive to be able to share and have an extra cloud backup. The Google+ app can be used to easily watch and browse through the pictures.
So I don't use the upload function in Google+, because I can't find an easy way to sync the photos locally after that and uploading right from the mobile device to internet is always slower than locally to the NAS.
Upvotes: 0 |
2013/05/19 | 210 | 865 | <issue_start>username_0: My Samsung keep booting up and then after the intro where it should show my home screen it showing a blue flashing Samsung sign with the Led light glowing blue as well. I have tried taking out the battery and holding down volume+home+power button. and holding the home button for restarting it. it's frustrating me<issue_comment>username_1: Try wiping it from recovery.
WARNING, it removes all data from phone.
Upvotes: 0 <issue_comment>username_2: Press and hold VOLUME UP and Home(center) button
Press Power until the phone vibrate
Wait until you see the Android logo then release all the buttons.
Select Wipe data/Factory reset with VOLUME DOWN, press Power (right hand-side)
Select YES -- delete all user data with VOLUME DOWN and then press Power
After format, press Power again to reboot phone. (select reboot system now)
Upvotes: 1 |
2013/05/19 | 362 | 1,447 | <issue_start>username_0: When I add an MSN @live.com email account the Galaxy S4, it doesn't pick the Display Name set by Exchange.
From the web interface, it shows the Display Name set as the full name (e.g. <NAME>), but on Android, all out-going emails have the username set as the Display Name (e.g. jsmith).
The Display Name for office365.com email accounts seems to be working fine, but not for @live.com email accounts.
Further more, Android doesn't give the option to re-set or update the Display Name in Exchange ActiveSync email accounts. That options is available under IMAP and POP3 email accounts only.
Is this a new issue?
Has anyone been able to fix this?
I called Samsung and they couldn't find a solution in their support knowledge base, asked me to contact my Cellphone Carrier. I called my Callphone Carrier and they said it's out-of-scope for their Support and that I should contact Samsung.<issue_comment>username_1: Try wiping it from recovery.
WARNING, it removes all data from phone.
Upvotes: 0 <issue_comment>username_2: Press and hold VOLUME UP and Home(center) button
Press Power until the phone vibrate
Wait until you see the Android logo then release all the buttons.
Select Wipe data/Factory reset with VOLUME DOWN, press Power (right hand-side)
Select YES -- delete all user data with VOLUME DOWN and then press Power
After format, press Power again to reboot phone. (select reboot system now)
Upvotes: 1 |
2013/05/20 | 410 | 1,563 | <issue_start>username_0: I recently use 2-step verification to sign-in my Google account.
But after turning this on, I cannot sign-in my phone since no SMS is sent to my phone.
What can I do to sign in now?<issue_comment>username_1: If you signed up for [2-step verification](https://support.google.com/accounts/bin/answer.py?hl=en&topic=1056283&answer=180744&rd=1), you may need to enter an application-specific password in place of your regular account password. You can generate an [application-specific password](http://www.google.com/url?q=https://www.google.com/accounts/b/0/IssuedAuthSubTokens) when you are authorizing access to your Google Account. This process takes a few minutes, and you only need to do it once per application or device.
Note: For Android devices running 4.0 or higher, you do not need an application-specific password and only need to submit your username and password. You'll be directed to another page where you can enter a one-time six-digit code.
To check if 2-step verification is on or off, visit <https://www.google.com/settings/>.
Upvotes: 4 [selected_answer]<issue_comment>username_2: I had a hard time because I had two Gmail accounts on my Android,: one for work and one personal. The process is broken if you have two accounts and you try to apply two step auth on a phone (I have a Galaxy 4 by Samsung).
The solution was to delete my personal account off the phone, do the sign-in process which kicks out an SMS 6-digit code then authenticate (worked). Afterwards you can add back the second account.
Upvotes: 0 |
2013/05/20 | 434 | 1,700 | <issue_start>username_0: I want to disable the airplane mode in order to return to normal state. After a long press on power button, I do have the "device options", however nothing happens when I press Airplane mode (airplane mode enable). I am stuck in airplane mode
Have you experience this? Is it a known bug? How can I disable airplane mode.<issue_comment>username_1: If you signed up for [2-step verification](https://support.google.com/accounts/bin/answer.py?hl=en&topic=1056283&answer=180744&rd=1), you may need to enter an application-specific password in place of your regular account password. You can generate an [application-specific password](http://www.google.com/url?q=https://www.google.com/accounts/b/0/IssuedAuthSubTokens) when you are authorizing access to your Google Account. This process takes a few minutes, and you only need to do it once per application or device.
Note: For Android devices running 4.0 or higher, you do not need an application-specific password and only need to submit your username and password. You'll be directed to another page where you can enter a one-time six-digit code.
To check if 2-step verification is on or off, visit <https://www.google.com/settings/>.
Upvotes: 4 [selected_answer]<issue_comment>username_2: I had a hard time because I had two Gmail accounts on my Android,: one for work and one personal. The process is broken if you have two accounts and you try to apply two step auth on a phone (I have a Galaxy 4 by Samsung).
The solution was to delete my personal account off the phone, do the sign-in process which kicks out an SMS 6-digit code then authenticate (worked). Afterwards you can add back the second account.
Upvotes: 0 |
2013/05/20 | 845 | 3,265 | <issue_start>username_0: I'm using HTC Desire A8181 with Android version 2.2.2. I'm currently running out of free internal space. Besides of some applications growing bigger from release to release, the greatest space consumer is **Google Play Services**. It is currently using 13,55MB and is automatically upgraded, taking more and more space. Soon I'll be forced to deinstall some of the apps because of that :(
Is there anything I can do with that Google Play Services? For example, can I safely uninstall it, install older version or tell it to move to external storage? My phone has barely 2 years and it's in danger of running unusable, while normally I'm using electronic devices 5 to 10 years...<issue_comment>username_1: If your phone is rooted, you can partition your SD card and move Google Play Services app on to your SD card. That could free up a lot of space. You can use this method to safely transfer all your apps(except the system apps) to your SD card. The procedure for partitioning and transferring can be found here. <http://www.aroundandroid.com/tag/how-to-increase-android-phones-internal-memory-with-link2sd-app/>
Upvotes: 2 <issue_comment>username_2: What [Akas refers to](https://android.stackexchange.com/a/45785/16575) is using the [Link2SD](https://play.google.com/store/apps/details?id=com.buak.Link2SD) app, which is "kind of" App2SD, but much more flexible: You can get the entire app moved out (not just parts), and can even move apps you otherwise couldn't. But Akas missed one important part: your device **must be rooted** in order to use this special way.
As to the other part of your question: Sure you could uninstall the updates of *Google Play Services* -- but that wouldn't help you in any way, as the app will automatically update itself again. Furthermore, there might be dependencies, as other apps use this service (e.g. *Google Play* to access the playstore, and others). So newer versions of those apps might rely on newer versions of the *Play Services*.
Maybe someone digged (or will dig) a little deeper into all those dependencies and what can be done about them. It might end up in using some "legacy apps" -- like e.g. the [Legacy Playstore](http://forum.xda-developers.com/showthread.php?t=1809215) ([original post](http://www.modaco.com/topic/356009-r2-legacy-play-store-with-all-purchased-apps-visible/)), while the original ones could be frozen/removed. Maybe all this is possible -- it again would require you to root your device, as these apps need to be installed as system apps.
While we all wish our devices might have a long life: if you look at the specs of your two-years-old, and compare it even with todays low-end devices, you will see the difference. And if you compare app sizes from two years ago ("What? 1 MB app size? Too big!") with todays ("Unfortunately, the play store has a limit of 50 MB app size, were we cannot fit our app into"; with my own words the summary of *LibreOffice for Android*), you see were it goes. And while I fully agree that core services/apps should be kept slim, there's nothing we can do about that...
Enough theory: if your device is rooted, or rooting it is acceptable (and doable) for you: Akas recommendation seems the best way out for you.
Upvotes: 3 |
2013/05/20 | 660 | 2,442 | <issue_start>username_0: I've updated Google Talk to "Hangouts (replaces Talk)". Now whenever I get a message, I receive two notifications: one from the new Hangouts app and the other from the old Talk app. How do I disable the notification from Talk?
Device is Samsung Galaxy S II running Android 4.1.2.<issue_comment>username_1: As Izzy pointed out in the comments, the package name of Hangouts is the same as the one for Google Talk: `com.google.android.talk`. Therefore, even if Talk was built in to your ROM, it should be 'overlaid' by Hangouts.
However, it's possible that there's some Google Talk service that didn't get killed by the upgrade process. If that's the case, a simple reboot should solve the problem.
Upvotes: 4 [selected_answer]<issue_comment>username_2: I have no idea if this will work, but you could try and install "Root Uninstaller" and remove Google Talk, and then just install hangouts.
In the app you have the option to back it up, so if something goes wrong you can restore your google talk back.
Upvotes: 1 <issue_comment>username_3: If a reboot doesn't solve the problem, such as in my case (HTC Desire HD), try going to Settings > Applications > Manage Applications > All > Hangouts and tap "Clear Cache" and "Clear Data". Go back, open Hangouts again and it will sign you back in. You may need to verify your number again, but that got rid of the duplicate notifications for my case.
Upvotes: 2 <issue_comment>username_4: I had exactly the same problem. I solved it by doing the following:
* Settings
* Applications
* Manage applications
* Tab 'All'
* Google Services Framework
* Clear data
* reboot the phone
Good luck
Upvotes: 3 <issue_comment>username_5: I fixed mine a different way. tried all the above and nothing worked. I figured it was still seeing me as logged into Talk.
Try the following:
Uninstall updates for Hangouts. (brings you back to talk)
Open Talk and Sign Out.
Reinstall update (brings you back to Hangouts)
Fixed it for me.
Upvotes: 2 <issue_comment>username_6: This is now fixed in the latest release of Hangouts:
>
> Fixed a problem where you could receive two notifications for a message: one from Hangouts, one from the old Talk app.
>
>
>
The new version details are below:
UPDATED:
June 6, 2013
CURRENT VERSION:
1.0.2.695251
REQUIRES ANDROID:
2.3 and up
[Google Hangouts](https://play.google.com/store/apps/details?id=com.google.android.talk)
Upvotes: 2 |
2013/05/20 | 257 | 916 | <issue_start>username_0: Sometimes when I'm tired, I take a nap of 1 hour. Doing that with the native clock on Android requires a lot of clicks. I would like to have an app that whenever the button is pressed, it starts to count 1 hour.<issue_comment>username_1: It sounds like what you want is a timer rather than an alarm clock. (Did you look in the Play Store?)
One very simple timer app I use is [Tick!](https://play.google.com/store/apps/details?id=com.rabugentom.tick).
1. Tap to open
2. Use your finger to spin the dial to the amount of time you want to count down
3. Tap to start the timer
Upvotes: 2 <issue_comment>username_2: You could try an app called Simple Alarm Clock by a developer called Moula soft Inc. It is in the google app store. I like it.
Upvotes: 0 <issue_comment>username_3: You can use Google Now:
say "OK Google Now",
say "Set Alarm for one hour",
then touch "Set Alarm"
Upvotes: 2 |
2013/05/20 | 974 | 3,903 | <issue_start>username_0: I want more granular control over permissions. I’m fine with applications having some permissions, but I want to be in charge and have more granular control.
Can this be done on Android? I know iOS has this for some things like contacts and calendar data. The user is prompted before the application gets access to these sensitive datasets.
Technically, I can see this working by denying API access when the application tries to access it.<issue_comment>username_1: Each app will present a list of permissions it makes use of during installation, at which point a user can either accept them and install the app, or deny and stop the installation. The permissions model in Android is an "all or nothing", meaning that you either accept everything the app asks for, or not install it.
Out of the box, after that initial acceptance, stock Android doesn't provide ability for users to deny specific permissions. However, if your phone is rooted, there are 3rd-party [apps](https://play.google.com/store/apps/details?id=com.stericson.permissions.donate) that enable this functionality. Some custom ROMs have this as well. Keep in mind that the vast majority of apps are coded to assume that all of their declared permissions are available (since you have to accept them in order to install said app.) Therefore they won't bother checking for the conditions where permissions were denied via non-standard methods. This means that apps will most likely become unstable and may crash or hang.
Upvotes: 2 <issue_comment>username_2: Adding to [username_1's answer](https://android.stackexchange.com/a/45818/16575): Yes, it's true that "natively" permissions are an "all-or-nothing". The "standard user" is expected to either accept *all* permissions an app requests -- or to refrain from its installation.
And yes, it's true: using an app like [Permissions Denied](https://play.google.com/store/apps/details?id=com.stericson.permissions.donate), which simply "denies" an app certain permissions, apps might force-close as they don't expect this.
But there's a third way where apps are simply fed "fake data". This is done e.g. by *LBE* and *PDroid* (see [Other apps to manage permissions?](https://android.stackexchange.com/q/35473/16575) and [how to fake my personal information](https://android.stackexchange.com/q/39463/16575) for details). App wants the contacts? Ooops, address book is empty. IMEI? OK, how about "1234567890"? Internet? Sorry, but we're in a tunnel -- neither WiFi nor mobile data available. So all returned data make sense to the requesting app: It does not get a simple "exception", so it doesn't crash. And what it makes up from the fake data -- who cares? :)
Needless to say: root is required here as well...
Upvotes: 2 <issue_comment>username_3: You may get what you want, but you need to alter or flash an aftermarket firmware onto your device.
There's CyanogenMod 7's permission management, but it's only capable of revoking permissions. API requests fail then. Eventually this is the same as if the developer forgot to declare the permission in the first place and apps often don't check that condition and fail.
Then there's the Privacy Droid (pdroid) extension patch set. It's been originally developed for Android 2.3 and consists of a closed source ([Management App on Google Play](https://play.google.com/store/apps/details?id=com.privacy.pdroid) and an open source patch for the firmware (see the link on the play store).
Because development has stalled, others ported the system patches to newer Android versions and open source management apps were also written. Some custom Roms include all necessary changes already, for those who do not (CM, et al.) there's the autopatcher project to modify firmware images to include all necessary bits:
[AutoPatcher thread on XDA](http://forum.xda-developers.com/showthread.php?t=1719408)
Upvotes: 1 |
2013/05/21 | 910 | 3,578 | <issue_start>username_0: I have a Skype account on my computer. I have a need to have the same number on my cell phone. What do I need to do?<issue_comment>username_1: Each app will present a list of permissions it makes use of during installation, at which point a user can either accept them and install the app, or deny and stop the installation. The permissions model in Android is an "all or nothing", meaning that you either accept everything the app asks for, or not install it.
Out of the box, after that initial acceptance, stock Android doesn't provide ability for users to deny specific permissions. However, if your phone is rooted, there are 3rd-party [apps](https://play.google.com/store/apps/details?id=com.stericson.permissions.donate) that enable this functionality. Some custom ROMs have this as well. Keep in mind that the vast majority of apps are coded to assume that all of their declared permissions are available (since you have to accept them in order to install said app.) Therefore they won't bother checking for the conditions where permissions were denied via non-standard methods. This means that apps will most likely become unstable and may crash or hang.
Upvotes: 2 <issue_comment>username_2: Adding to [username_1's answer](https://android.stackexchange.com/a/45818/16575): Yes, it's true that "natively" permissions are an "all-or-nothing". The "standard user" is expected to either accept *all* permissions an app requests -- or to refrain from its installation.
And yes, it's true: using an app like [Permissions Denied](https://play.google.com/store/apps/details?id=com.stericson.permissions.donate), which simply "denies" an app certain permissions, apps might force-close as they don't expect this.
But there's a third way where apps are simply fed "fake data". This is done e.g. by *LBE* and *PDroid* (see [Other apps to manage permissions?](https://android.stackexchange.com/q/35473/16575) and [how to fake my personal information](https://android.stackexchange.com/q/39463/16575) for details). App wants the contacts? Ooops, address book is empty. IMEI? OK, how about "1234567890"? Internet? Sorry, but we're in a tunnel -- neither WiFi nor mobile data available. So all returned data make sense to the requesting app: It does not get a simple "exception", so it doesn't crash. And what it makes up from the fake data -- who cares? :)
Needless to say: root is required here as well...
Upvotes: 2 <issue_comment>username_3: You may get what you want, but you need to alter or flash an aftermarket firmware onto your device.
There's CyanogenMod 7's permission management, but it's only capable of revoking permissions. API requests fail then. Eventually this is the same as if the developer forgot to declare the permission in the first place and apps often don't check that condition and fail.
Then there's the Privacy Droid (pdroid) extension patch set. It's been originally developed for Android 2.3 and consists of a closed source ([Management App on Google Play](https://play.google.com/store/apps/details?id=com.privacy.pdroid) and an open source patch for the firmware (see the link on the play store).
Because development has stalled, others ported the system patches to newer Android versions and open source management apps were also written. Some custom Roms include all necessary changes already, for those who do not (CM, et al.) there's the autopatcher project to modify firmware images to include all necessary bits:
[AutoPatcher thread on XDA](http://forum.xda-developers.com/showthread.php?t=1719408)
Upvotes: 1 |
2013/05/21 | 843 | 3,047 | <issue_start>username_0: Is there any reason - other than being blocked - that I wouldn't be able to see a WhatsApp contact's "last seen" time any more?<issue_comment>username_1: There is no possible way of hiding status from your contacts on Whatsapp. Therefore if you are unable to see any messages on the status bar then chances are that the person has probably deleted his/her account or the person has blocked you. For further information regarding this you can read the FAQ section of Whatsapp. <http://www.whatsapp.com/faq/en/android/23225461>
Edit: it is possible for people to hide their last seen status if they are iPhone users. So Android users beware, any of your friends using iPhones can hide theirs. Its nothing they've done just to you, its a global setting for them.
Upvotes: 0 <issue_comment>username_2: iPhone users have the option to turn this Timestamp off in the Settings. [Source](http://emagin8.com.au/2012/hiding-whatsapp-last-seen-timestamp).
Upvotes: 0 <issue_comment>username_3: There are a few apps for Android that allow you to hide your Last Seen status. The iOS version also gives users the option directly in the app.

Upvotes: 2 <issue_comment>username_4: Android users can install a 3rd party app that would allow users to hide last seen status. Apparently its a paid app.
[WhatsHide Last Seen WhatsApp](https://play.google.com/store/apps/details?id=com.mobiletecnoapps.whatshide)
Upvotes: 0 <issue_comment>username_5: try [Secret WhatsApp](https://play.google.com/store/apps/details?id=com.zago.whatsappsecret)
Secret WhatsApp allows you to get in WhatsApp without a trace of you!
Do not ever be online. The data on your last visit will not be 'more' up to date.
Simply clicking on the icon will open 'WhatsApp mode' Secret.
When you close or quit WhatsApp, your messages will be sent and you will not leave a trace!
Upvotes: 0 <issue_comment>username_6: There is an app in google play to hide whatsapp status:
<https://play.google.com/store/apps/details?id=com.hidewhatsappstatus>
Upvotes: 0 <issue_comment>username_7: I faced the same issue but after a few days, I received a text from my friend that his handset was damaged and all applications, including Whatsapp were uninstalled when repairing. So, keep this possibility in mind before jumping to the worst case scenario.
Upvotes: 0 <issue_comment>username_8: You must make use of " Hide Last Seen Time " feature. There are two ways to make it possible. One is Using an application and another is doing it manually. You can find complete guide here :
**[Hide WhatsApp Last Seen Time](http://www.irecruitmentresult.in/2013/09/how-to-hide-whatsapp-last-seen-time.html)**.
Upvotes: 0 <issue_comment>username_9: WhatsApp's [privacy settings](https://www.whatsapp.com/faq/android/23225461) allow to hide *last seen*. So it is possible to hide *last seen* without blocking the contact. But this will apply for all contacts; i.e. you can't hide *last seen* for specific user.
Upvotes: 0 |
2013/05/21 | 416 | 1,447 | <issue_start>username_0: My boyfriend's phone is shown to me as "Last seen at 22.57 pm". I last spoke to him at 20.40pm. He tells me he stays online and doesn't close the app.
So what does the "last seen" stand for then? Is it the time he finally lost his signal or signed off -- or the last time he actively use the app chatting with someone?<issue_comment>username_1: From WhatsApp's [FAQ](http://www.whatsapp.com/faq/en/general/20971848):
>
> "Online" and "Last seen at" are timestamps that tell you whether
> that your contacts are online, or the last time they were connected to
> WhatsApp. "Last seen at" refers to the time the contact left WhatsApp.
> You can also think of this as "Went offline at"
>
>
>
So having the app open would still show you as "Online", but does not mean that any messages are being sent. Note that even then, [the timestamp might still be incorrect](http://www.whatsapp.com/faq/en/general/21555253).
Upvotes: 2 <issue_comment>username_2: The Whatsapp last seen timing is actually when was the last time the contact was seen online, or last used Whatsapp. It is a time stamp that is generated by the Whatsapp server.
There are actually apps that track last seen timings of contacts, like this one called [Spyder](https://play.google.com/store/apps/details?id=com.rebuildlabs.beanstalk&hl=en). It's pretty cool! It is like an MSN console that shows which of your friends are online right now!
Upvotes: 0 |
2013/05/21 | 237 | 1,013 | <issue_start>username_0: Recently, whenever I power on my phone, a toast appears saying "phone booted!!!". What does that mean? Is it a virus? I haven't installed any apps in a week or so.
<issue_comment>username_1: I have encountered this message as well. Its one of your applications.
Try to uninstall the last three applications you've installed if you remember their order.
Upvotes: -1 <issue_comment>username_2: Any application that uses RECEIVE\_BOOT\_COMPLETED permission can run when the phone boots (i.e. when it is first turned on), in your case to display a toast message.
Try checking the permissions on your (recently installed) apps. Any application that uses "Start on boot" permission is a candidate for your problem.
To further answer your question, I doubt it's a virus, especially if the app in question is installed from official sources. Most likely just a feature developer implemented to notify himself.
Upvotes: 1 |
2013/05/21 | 396 | 1,561 | <issue_start>username_0: So I purchased this new Xperia V today, updated to last firmware 9.1.A.1.140, but when I do stuff on the phone even when not too CPU demanding, it heats up very much, and I mean really heated up, near the camera flash... What could be wrong?<issue_comment>username_1: That is most likely where the battery is located. I don't know what your definition of "not too CPU demanding" but i know when i use my Galaxy nexus for extended lengths of time it heats up noticeably over where the battery is. Even when the screen is not actually on and i am not interacting with it, it can heat up due to processes and services going on in the background such as email sync or music playback or social site syncing. This could be part of what is going on with you. Also, when I charge it it heats up. There probably is not anything "wrong" with it, just a lot of stuff running. If it makes you feel better, when it starts to heat up, turn it off and take out the battery until it cools down, then put it back in.
Upvotes: 1 <issue_comment>username_2: Switch off your phone when you are not using.
Lock your phone when it's not working.
Don't run too many apps in same time.
Don't use the phone while it's charging.
Don't play games or watch videos when it's getting overheated.
And I have to tell you something... I have an Xperia V.
Upvotes: 0 <issue_comment>username_3: Try system updates (if available).
Usually company fixes these kind of problems in them.
Else close all the unwanted apps n restrict them from starting up again
Upvotes: 0 |
2013/05/21 | 672 | 2,571 | <issue_start>username_0: could anybody explain what is this download mode?
As described in here [How to root Innos A35](https://android.stackexchange.com/questions/44699/how-to-root-innos-a35)
as I hold vol up +vol down 5 seconds and at the same time connecting the USB cable to
my computer it shows up a removable disk and unknown drivers in windows 7.
My phone is also Innos A35 device locally sold as i35 from dialog telecom.
What are those? And what is this `download` mode?
But unlike the recovery mode, I didn't get a screen up. Is these two modes all coming
from ROM. what kind of code is there on ROM. [Well in x86 computer I could review
a opensource bios implementation, any idea on Android ARM ?].Where that consoles
come from?
Where is uboot located? Is this download mode is a mode that programmed into a ROM, where
I could not change it?
I have read the boot procedure of a typical android phone. But can't organize the info
with this.<issue_comment>username_1: Download mode is for flashing radio firmware/ROM upgrade through official means.
Some devices uses U-Boot over the generic boot, it is a boot-loader code found in read-only ROM chip on the board, which uses a certain memory address offset, in which the kernel from the `/boot` partition gets loaded into that specific certain memory address offset and jumps into that address and the kernel starts running.
For details of the generic LK boot which is employed by most, if not all, Qualcomm based devices, see [this](https://android.stackexchange.com/questions/40419/is-it-possible-to-boot-an-android-phone-from-a-usb-drive/41223#41223)
As for Download mode, for example ODIN is commonly used on Samsung devices to flash ROMs, those devices needs to be in download mode prior to flashing. However, ODIN is not the official way to do it, rather Kies, is the official route in upgrading the firmware, this is for Samsung devices for example.
Upvotes: 3 [selected_answer]<issue_comment>username_2: The device has both "download mode" and "bulk mode" as part of the SOC. When it is turned on, it decides if it should jump to any of those modes, or actually boot the "main processor". If it does, then the preloader/secondary bootloader (two different names for the same thing) kicks in. If you turn the device on, the preloader will run the bootloader (on QC devices usually the lk that was referred on another answer).
The bulk mode is meant to expose, in bulk, the device's partitions.
The download mode is meant to be used to push a programmer into the device and run it.
Upvotes: 1 |
2013/05/22 | 329 | 1,186 | <issue_start>username_0: I have a Samsung Galaxy S4 and figured out how to connect to WiFi, but I want only the data to go through WiFi, not the telephone calls. (I have had trouble w/ phone over wifi; the data is fine though + it saves me money going through WiFi.)
Is there a way to do this?<issue_comment>username_1: All the telephone calls go through Mobile network not Wifi. If you have any VoIP application like Viber or Skype installed. Then while making call, it asks whether you want to use Phone or Viber/Skype. I guess you might have selected one of these apps with "Always" settings.
In this case, go to Application Settings & Clear Defaults. And next time be sure of selecting Phone Always.
Upvotes: 0 <issue_comment>username_2: aha, found it:
under apps -> settings -> connections, I can turn overall use of Wi-Fi on or off.

Then if I select "More networks", I get this screen:

and I can turn on or off "Wi-Fi Calling".
Tmobile has a note about it here: <http://support.t-mobile.com/docs/DOC-5864>
Upvotes: 2 [selected_answer] |
2013/05/22 | 442 | 1,719 | <issue_start>username_0: I have an HTC Desire X and I Updated Android yesterday (I have android 4.1.1 now).
Since the update I have a new keyboard, which has keys on different places (such as the change language button). Also the Swype (or trace or whats-it-called) function is gone.
The picture below was my old keyboard, is there a way to get this keyboard back?

I already looked in `Settings > Language & keyboard` where I found HTC Sense input, but there is no possibility to turn on trace (or Swype) there or the option to select my old keyboard.<issue_comment>username_1: As soon as your keyboard appears, pull down the notifications center.
There you should see a notification "Choose Input Method", tap it.
A menu dialog should appear allowing you to choose a different keyboard.
Upvotes: -1 <issue_comment>username_2: My experience is that the Swype option disappeared with the upgrade. At first, I was really annoyed. Then I downloaded the Swype trial from Play. It is so much better than what I had before that I have no hesitation in paying the $0.99 to get the full-blown Swype.
Upvotes: 1 <issue_comment>username_3: I checked a few alternatives and found that the free [Go keyboard](https://play.google.com/store/apps/details?id=com.jb.gokeyboard) is the closest match to the old HTC Desire X one as the spacebar is longer and easier to press.
However, my phone gets slower whenever I want to open the keyboard to type like sms, Whatsapp,etc. Could be that the app is slowing down the phone. I wish they had include the swype keyboard in their latest software update. Kind of weird that they have taken out a function for an update.
Upvotes: 1 |
2013/05/22 | 961 | 3,721 | <issue_start>username_0: I am using a Sony Xperia Go mobile device with Android Gingerbread (2.3.7).
Whenever I try to use Tethering (USB/Mobile Wifi Tethering), I could not immediately access website using my laptop.
However, I know that there is an Internet connection because I can access websites using their IP address in my Google Chrome in my laptop. I tried `nslookup` in command prompt several times, trying to query Google's DNS servers (8.8.8.8 and 8.8.4.4) and 192.168.43.1 (my phone).
I always get the error `DNS request timed out.`
However, after several restarts, turning on/off Data and mobile hotspot, it would suddenly work and all the DNS requests through command line would get responses. But there is no definite number of restarts. Just today, it took me about 30-45 minutes doing this routine of restart-turn off hotspot-turn on-turn off mobile data-turn on.
Every time I do this, I can use my mobile phone to access the Internet. So, that is not the problem. The mobile phone can connect to the Internet.
I also use AirDroid. AirDroid is also working normally and I could access it in my browser. So there really is an established connection between the phone and the laptop. It's just DNS requests are not pushing through. I have tried this for both mobile hotspot/USB tethering.
My mobile provider allows tethering and I have a mobile data plan. Can you help me determine what is causing the DNS problem? This happens almost every day.<issue_comment>username_1: I ended up manually [changing my DNS server](http://www.techsupportalert.com/content/how-change-dns-server.htm) to tether Internet from my mobile phone. My phone uses a local DNS server from my mobile carrier which I was able to trace using [CompruebaIP](https://play.google.com/store/apps/details?id=com.alexisabarca.android.ipchecker).
Any other DNS server is blocked by my mobile carrier (Globe Telecom). I reckon that my phone's DNS service is not properly working. When tethering, the DNS provider should be my phone which serves as proxy when connecting to my mobile carrier's DNS servers. Thus, I had to set them manually on my laptop.
I am using Windows 8 and my phone is an Android Gingerbread 2.3. So basically, the problems are:
1. **My [mobile carrier](http://www.globe.com.ph/) is bad**. They are blocking other DNS servers and are monopolizing DNS requests. This isn't good because their servers aren't that good.
2. **My phone's DNS service appears to be broken**. This means my laptop could not connect to the DNS service of my mobile phone which then forwards DNS requests to my mobile carrier's DNS service.
Fortunately, after two months of despair, I was able to resolve this. This is what I did:
1. Find out what the actual DNS servers are my mobile carrier is using through [CompruebaIP](https://play.google.com/store/apps/details?id=com.alexisabarca.android.ipchecker).
2. [Manually set my laptop's DNS servers](http://www.techsupportalert.com/content/how-change-dns-server.htm) to the one used by my mobile carrier.
3. Even better, I retained [Google's Public DNS server 8.8.8.8](https://developers.google.com/speed/public-dns/) as my primary DNS server and used my mobile carrier's primary DNS server as my alternate DNS server.
So, now, I can use my mobile phone as my Internet provider for my laptop whenever I am not at home or at work without having to change anything every time I use it.
Upvotes: 4 [selected_answer]<issue_comment>username_2: I had a similar problem for a while. It was working for years, but a few weeks ago I got this annoying dns issue.
After a lot of googling and various attempts, I changed the password of the android hotspot and hop, it was working again.
Upvotes: 0 |
2013/05/22 | 871 | 2,995 | <issue_start>username_0: I bought an Android phone (Philips w632) and I'm unhappy with the text editor used when I SMS because when I want to edit a letter in the middle of a word I need to keep tapping the letter until the cursor gets there. When I tap and hold on, a magnifying glass appears and this shows clearly where the cursor is and it appears as if I can change its position, but the moment I let go the whole word gets highlighted with two tabs on either side.
When I'm typing something in the browser however an orange tab appears under the cursor and I can move this which in turn moves the cursor to the correct position.
I did download Swype with the hopes of changing this situation but unfortunately it has the same issue.<issue_comment>username_1: I don't know for sure as I haven't seen a Philips phone, but it sounds like Philips have put in their own SMS app which doesn't use the standard text entry field. The little tab to help you position the cursor accurately is part of that, not part of the keyboard.
If this is the case, then using a third-party SMS application instead will make it easier to use. There are many on Google Play, so just try one out and see if it helps.
Upvotes: 1 <issue_comment>username_2: Are you sure you have Android 2.3 (Gingerbread)? Because I think this is a feature that was added in this version of Android. I know I got this when I upgraded my HTC Desire from Android 2.2 to 2.3. You can see some images below showing this feature in action. *Click the images for high-res.*
[](https://i.stack.imgur.com/S1e1Y.png)
[](https://i.stack.imgur.com/n2Yjt.png)
[](https://i.stack.imgur.com/0NjdE.png)
[](https://i.stack.imgur.com/qmoxz.png)
[](https://i.stack.imgur.com/4YTTY.png)
The first four images show this feature in my SMS messaging app, and the last one shows the same feature in my browser. I use the stock apps for SMS and web browsing that came with the phone. But like I said, I didn't have this until I upgraded to Android 2.3.
Now from what I understand this is probably what you get when you try to do the same on your phone.
[](https://i.stack.imgur.com/OU8ZM.png)
Something like that? And maybe a magnifying window?
You need to make sure you have Android 2.3 (or higher) also known as Gingerbread. If you do have Android 2.3 (at least) then it probably has to do with your SMS messaging app. In that case you need to try a different SMS app.
Here are some SMS messaging apps you can try out.
* [chomp SMS](https://play.google.com/store/apps/details?id=com.p1.chompsms)
* [Handcent SMS](https://play.google.com/store/apps/details?id=com.handcent.nextsms)
* [Go SMS Pro](https://play.google.com/store/apps/details?id=com.jb.gosms)
Upvotes: 0 |
2013/05/22 | 538 | 1,845 | <issue_start>username_0: I'm using Galaxy Note. And I got this weird noise with auxiliary jack while charging in the car.
There is no noise while music is playing, and there is no noise if the charger is unplugged.
How do I solve it?<issue_comment>username_1: Now, that **is** weird!
* Play some music or unplug the charger.
* Try a different cable.
* Try a different charger.
I won't tell you to change your car, your stereo, or your phone, as those are expensive. But you can always try it out in someone else's car, if that's an option. You have to narrow down the problem by using trial and error method.
Upvotes: 0 <issue_comment>username_2: After a lot of Googling around, I found 2 possible solutions:
1. **Hardware** solution: [**Kensington Noise Reducing AUX Audio Cable**](http://rads.stackoverflow.com/amzn/click/B0031U1ATQ) - haven't tried it myself. Yet some guys at [android central](http://forums.androidcentral.com/htc-evo-4g-lte/176437-weird-noises-aux-jack-car.html) report it worked for them.
2. **Software** solution: [**Aux Noise Filter**](https://play.google.com/store/apps/details?id=com.msdevs.auxnoisereducer) app - Tried it on my Galaxy Note. Works like a charm.
Upvotes: 3 [selected_answer]<issue_comment>username_3: Same problem. Tried changing the charger and audio cable. Only buying a ground loop isolator worked. The PAC SNI from Amazon solved my problem, and got high reviews too.
<http://www.thoughtworthy.info/BlogPost/158/Android-Phone-Buzzes-in-Car-While-Charging-And-Listening-to-Music>
Upvotes: 0 <issue_comment>username_4: I had this problem on my Galaxy S4 - whining noise from alternator (changing pitch with engine revs) plus random static. It only occurred when the charger was plugged in the USB port, and when no music was playing. I installed Aux Noise Filter and it worked a treat.
Upvotes: 2 |
2013/05/22 | 828 | 2,993 | <issue_start>username_0: I'm experiencing an annoying (and costly) problem on my HTC Desire X. (Android 4.1.1) Every time I send a single message to multiple contacts at the same time, the message will be sent as MMS rather than SMS, even though it is a normal text message (not too many words).
I am using Facebook's messenger app to send 'normal' messages as well, but I don't think it has anything to do with it.
EDIT: okay, so after some testing I noticed it **has** to do with Facebook messenger's app. I went over all settings but can't seem to find anything that disables MMS for group messaging?<issue_comment>username_1: This is an easy problem to fix, I believe @BryanDenny [already mentioned it](https://android.stackexchange.com/questions/45901/sending-single-sms-message-to-multiple-contacts-causes-mms#comment61910_45901).
1. Go to the stock Android messaging app.
2. Click the Overflow menu button down in the lower left hand corner (it looks like three boxes stacked on each other).
3. Select "Settings" from the pop-up menu; should be the first option.
4. Under "Multimedia (MMS) Messages, uncheck the item that says: "Group messaging- Use MMS to send a single message when there are multiple recipients".
Upvotes: 1 <issue_comment>username_2: In all likelihood, MMS is just the standard for a group message due to the slightly larger overhead even though you are sending only text. It technically has to send that text times the number of recipients and even though that is still considerably less information than a picture, I would guess it's yet another dick move by big telecom to rake in more money.
SMS/MMS should be free, and it can be:
1. [Get a Google voice number](https://support.google.com/voice/answer/150640?hl=en)
2. [Install/configure Hangouts](https://play.google.com/store/apps/details?id=com.google.android.talk&hl=en) ([also integrates with chrome](https://chrome.google.com/webstore/detail/hangouts/nckgahadagoaajjgafhacjanaoiihapd?hl=en))
3. Set Google voice number in hangouts to the default sending number
4. Free MMS/SMS over data
5. Added bonus: [Free phone calls with Hangouts using Google voice](https://play.google.com/store/apps/details?id=com.google.android.apps.hangoutsdialer&hl=en)
You can still have facebook as well as the stock messaging app on your phone and choose to use any of the three at any point in time. They should all synchronize to a degree.
An alternative workaround would be to send the message to one person, and then copy the text and send it to the next person, etc.
Also worth noting just in case:
>
> If you add a Subject to the message you're making, it gets converted
> to MMS format. Even if the Subject is empty, at least, that's what I
> know ([source](https://android.stackexchange.com/a/31909/19168))
>
>
>
It is also relevant how many characters are being sent. If it is > 160 (or perhaps another close number), there is a good chance the protocol gets bumped to MMS automatically.
Upvotes: 0 |
2013/05/22 | 817 | 2,872 | <issue_start>username_0: I was using `adb shell` to have a peek at what's going on a Sony Xperia Z phone. I've noticed a few services (e.g. `com.sonymobile.socialengine.plugins`, `com.google.android.youtube`, etc.).
I'd like to know more about, like where would such a service live and what files it uses.
So far I've using `find` or other typical linux commands, but the phone isn't rooted so I'm a bit stuck.
Is there a way to do that ? If so, how ? If not, what are my options ?<issue_comment>username_1: This is an easy problem to fix, I believe @BryanDenny [already mentioned it](https://android.stackexchange.com/questions/45901/sending-single-sms-message-to-multiple-contacts-causes-mms#comment61910_45901).
1. Go to the stock Android messaging app.
2. Click the Overflow menu button down in the lower left hand corner (it looks like three boxes stacked on each other).
3. Select "Settings" from the pop-up menu; should be the first option.
4. Under "Multimedia (MMS) Messages, uncheck the item that says: "Group messaging- Use MMS to send a single message when there are multiple recipients".
Upvotes: 1 <issue_comment>username_2: In all likelihood, MMS is just the standard for a group message due to the slightly larger overhead even though you are sending only text. It technically has to send that text times the number of recipients and even though that is still considerably less information than a picture, I would guess it's yet another dick move by big telecom to rake in more money.
SMS/MMS should be free, and it can be:
1. [Get a Google voice number](https://support.google.com/voice/answer/150640?hl=en)
2. [Install/configure Hangouts](https://play.google.com/store/apps/details?id=com.google.android.talk&hl=en) ([also integrates with chrome](https://chrome.google.com/webstore/detail/hangouts/nckgahadagoaajjgafhacjanaoiihapd?hl=en))
3. Set Google voice number in hangouts to the default sending number
4. Free MMS/SMS over data
5. Added bonus: [Free phone calls with Hangouts using Google voice](https://play.google.com/store/apps/details?id=com.google.android.apps.hangoutsdialer&hl=en)
You can still have facebook as well as the stock messaging app on your phone and choose to use any of the three at any point in time. They should all synchronize to a degree.
An alternative workaround would be to send the message to one person, and then copy the text and send it to the next person, etc.
Also worth noting just in case:
>
> If you add a Subject to the message you're making, it gets converted
> to MMS format. Even if the Subject is empty, at least, that's what I
> know ([source](https://android.stackexchange.com/a/31909/19168))
>
>
>
It is also relevant how many characters are being sent. If it is > 160 (or perhaps another close number), there is a good chance the protocol gets bumped to MMS automatically.
Upvotes: 0 |
2013/05/22 | 189 | 754 | <issue_start>username_0: I've got a new Android 4.1 tablet. I am trying to run an old app which was created for Android 2.1 and relies on the menu button.
Can somebody points me to a ready-made application which returns the new menu button? Any idea?<issue_comment>username_1: When a newer device loads an app that targets an old Android version, it displays a menu button on the system bar, near the home, recents, and back buttons. It has the same "three dots" icon that you see on newer Android apps. Pressing this has the same effect as pressing the menu key on a device that has one.
Upvotes: 3 [selected_answer]<issue_comment>username_2: On my S6 Edge plus (just upgraded from an S4), I found a long press on the back button solved it.
Upvotes: 2 |
2013/05/23 | 1,559 | 5,740 | <issue_start>username_0: I usually get packages from <http://f-droid.org/> repository through their package browser (because then I have a guarantee that I use free (= libre) software); and they are signed with their key.
I use CyanogenMod 10; and I have root access.
I don't like allowing packages from "unknown sources" for this.
Can I set up the system so that f-droid counts as a known source, and packages from all other unknown sources are not allowed to be installed by default as before.
Perhaps, something can be patches in the CyanogenMod distro to add f-droid's key as a key for a "known source" of packages.<issue_comment>username_1: Almost every F-Droid app is signed with a different key, though all keys are in the same key store. In order for the switch to be bypassed, F-Droid client would have to be installed as a system app and made to work safely as such. Some code has been supplied for this to work, but it hasn't been integrated yet.
Upvotes: 2 <issue_comment>username_2: According to this [changelog](https://gitlab.com/fdroid/fdroidclient/blob/master/CHANGELOG.md) the upcoming f-droid version 0.71 should support this.
Another mention of this is in:
<https://github.com/WhisperSystems/TextSecure/issues/127#issuecomment-51065857>
Upvotes: 2 <issue_comment>username_3: there is f-droid privilege extension
<https://f-droid.org/en/packages/org.fdroid.fdroid.privileged.ota/>
with it you should be able to install apps without having to enable "unknown source".
there are two ways to install. one using sideload. another using adb root. i will explain both below.
if done correctly fdroid with the privilege extension should even survive a reset to factory settings. it is a part of the system then.
---
preparations for both install methods
* download the f-droid privilege extension from f-droid website to your pc.
<https://f-droid.org/en/packages/org.fdroid.fdroid.privileged.ota/>
to download you need to scroll down then download the latest zip. the filename should be something like this: `org.fdroid.fdroid.privileged.ota_2110.zip`
* install adb on your pc and enable "usb debugging" on your device. search the internet for how to do that.
adb is a command line tool so open a terminal. then navigate to the directory where the privileged extension zip file is located.
* connect the device to your pc using an usb cable.
* verify that the device is recognized using the command `adb devices`.
it should show something like this:
```
$ adb devices
List of devices attached
device
```
if it says `unauthorized` or anything else you need to debug your connection. search the internet for how to do that.
---
the sideload method
for this you need a custom recovery which allows sideload installed on your device.
if you have lineageos installed you typically already have a suitable custom recovery. otherwise download and install twrp (<https://twrp.me/>).
1. connect your device to pc with usb cable. verify device is listed under
```
adb devices
```
2. boot your device to sideload
```
adb reboot sideload
```
OR: boot your device to recovery
```
adb reboot recovery
```
then on your device in recovery set the device to sideload. in the lineageos recovery this is called "apply update" then "apply from ADB".
3. install privilege extension by sideload
```
adb sideload org.fdroid.fdroid.privileged.ota_2110.zip
```
4. reboot device back to android.
```
adb reboot
```
OR: click on reboot in the recovery menu
check if privilege extension is enabled. see below for how to do that.
more information:
* <https://android.izzysoft.de/articles/named/fdroid-intro-1>
* <https://android.izzysoft.de/articles/named/fdroid-intro-2>
---
the adb root method
for this you also need "rooted debugging" enabled on your device (alongside "usb debugging").
it seems "rooted debugging" is only available if you have a custom rom like lineageos installed.
unzip the downloaded privilege extension.
now run the following adb commands one by one
```
adb root
adb remount
adb push F-DroidPrivilegedExtension.apk /system/priv-app/
adb push permissions_org.fdroid.fdroid.privileged.xml /system/etc/permissions/
adb push F-Droid.apk /system/app/
adb push 80-fdroid.sh /system/addon.d/
adb reboot
```
verify that there are no error messages after each step. except `adb remount` which seems to be unnecessary on recent lineageos versions. but no harm done (as far as i understand) so continue anyway.
after reboot check if privilege extension is enabled.
more information:
* <https://forum.f-droid.org/t/privileged-extension-ota-workaround-for-los-17-1/11058>
* <https://github.com/Toasterbirb/fdroid-privileged-extension>
---
how to check if the privilege extension is enabled
1. open f-droid
2. go to settings
3. scroll all the way down
4. enable expert mode (will open more settings to the bottom)
5. scroll all the way down again
6. if you see a green checkmark beside "privileged extension" then it is enabled.
"privileged extension" is the very last option in the settings page. if you have scrolled all the way to the bottom and the last option is not "privileged extension" then the privileged extension is not enabled. also probably not correctly installed.
---
notes:
i have installed many fdroid with privilege extensions on many lineageos on many devices. often there were hiccups along the way and it does not work for reasons that i do not understand.
most of the time i managed to get it working after some searching on the internet and some tinkering. sometimes it seems just dumb luck getting the right command combination by coincidence to get it to work.
sometimes it just does not work. sorry that i cannot help you further then.
---
Upvotes: 2 |
2013/05/23 | 400 | 1,689 | <issue_start>username_0: I plug in my Nexus 4 to a charger cable plugged into a wall outlet each night, and each morning I disconnect it.
But sometimes during the day when it's *not* plugged in, like today, it says "Charging - 95%", and later, it says, "Charging - 92%", and continues to discharge normally. The battery icon also shows the little lightning bolt symbol to indicate charging.
I've seen the related/similar questions but they don't match my device or situation, as far as I can tell. Since other devices have similar issues, is it a software problem?<issue_comment>username_1: Either the battery is damaged or it's a software issue. You should first try to reboot the phone. If it doesn't fix it, try a factory reset.
Upvotes: 1 <issue_comment>username_2: This happens to me too. But only when leaving the screen on with full brightness, having a wifi hotspot, using location services, and playing a game at the same time. Basically, you are using more power than your charger can provide.
Upvotes: 0 <issue_comment>username_3: It wasn't really a new question. It's the same as this one but with all the mentioned precautions already in place. Plus a full power off would preclude apps from preventing a battery charge since it's not idle but off. So my contention is that these temp fixes seem t circumvent a major flaw in the system but nothing actually seems to permanently fix it. The comment is on topic it just expands the parameters a bit since we're not all experiencing the same results from many different fixes. From what I am seeing most of these fixes are temporary and don't actually fix anything they are workarounds that must be repeated often.
Upvotes: -1 |
2013/05/23 | 379 | 1,640 | <issue_start>username_0: I was using my Nexus S today and it turned off suddenly. I plugged it in to charge and saw it load to the boot splash screen, and then I went to sleep.
When I woke up 2 hours later my phone was dead. I plugged it in to the charge for another half an hour, but both the phone and the charger started getting very hot. I tested my charger and battery with another phone and both seemed to work properly without the excess heat. What happened to my phone that's causing it to heat up like this?<issue_comment>username_1: Either the battery is damaged or it's a software issue. You should first try to reboot the phone. If it doesn't fix it, try a factory reset.
Upvotes: 1 <issue_comment>username_2: This happens to me too. But only when leaving the screen on with full brightness, having a wifi hotspot, using location services, and playing a game at the same time. Basically, you are using more power than your charger can provide.
Upvotes: 0 <issue_comment>username_3: It wasn't really a new question. It's the same as this one but with all the mentioned precautions already in place. Plus a full power off would preclude apps from preventing a battery charge since it's not idle but off. So my contention is that these temp fixes seem t circumvent a major flaw in the system but nothing actually seems to permanently fix it. The comment is on topic it just expands the parameters a bit since we're not all experiencing the same results from many different fixes. From what I am seeing most of these fixes are temporary and don't actually fix anything they are workarounds that must be repeated often.
Upvotes: -1 |