conversion string to bytearray very very slow on iOS

Dear members,

I want to convert the string value of image read xml to bytearray to an iOS Application file.

By asking Google, I discovered that there is an existing class from Base64 written by Subhero for AS3.

I have attached the code below for your references

However, during testing, I found that the _decodeSring(str); function call is really really slow. It took hundreds mini-secondes to run. My image string length is about 90 k.

Has anyone else tried with this room code and what is the performance.

Is there another way to do the conversion, even with the best performance?

Thank you

/*
*  A Base64 encoder/decoder implementation in Actionscript 3
*  This work is made available under http://creativecommons.org/licenses/by-nc-sa/2.0/de/deed.en
*
*  @author [email protected]
*  @version 0.5
*/

package formatter {
// import ->
import flash.utils.ByteArray;
import flash.errors.EOFError;
// <- import

// Base64 ->
/*
*   A class used for transforming a ByteArray to a Base64-encoded string and vice versa.
*   Since the "built-in" class (mx.utils.Base64Encoder) is not documented yet, this class can be 
*   used for Base64 encoding/decoding in the meantime.
*   The class will be deprecated as soon as Macromedia/Adobe decides to fully release the
*   "native" AS3 Base64 class (Flex2 full release respectively).
*   Its implementation is based upon a HowTo {@link http://www.kbcafe.com/articles/HowTo.Base64.pdf},
*   a Java implementation {@link http://ostermiller.org/utils/Base64.java.html} and an
*   AS2-implementation by Jason Nussbaum {@link http://blog.jasonnussbaum.com/?p=108}
*
*/

public class Base64 {
   
// mx.utils.StringUtil
   
public static function isWhitespace(char:String):Boolean{
       
switch (char){
           
case " ":
           
case "\t":
           
case "\r":
           
case "\n":
           
case "\f":
               
return true;   
           
default:
               
return false;
       
}
   
}

   
// the Base64 "alphabet"
   
private static var _b64Chars:Array=new Array(
       
'A','B','C','D','E','F','G','H',
       
'I','J','K','L','M','N','O','P',
       
'Q','R','S','T','U','V','W','X',
       
'Y','Z','a','b','c','d','e','f',
       
'g','h','i','j','k','l','m','n',
       
'o','p','q','r','s','t','u','v',
       
'w','x','y','z','0','1','2','3',
       
'4','5','6','7','8','9','+','/'
   
)
   
// the reverse-lookup object used for decoding
   
private static var _b64Lookup:Object=_buildB64Lookup();
   
// the boolean to insert linebreaks after 76 chars into the Base64 encoded string
   
private static var _linebreaks:Boolean;

   
/*
    *   The class method for encoding an array of bytes to a Base64 encoded string.
    *
    *   @param bArr A ByteArray containing values to encode
    *   @param linebreaks A boolean to insert a linebreak after 76 Base64-chars
    *   @return The Base64 encoded string
    *  
    */

   
public static function Encode(bArr:ByteArray, linebreaks:Boolean=false):String
   
{
        _linebreaks
= linebreaks;
       
return _encodeBytes(bArr);
   
}

   
/*
    *   The class method for decoding a Base64 encoded string to an array of bytes.
    *
    *   @param str A Base64 encoded string
    *   @return An array of bytes
    *  
    */

   
public static function Decode(str:String):ByteArray
   
{
       
return _decodeSring(str);
   
}

   
/*
    *   The private helper class method to build an object used for reverse B64 char lookup.
    *
    *   @return An object with each B64 char as a property containing the corresponding value
    *  
    */

   
private static function _buildB64Lookup():Object
   
{
       
var obj:Object=new Object();
       
for (var i:Number=0; i < _b64Chars.length; i++)
       
{
            obj
[_b64Chars[i]]=i;
       
}
       
return obj;
   
}

   
/*
    *   The private helper class method to determine whether a given char is B64 compliant.
    *
    *   @param char A character as string (length=1)
    *   @return A boolean indicating the given char *is* in the B64 alphabet
    *  
    */

   
private static function _isBase64(char:String):Boolean
   
{
       
return _b64Lookup[char] != undefined;
   
}

   
/*
    *   The private class method for encoding an array of bytes into a B64 encoded string.
    *
    *   @param bs An array of bytes
    *   @return The B64 encoded string
    *
    *   @see formatter.Base64.Encode()
    *  
    */

   
private static function _encodeBytes(bs:ByteArray):String
   
{
       
var b64EncStr:String = "";
       
var bufferSize:uint;
       
var col:uint=0;
        bs
.position=0;
       
while (bs.position < bs.length)
       
{
            bufferSize
= bs.bytesAvailable >= 3 ? 3 : bs.bytesAvailable;
           
var byteBuffer:ByteArray=new ByteArray();
            bs
.readBytes(byteBuffer, 0, bufferSize);
            b64EncStr
+= _b64EncodeBuffer(byteBuffer);
            col
+=4;
           
if (_linebreaks && col%76 == 0) {
                b64EncStr
+= "\n";
                col
=0;
           
}
       
}
       
return b64EncStr.toString();
   
}

   
/*
    *   The private class method for encoding a buffer of 3 bytes (24bit) to 4 B64-chars
    *   (representing 6bit each => 24bit).
    *
    *   @param buffer An array of bytes (1 <= length <= 3)
    *   @return The byte buffer encoded to 4 B64 chars as string
    *
    *   @see formatter.Base64._encodeBytes()
    *  
    */

   
private static function _b64EncodeBuffer(buffer:ByteArray):String
   
{
       
var bufferEncStr:String = "";
        bufferEncStr
+= _b64Chars[buffer[0] >> 2];
       
switch (buffer.length)
       
{
           
case 1 :
                bufferEncStr
+= _b64Chars[((buffer[0] << 4) & 0x30)];
                bufferEncStr
+= "==";
               
break;
           
case 2 :
                bufferEncStr
+= _b64Chars[(buffer[0] << 4) & 0x30 | buffer[1] >> 4];
                bufferEncStr
+= _b64Chars[(buffer[1] << 2) & 0x3c];
                bufferEncStr
+= "=";
               
break;
           
case 3 :
                bufferEncStr
+= _b64Chars[(buffer[0] << 4) & 0x30 | buffer[1] >> 4];
                bufferEncStr
+= _b64Chars[(buffer[1] << 2) & 0x3c | buffer[2] >> 6];
                bufferEncStr
+= _b64Chars[buffer[2] & 0x3F];
               
break;
           
default :   trace("Base64 byteBuffer outOfRange"); 
       
}          
       
return bufferEncStr.toString();
   
}

   
/*
    *   The private class method for decoding a string containing B64 chars to an array of bytes
    *
    *   @param s The B64 encoded string
    *   @return A decoded array of bytes
    *
    *   @see formatter.Base64.Decode()
    *  
    */

   
private static function _decodeSring(s:String):ByteArray
   
{
       
var b64EncString:String="" + s;
       
var b64DecBytes:ByteArray=new ByteArray();
       
var stringBuffer:String="";
       
var lgth:uint=b64EncString.length;     
       
for (var i:uint=0; i < lgth; i++)
       
{
           
var char:String=b64EncString.charAt(i);
           
if (!isWhitespace(char) && (_isBase64(char) || char == "=")) {
                stringBuffer
+= char;
               
if (stringBuffer.length == 4) {
                    b64DecBytes
.writeBytes( _b64DecodeBuffer(stringBuffer) );
                    stringBuffer
="";
               
}
           
}
       
}
        b64DecBytes
.position=0;
       
return b64DecBytes;
   
}

   
/*
    *   The private class method for decoding a string buffer of 4 B64 chars
    *   (each representing 6bit) to an array of 3 bytes.
    *
    *   @param buffer A string containing B64 chars (length = 4)
    *   @return An array of bytes containing the decoded values
    *
    *   @see formatter.Base64._decodeBytes()
    *  
    */

   
private static function _b64DecodeBuffer(buffer:String):ByteArray
   
{
       
var bufferEncBytes:ByteArray=new ByteArray();
       
var charValue1:uint=_b64Lookup[buffer.charAt(0)];
       
var charValue2:uint=_b64Lookup[buffer.charAt(1)];
       
var charValue3:uint=_b64Lookup[buffer.charAt(2)];
       
var charValue4:uint=_b64Lookup[buffer.charAt(3)];
        bufferEncBytes
.writeByte(charValue1 << 2 | charValue2 >> 4);
       
if (buffer.charAt(2) != "=") bufferEncBytes.writeByte(charValue2 << 4 | charValue3 >> 2);
       
if (buffer.charAt(3) != "=") bufferEncBytes.writeByte(charValue3 << 6 | charValue4);
       
return bufferEncBytes;
   
}  
}
// <- Base64
}

Found another sample of code http://www.foxarc.com/blog/article/60.htm

It is waaaay faster than the code I post above, if someone wants to convert ByteArray Base64 string, can reference it.

Tags: Flex

Similar Questions

  • Backups Time Machine very slow on 2015 MacBook Air

    Associated with a topic of discussion between a few days ago (two MacBooks, 10.11.4, a fast Time Machine backup and a very slow), I start a new topic with new information that seem to show it is a problem more general and not related to Time Machine networks.

    Here's the situation:

    • A 2015 MacBook Air, 10.11.4, 8 GB / 512 GB, has extremely slow performance of backup Time Machine, taking 40 hours for the first 300 GB backup and incremental backups for a long time as well
    • TM performance is essentially the same whether on the network (wired Ethernet) or a USB3 external disk
    • When you back up to disk USB3, I confirmed that the information system shows that the port is configured as USB3, not USB2 (nothing else is plugged into the USB port)
    • Tests of bandwidth I/O gross (using dd and iperf) show no problem; the network reached 110 MB/s bandwidth, written network managed at 50 Mbps, external USB3 HD written work at 40-50 MB/s (write hard drive speed limit)
    • 3 other Macs of various ages from 2009-2014 on the same network have no problem at all do backups Time Machine Network; a backup complete first on a 2011 MacBook Pro 500 GB takes 5 hours or more than 10 x faster than the MBA problem
    • Time machine network uses a Linux server running the latest Debian and Netatalk 3.1.8 and the connection is via a USB3/Gigabit adapter, no WiFi, and iperf tests with this arrangement shows 900 MB/s of throughput of the server.  In all cases, the Time Machine and external time Machine Network USB HD have the same symptoms.
    • The problem with MacBook Air is configured the same as the MacBook Pro 2011, which she replaced "daily driver", possible
    • This problem was shown by the MBA since his unboxing conversion, taking 20 hours for his first backup once Setup initially.  Incremental backups now take several hours, leading to interrupted incremental backups and, I believe, databases corrupted backup triggers new full backups that take today the 40 hours.

    Using Terminal Server and iostat, Console, etc, I see that there is significant activity e/s for the backup drive on the order of 20 to 40 MB/s for long periods on the MBA during the TM backup, but during that time the average declared backup size as shown in the window in the console and TM is growing by only 5 GB/hour.  This occur even if the backup will the external drive or a network drive. This seems to mean that the I/O bandwidth to and from the disk hard external, only 1/600 contributes to the progress of the backup.  I am sure that there is overload of certain checks and other tasks, but not to a 600-to-1 ratio.

    I tried to disable the limitation of the I/O of low priority as shown here: http://apple.stackexchange.com/questions/212537/time-machine-ridiculously-slow-a close-el-capitan-upgrade, that helps a bit (maybe 20-30%), but not by a factor of 10 for others.

    I have gone through a number of the Time Machine of Pondini troubleshooting steps, but he found nothing corresponding to these symptoms.

    The only thing I can conclude is that Time Machine, the application or configuration, on this specific MBA, is down. (A single thought that I wrote this to the top that I have not tried: the MBA and the time MBP running VMware Fusion and have a file of 50 + GB VM; on the MBA that is not excluded from TM backups while on the MBP is)

    Does anyone have advice on what to watch next?  In all cases, only one key would be why it seems that only 0.16% of all the bandwidth I/O to the backup drive seems to be actual data backup.

    Once again, three other Macs, all running the same 10.11.4, back to the Time Machine Server perfectly and have for years.  Only this new MBA glue as broken out, either to a network drive or an external hard drive USB3.

    (A single thought that I wrote this to the top that I have not tried: the MBA and the time MBP running VMware Fusion and have a file of 50 + GB VM; on the MBA that is not excluded from TM backups while on the MBP is)

    What happens when you exclude it as the MBP?

  • my computer runs very slow, what can I do?

    my computer runs very slow, what can I do?

    * original title - performance and security in Internet Explorer *.

    Hello

    Use the startup clean and other methods to try to determine the cause of and eliminate
    the questions.

    ---------------------------------------------------------------

    What antivirus/antispyware/security products do you have on the machine? Be one you have NEVER
    on this machine, including those you have uninstalled (they leave leftovers behind which can cause
    strange problems).

    ----------------------------------------------------

    Follow these steps:

    Start - type this in the search box-> find COMMAND at the top and RIGHT CLICK – RUN AS ADMIN

    Enter this at the command prompt - sfc/scannow

    How to analyze the log file entries that the Microsoft Windows Resource Checker (SFC.exe) program
    generates in Windows Vista cbs.log
    http://support.Microsoft.com/kb/928228

    Also run CheckDisk, so we cannot exclude as much as possible of the corruption.

    How to run the check disk at startup in Vista
    http://www.Vistax64.com/tutorials/67612-check-disk-Chkdsk.html

    ==========================================

    After the foregoing:

    How to troubleshoot a problem by performing a clean boot in Windows Vista
    http://support.Microsoft.com/kb/929135
    How to troubleshoot performance issues in Windows Vista
    http://support.Microsoft.com/kb/950685

    Optimize the performance of Microsoft Windows Vista
    http://support.Microsoft.com/kb/959062
    To see everything that is in charge of startup - wait a few minutes with nothing to do - then right-click
    Taskbar - the Task Manager process - take a look at stored by - Services - this is a quick way
    reference (if you have a small box at the bottom left - show for all users, then check that).

    How to check and change Vista startup programs
    http://www.Vistax64.com/tutorials/79612-startup-programs-enable-disable.html

    A quick check to see that load method 2 is - using MSCONFIG then put a list of
    those here.
    --------------------------------------------------------------------

    Tools that should help you:

    Process Explorer - free - find out which files, key of registry and other objects processes have opened.
    What DLLs they have loaded and more. This exceptionally effective utility will show you even who has
    each process.
    http://TechNet.Microsoft.com/en-us/Sysinternals/bb896653.aspx

    Autoruns - free - see what programs are configured to start automatically when you start your system
    and you log in. Autoruns also shows you the full list of registry and file locations where applications can
    Configure auto-start settings.
    http://TechNet.Microsoft.com/en-us/sysinternals/bb963902.aspx
    Process Monitor - Free - monitor the system files, registry, process, thread and DLL real-time activity.
    http://TechNet.Microsoft.com/en-us/Sysinternals/bb896645.aspx

    There are many excellent free tools from Sysinternals
    http://TechNet.Microsoft.com/en-us/Sysinternals/default.aspx

    -Free - WhatsInStartUP this utility displays the list of all applications that are loaded automatically
    When Windows starts. For each request, the following information is displayed: Type of startup (registry/Startup folder), Command - Line String, the product name, Version of the file, the name of the company;
    Location in the registry or the file system and more. It allows you to easily disable or remove unwanted
    a program that runs in your Windows startup.
    http://www.NirSoft.NET/utils/what_run_in_startup.html

    There are many excellent free tools to NirSoft
    http://www.NirSoft.NET/utils/index.html

    Window Watcher - free - do you know what is running on your computer? Maybe not. The window
    Watcher says it all, reporting of any window created by running programs, if the window
    is visible or not.
    http://www.KarenWare.com/PowerTools/ptwinwatch.asp

    Many excellent free tools and an excellent newsletter at Karenware
    http://www.KarenWare.com/

    ===========================================

    Vista and Windows 7 updated drivers love then here's how update the most important.

    This is my generic how updates of appropriate driver:

    This utility, it is easy see which versions are loaded:

    -Free - DriverView utility displays the list of all device drivers currently loaded on your system.
    For each driver in the list, additional useful information is displayed: load address of the driver,
    Description, version, product name, company that created the driver and more.
    http://www.NirSoft.NET/utils/DriverView.html

    For drivers, visit manufacturer of emergency system and of the manufacturer of the device that are the most common.
    Control Panel - device - Graphics Manager - note the brand and complete model
    your video card - double - tab of the driver - write version information. Now, click on update
    Driver (this can do nothing as MS is far behind the certification of drivers) - then right-click.
    Uninstall - REBOOT it will refresh the driver stack.

    Repeat this for network - card (NIC), Wifi network, sound, mouse, and keyboard if 3rd party
    with their own software and drivers and all other main drivers that you have.

    Now in the system manufacturer (Dell, HP, Toshiba as examples) site (in a restaurant), peripheral
    Site of the manufacturer (Realtek, Intel, Nvidia, ATI, for example) and get their latest versions. (Look for
    BIOS, Chipset and software updates on the site of the manufacturer of the system here.)

    Download - SAVE - go to where you put them - right click - RUN AD ADMIN - REBOOT after
    each installation.

    Always check in the Device Manager - drivers tab to be sure the version you actually install
    presents itself. This is because some restore drivers before the most recent is installed (sound card drivers
    in particular that) so to install a driver - reboot - check that it is installed and repeat as
    necessary.

    Repeat to the manufacturers - BTW in the DO NOT RUN THEIR SCANNER device - check
    manually by model.

    Look at the sites of the manufacturer for drivers - and the manufacturer of the device manually.
    http://pcsupport.about.com/od/driverssupport/HT/driverdlmfgr.htm

    How to install a device driver in Vista Device Manager
    http://www.Vistax64.com/tutorials/193584-Device-Manager-install-driver.html

    If you update the drivers manually, then it's a good idea to disable the facilities of driver under Windows
    Updates, that leaves about Windows updates but it will not install the drivers that will be generally
    older and cause problems. If updates offers a new driver and then HIDE it (right click on it), then
    get new manually if you wish.

    How to disable automatic driver Installation in Windows Vista - drivers
    http://www.AddictiveTips.com/Windows-Tips/how-to-disable-automatic-driver-installation-in-Windows-Vista/
    http://TechNet.Microsoft.com/en-us/library/cc730606 (WS.10) .aspx

    ===========================================

    Refer to these discussions because many more excellent advice however don't forget to check your antivirus
    programs, the main drivers and BIOS update and also solve the problems with the cleanboot method
    first.

    Problems with the overall speed of the system and performance
    http://support.Microsoft.com/GP/slow_windows_performance/en-us

    Performance and Maintenance Tips
    http://social.answers.Microsoft.com/forums/en-us/w7performance/thread/19e5d6c3-BF07-49ac-a2fa-6718c988f125

    Explorer Windows stopped working
    http://social.answers.Microsoft.com/forums/en-us/w7performance/thread/6ab02526-5071-4DCC-895F-d90202bad8b3

    I hope this helps and happy holidays!

    Rob Brown - Microsoft MVP<- profile="" -="" windows="" expert="" -="" consumer="" :="" bicycle="" -="" mark="" twain="" said="" it="">

  • My computer is very slow. I used it for a year.

    original title: slow computer

    my computer is very slow and I have only had for a year I do not download anything that is mainly for testing or research, but I would like to catch up on shows I missed, but they take forever to watch because it's so slow, how can I solve this problem?

    Hello

    What antivirus/antispyware/security products do you have on the machine? Be one you have NEVER
    on this machine, including those you have uninstalled (they leave leftovers behind which can cause
    strange problems).

    ----------------------------------------------------

    Follow these steps:

    Start - type this in the search box-> find COMMAND at the top and RIGHT CLICK – RUN AS ADMIN

    Enter this at the command prompt - sfc/scannow

    How to analyze the log file entries that the Microsoft Windows Resource Checker (SFC.exe) program
    generates in Windows Vista cbs.log
    http://support.Microsoft.com/kb/928228

    Also run CheckDisk, so we cannot exclude as much as possible of the corruption.

    How to run the check disk at startup in Vista
    http://www.Vistax64.com/tutorials/67612-check-disk-Chkdsk.html

    ==========================================

    After the foregoing:

    How to troubleshoot a problem by performing a clean boot in Windows Vista
    http://support.Microsoft.com/kb/929135
    How to troubleshoot performance issues in Windows Vista
    http://support.Microsoft.com/kb/950685

    Optimize the performance of Microsoft Windows Vista
    http://support.Microsoft.com/kb/959062
    To see everything that is in charge of startup - wait a few minutes with nothing to do - then right-click
    Taskbar - the Task Manager process - take a look at stored by - Services - this is a quick way
    reference (if you have a small box at the bottom left - show for all users, then check that).

    How to check and change Vista startup programs
    http://www.Vistax64.com/tutorials/79612-startup-programs-enable-disable.html

    A quick check to see that load method 2 is - using MSCONFIG then put a list of
    those here.
    --------------------------------------------------------------------

    Tools that should help you:

    Process Explorer - free - find out which files, key of registry and other objects processes have opened.
    What DLLs they have loaded and more. This exceptionally effective utility will show you even who has
    each process.
    http://TechNet.Microsoft.com/en-us/Sysinternals/bb896653.aspx

    Autoruns - free - see what programs are configured to start automatically when you start your system
    and you log in. Autoruns also shows you the full list of registry and file locations where applications can
    Configure auto-start settings.
    http://TechNet.Microsoft.com/en-us/sysinternals/bb963902.aspx
    Process Monitor - Free - monitor the system files, registry, process, thread and DLL real-time activity.
    http://TechNet.Microsoft.com/en-us/Sysinternals/bb896645.aspx

    There are many excellent free tools from Sysinternals
    http://TechNet.Microsoft.com/en-us/Sysinternals/default.aspx

    -Free - WhatsInStartUP this utility displays the list of all applications that are loaded automatically
    When Windows starts. For each request, the following information is displayed: Type of startup (registry/Startup folder), Command - Line String, the product name, Version of the file, the name of the company;
    Location in the registry or the file system and more. It allows you to easily disable or remove unwanted
    a program that runs in your Windows startup.
    http://www.NirSoft.NET/utils/what_run_in_startup.html

    There are many excellent free tools to NirSoft
    http://www.NirSoft.NET/utils/index.html

    Window Watcher - free - do you know what is running on your computer? Maybe not. The window
    Watcher says it all, reporting of any window created by running programs, if the window
    is visible or not.
    http://www.KarenWare.com/PowerTools/ptwinwatch.asp

    Many excellent free tools and an excellent newsletter at Karenware
    http://www.KarenWare.com/

    ===========================================

    Vista and Windows 7 updated drivers love then here's how update the most important.

    This is my generic how updates of appropriate driver:

    This utility, it is easy see which versions are loaded:

    -Free - DriverView utility displays the list of all device drivers currently loaded on your system.
    For each driver in the list, additional useful information is displayed: load address of the driver,
    Description, version, product name, company that created the driver and more.
    http://www.NirSoft.NET/utils/DriverView.html

    For drivers, visit manufacturer of emergency system and of the manufacturer of the device that are the most common.
    Control Panel - device - Graphics Manager - note the brand and complete model
    your video card - double - tab of the driver - write version information. Now, click on update
    Driver (this can do nothing as MS is far behind the certification of drivers) - then right-click.
    Uninstall - REBOOT it will refresh the driver stack.

    Repeat this for network - card (NIC), Wifi network, sound, mouse, and keyboard if 3rd party
    with their own software and drivers and all other main drivers that you have.

    Now in the system manufacturer (Dell, HP, Toshiba as examples) site (in a restaurant), peripheral
    Site of the manufacturer (Realtek, Intel, Nvidia, ATI, for example) and get their latest versions. (Look for
    BIOS, Chipset and software updates on the site of the manufacturer of the system here.)

    Download - SAVE - go to where you put them - right click - RUN AD ADMIN - REBOOT after
    each installation.

    Always check in the Device Manager - drivers tab to be sure the version you actually install
    presents itself. This is because some restore drivers before the most recent is installed (sound card drivers
    in particular that) so to install a driver - reboot - check that it is installed and repeat as
    necessary.

    Repeat to the manufacturers - BTW in the DO NOT RUN THEIR SCANNER device - check
    manually by model.

    Look at the sites of the manufacturer for drivers - and the manufacturer of the device manually.
    http://pcsupport.about.com/od/driverssupport/HT/driverdlmfgr.htm

    How to install a device driver in Vista Device Manager
    http://www.Vistax64.com/tutorials/193584-Device-Manager-install-driver.html

    If you update the drivers manually, then it's a good idea to disable the facilities of driver under Windows
    Updates, that leaves about Windows updates but it will not install the drivers that will be generally
    older and cause problems. If updates offers a new driver and then HIDE it (right click on it), then
    get new manually if you wish.

    How to disable automatic driver Installation in Windows Vista - drivers
    http://www.AddictiveTips.com/Windows-Tips/how-to-disable-automatic-driver-installation-in-Windows-Vista/
    http://TechNet.Microsoft.com/en-us/library/cc730606 (WS.10) .aspx

    ===========================================

    Refer to these discussions because many more excellent advice however don't forget to check your antivirus
    programs, the main drivers and BIOS update and also solve the problems with the cleanboot method
    first.

    Problems with the overall speed of the system and performance
    http://support.Microsoft.com/GP/slow_windows_performance/en-us

    Performance and Maintenance Tips
    http://social.answers.Microsoft.com/forums/en-us/w7performance/thread/19e5d6c3-BF07-49ac-a2fa-6718c988f125

    Explorer Windows stopped working
    http://social.answers.Microsoft.com/forums/en-us/w7performance/thread/6ab02526-5071-4DCC-895F-d90202bad8b3

    Hope these helps.

  • I just downloaded the new DC Acrobat, and I'm having a lot of problems with it. It's very, very slow. He has opening, saving, closing, do anything. Is there something that can be done to help him run a little more, well, normally?

    I just downloaded the new DC Acrobat, and I'm having a lot of problems with it. It's very, very slow. He has opening, saving, closing, do anything. Is there something that can be done to help him run a little more, well, normally?

    I fixed it! I used the string analyze function waiting in the Task Manager while opening a PDF file and have to wait 12 seconds... and it showed that the wait chain has been blocked by the Speech SDK. So I went to my Plugins of PDF from Adobe folder, which in my case is C:\Program Files (x 86) \Adobe\Acrobat DC\Acrobat\plug_ins and delete the plugin ReadOutLoud.api. (I had to close all instances of Acrobat DC first, and I had to also click the UAC Popup Windows application approval raised to remove the plugin) Now... instant Adobe Acrobat DC charge!

  • Very slow performance after P2V

    Hi all

    We did a P2V of a server and after his conversion, he must have very high use of the processor and extremely slow performance as a virtual machine. We did it,

    1. all cleanings after P2V.

    2. VMware tools update.

    3. an increase in the CPU, RAM.

    Nothing seems to work, any help please.

    Thank you

    Please confirm that you have removed the old equipment after P2V and all related material linked from the drivers, utilities, officials.

    1. open a Windows command prompt and type the following command:

    set devmgr_show_nonpresent_devices=1
    

    This sets an environment variable that tells the Device Manager to display all the devices.

    2. at the same command prompt, type

    devmgmt.msc
    

    You can also try to run msconfig and disable microsoft non-related services to help you identify what could be the cause of the problem.

    • On the Services tab
    • Select "Hide all Microsoft Services"
    • Click on "disable all".
    • Mark the VMware vCenter Converter Agent
    • Mark the VMware vCenter Converter Server
    • Click 'apply '.
    • Click "close".
    • Click "restart."
  • My macbook air 13 "(2015) is very slow, even after a clean install"

    Hello

    I have a macbook air 13 "from 2015 and it is VERY slow. I did a clean install from scratch of El Capitan (10.11.06) and always very slow.

    Etrecheck give ' "Performance: poor

    Is there a hardware problem? or what to do?

    Thank you

    EtreCheck version: 3.0.6 (315)

    Report generated 2016-10-05 10:18:11

    Download EtreCheck from https://etrecheck.com

    Duration 17:11

    Performance: poor

    Click the [Support] links to help with non-Apple products.

    Click [details] for more information on this line.

    Problem: Computer is too slow

    Description:

    too slow

    Hardware Information:

    MacBook Air (13 inch, early 2015)

    [Data sheet] - [User Guide] - [warranty & Service]

    MacBook Air - model: MacBookAir7, 2

    1 1.6 GHz Intel Core i5 CPU: 2 strands

    8 GB RAM not extensible

    BANK 0/DIMM0

    OK 4 GB DDR3 1600 MHz

    BANK 1/DIMM0

    OK 4 GB DDR3 1600 MHz

    Bluetooth: Good - transfer/Airdrop2 taken in charge

    Wireless: en0: 802.11 a/b/g/n/ac

    Battery: Health = Normal - Cycle count = 40

    Video information:

    Intel HD 6000 graphics card

    Color LCD 1440 x 900

    Software:

    OS X El Capitan 10.11.6 (15-1004) - since startup time: less than an hour

    Disc information:

    SM0128G SSD APPLE disk0: (121,33 GB) (Solid State - TRIM: Yes)

    EFI (disk0s1) < not mounted >: 210 MB

    Recovery HD (disk0s3) < not mounted > [recovery]: 650 MB

    Macintosh HD (disk 1) / [Startup]: 120,10 (Go 104.05 free)

    Storage of carrots: disk0s2 120.47 GB Online

    USB information:

    Apple Inc. BRCM20702 hub.

    Apple Inc. Bluetooth USB host controller.

    Lightning information:

    Apple Inc. Thunderbolt_bus.

    Guardian:

    Mac App Store and identified developers

    Launch system officers:

    [no charge] 6 tasks Apple

    tasks of Apple 166 [loading]

    [running] Apple 58 jobs

    [killed] 9 tasks of Apple

    9 killed process lack of RAM

    Launch system demons:

    [no charge] 47 Apple jobs

    [loading] 158 jobs Apple

    [running] Apple 77 jobs

    [killed] 8 tasks of Apple

    8 killed process lack of RAM

    Launch demons:

    [loading] com.macpaw.CleanMyMac3.Agent.plist (2016-10-04) [Support]

    User launch officers:

    [loading] com.bittorrent.uTorrent.plist (2016-10-04)

    [loading] com.macpaw.CleanMyMac3.Scheduler.plist (2016-10-05)

    Items in user login:

    iTunesHelper program (/ Applications/iTunes.app/Contents/MacOS/iTunesHelper.app)

    uTorrent program (/ Applications/uTorrent.app)

    CleanMyMac 3 Menu program (/ Applications/CleanMyMac 3.app/Contents/MacOS/CleanMyMac 3 Menu.app)

    Plug-ins Internet:

    Default browser: 601 - SDK 10.11 (2016-09-03)

    QuickTime Plugin: 7.7.3 (2016-07-09)

    3rd party preference panes:

    None

    Time Machine:

    Time Machine not configured!

    Top of page process CPU:

    14% WindowServer

    4% kernel_task

    0% SystemUIServer

    0% cloudpaird

    Top of page process of memory:

    670 MB kernel_task

    Mdworker (11) 188 MB

    Com.apple.CommerceKit.TransactionService (2) 41 MB

    Finder 41 MB

    Mds_stores 33 MB

    Virtual memory information:

    5.02 GB of free RAM

    2.98 used GB RAM (1.82 GB being cached)

    40 MB used Swap

    Diagnostic information:

    5 October 2016, 09:38:39 test - passed

    Hello, have you tried to reset the management system (SCM) controller on your Mac - Apple Support?

  • very slow Powerbook fine, iMacs

    My family uses 2 iMacs (1 2013, 1 earlier) and an Apple Powerbook at home. 2 iMac is incredibly slow, but the speed of the Powerbook is fine. IMacs both have a lot of unused storage and memory and I completely restored two iMacs and deleted unnecessary files, but they are very slow. I have everything back up on Dropbox and wonder now if the slowness is something to do with the combination of the signal at high speed and by using several connections of Dropbox in the House.  We have a Virgin Media Hub Super 2ac with advertised broadband router of up to 150 Mbps. I made a speed control using www.speedtest.com and the download speed is 105.81 Mbps and download speed is 9.70 Mbps. Any ideas anyone?

    You can view a report of etrecheck for later analysis

    www.etrecheck.com

    but I would like to disable and remove dropbox to test the system and if they improve the problem there.

  • Since the installation of the latest IOS i.e. IOS 10.0.1 and 10.0.2, my phone is very slow, especially the contacts do not appear in the search and the camera hangs on startup. the battery is also used faster then the previous version.

    Since the installation of the latest IOS i.e. IOS 10.0.1 and 10.0.2, my phone is very slow, especially the contacts do not appear in the search and the camera hangs on startup. the battery is also faster, then the previous version, use 6s with 64 GB

    Hello naqvi65,

    I see that you have several problems with your iPhone after updating to the latest version of iOS. These issues include problems of performance, inability to find contacts at a Spotlight search, problems with enforcement camera freeze after the launch and the battery discharge more quickly than what you are accustomed. I want to help you find a solution for these questions!

    To answer your questions with performance and your inability to find contacts, we will try to restart your iPhone first to see if the problems persist. Take a look at this resource for more information:

    Restart your iPhone, iPad or iPod touch - Apple Support

    Take a look at this Web site using your photo app troubleshooting:
    Get help with the camera on your iPhone, iPad or iPod touch - Apple Support

    To keep an eye on your battery use, take a look at the information here:
    On the use of the battery on your iPhone, iPad and iPod touch - Apple Support

    To help maximize your battery performance, this site has some good tips for iOS devices:
    Batteries - maximize Performance - Apple

    See you soon!

  • Very slow ARD mouse movements

    When checking my jobs local (same LAN) in ARD in macOS Sierra the mouse movement is very slow, are not smooth at all and the STI jumping cursor.

    This was never the case with ARD in the previous versions of OS X as El Capitan. I use the exact same settings and configuration. Control ARD clients so got very boring now under Sierra.

    Any ideas or others facing the same behavior?

    Thanks for your comments.

    I'm really the only one having trouble with the mouse under ARD here?

    I have a LAN local 1GbE very significant without bottleneck and change the color in ARD in black and white Mode has no influence at all for the risk mouse movement.

  • MacBook Pro mid-2012 very slow

    Hello

    My MacBook Pro is very slow (it has gotten worse recently). Applications to take ages to load, Firefox is hogging resources and very slow, get the focus of the mouse has a huge lag and I was spinning.

    Currently I have 4 GB of RAM and is considering the upgrade to 16 GB. You run an EtreCheck report (below). Is there anything else I need to do? Why he began to be so slow after years of reasonable speed? Is there something I can adjust in Firefox?

    Opening documents and get stuff done becomes frustrating!

    Thank you for your support.

    EtreCheck version: 3.0.4 (308)

    Report generated 2016-09-21 12:50:28

    Download https://etrecheck.com EtreCheck

    Duration 09:05

    Performance: average

    Click the [Support] links to help with non-Apple products.

    Click the [details] links for more information on this line.

    Problem: The computer is too slow

    Description:

    Computer is slow, Internet is slow, the development of the mouse in any program is slow, a lot of spinning.

    Hardware information: ⓘ

    MacBook Pro (13-inch, mid-2012)

    [Technical details] - [User Guide] - [warranty & Service]

    MacBook Pro - model: MacBookPro9, 2

    1 2.5 GHz Intel Core i5 CPU: 2 strands

    4 GB of RAM expandable - [Instructions]

    BANK 0/DIMM0

    OK 2 GB DDR3 1600 MHz

    BANK 1/DIMM0

    OK 2 GB DDR3 1600 MHz

    Bluetooth: Good - transfer/Airdrop2 taken in charge

    Wireless: en1: 802.11 a/b/g/n

    Battery: Health = Normal - Cycle count = 378

    Video information: ⓘ

    Graphics Intel HD 4000

    Color LCD 1280 x 800

    System software: ⓘ

    OS X El Capitan 10.11.6 (15-1004) - time since started: about 7 days

    Disk information: ⓘ

    Disk0 APPLE drive HARD TOSHIBA MK5065GSXF: (500,11 GB) (rotation)

    EFI (disk0s1) < not mounted >: 210 MB

    Recovery HD (disk0s3) < not mounted > [recovery]: 650 MB

    Macintosh HD (disk 1) /: 498,88 (Go 298,35 free)

    Encrypted AES - XTS unlocked

    Storage of carrots: disk0s2 499.25 GB Online

    MATSHITADVD-R UJ - 8À8)

    USB information: ⓘ

    Apple Inc. FaceTime HD camera (built-in)

    Apple Inc. Apple keyboard / Trackpad

    Computer, Inc. Apple IR receiver.

    Apple Inc. BRCM20702 hub.

    Apple Inc. Bluetooth USB host controller.

    Information crush: ⓘ

    Apple Inc. Thunderbolt_bus.

    Goalkeeper: ⓘ

    Mac App Store and identified developers

    Startup items: ⓘ

    HWNetMgr: Path: / Library/StartupItems/HWNetMgr

    Startup items are obsolete in OS X Yosemite

    Launch system officers: ⓘ

    [loaded] 7 tasks Apple

    [loading] 149 tasks Apple

    [operation] 66 tasks Apple

    [killed] 16 tasks Apple

    16 killed processes lack of RAM

    Demons of launch system: ⓘ

    [loaded] 45 tasks Apple

    [loading] 143 tasks Apple

    [operation] 86 tasks Apple

    [killed] 16 tasks Apple

    16 killed processes lack of RAM

    Launch officers: ⓘ

    [performance]    HWPortCfg.plist (2015-09-04) [Support]

    [failure] com.adobe.ARMDCHelper.cc24aef4a1b90ed56a725c38014c95072f92651fb65e1bf9c8e43c37a 23d420d.plist (2016-07-11) [Support]

    [loading] com.google.keystone.agent.plist (2016-07-12) [Support]

    com.oracle.java.Java - Updater.plist [no charge] [Support]

    [operation] com.trusteer.rapport.rapportd.plist (2016-07-18) [Support]

    [loading] ouc.plist (2015-09-04) [Support]

    Launch of the demons: ⓘ

    [loading] com.adobe.ARMDC.Communicator.plist (2016-07-11) [Support]

    [loading] com.adobe.ARMDC.SMJobBlessHelper.plist (2016-07-11) [Support]

    [loading] com.adobe.fpsaud.plist (2016-08-30) [Support]

    [operation] com.backblaze.bzserv.plist (2016-07-11) [Support]

    [loading] com.google.keystone.daemon.plist (2016-09-02) [Support]

    [loading] com.microsoft.office.licensing.helper.plist (2012-04-02) [Support]

    com.oracle.java.Helper - Tool.plist [no charge] [Support]

    [loading] com.oracle.java.JavaUpdateHelper.plist (2014-06-09) [Support]

    [operation] com.trusteer.rooks.rooksd.plist (2016-07-18) [Support]

    Launch User Agents: ⓘ

    [failure] com.adobe.ARM. [...]. plist (2013-01-06) [Support]

    [operation] com.backblaze.bzbmenu.plist (2016-09-14) [Support]

    Internet Plug-ins: ⓘ

    FlashPlayer - 10.6: 23.0.0.162 - SDK 10.9 (2016-09-13) [Support]

    QuickTime Plugin: 7.7.3 (2016-07-09)

    AdobePDFViewerNPAPI: 15.017.20053 - SDK 10.11 (2016-08-14) [Support]

    AdobePDFViewer: 15.017.20053 - SDK 10.11 (2016-08-14) [Support]

    Flash Player: 23.0.0.162 - SDK 10.9 (2016-09-13) [Support]

    Default browser: 601 - SDK 10.11 (2016-07-09)

    o1dbrowserplugin: 5.41.3.0 - 10.8 SDK (2015-12-22) [Support]

    SharePointBrowserPlugin: 14.6.8 - SDK 10.6 (2016-09-14) [Support]

    googletalkbrowserplugin: 5.41.3.0 - 10.8 SDK (2015-12-11) [Support]

    3rd party preference panes: ⓘ

    Backblaze Backup (2016-07-11) [Support]

    Flash Player (2016-08-30) [Support]

    Trusteer Endpoint Protection (2016-07-18) [Support]

    Time Machine: ⓘ

    Skip system files: No.

    Mobile backups: WE

    Automatic backup: YES

    Volumes to back up:

    Macintosh HD: Disc size: 498,88 GB disc used: 200,52 GB

    Destinations:

    FREECOM HDD [Local]

    Total size: 249,72 GB

    Total number of backups: 36

    An older backup: 10 19, 2015, 23:58

    Last backup: 09 17, 2016, 22:59

    Backup disk size: too small

    Backup size GB 249,72 < (disc 200,52 GB X 3)

    Top of page process CPU: ⓘ

    29% firefox

    6% bzfilelist

    4% kernel_task

    3% coreaudiod

    3% WindowServer

    Top of the process of memory: ⓘ

    1.58 GB firefox

    652 MB kernel_task

    Mdworker (11) 123 MB

    Skype 82 MB

    QuickLookSatellite (3) 57 MB

    Information about virtual memory: ⓘ

    26 MB of free RAM

    3.97 GB used RAM (621 MB Cache)

    5.32 GB used Swap

    Due to the limitation of memory, memory virtual swap used 5.32 GB which is the main part of the slowness.

    It would be better to RAM as soon as possible.

  • Computer is very slow with El Capitan

    After the recent upgrade to El captain, my Macbook pro (13-inch, mid 2012) became very slow.

    Starting, restarting, Safari, open programs... Wheel of Rainbow all the time.

    If someone could help, I would be very much appreciated!

    Thank you!

    My Etrecheck results:

    EtreCheck version: 3.0.3 (307)

    Report generated 2016-09-20 19:59:32

    Download EtreCheck from https://etrecheck.com

    Time 04:09

    Performance: good

    Click the [Support] links to help with non-Apple products.

    Click [details] for more information on this line.

    Problem: Computer is too slow

    Hardware Information:

    MacBook Pro (13-inch, mid-2012)

    [Data sheet] - [User Guide] - [warranty & Service]

    MacBook Pro - model: MacBookPro9, 2

    1 2.9 GHz Intel Core i7 CPU: 2 strands

    8 GB of RAM expandable - [Instructions]

    BANK 0/DIMM0

    OK 4 GB DDR3 1600 MHz

    BANK 1/DIMM0

    OK 4 GB DDR3 1600 MHz

    Bluetooth: Good - transfer/Airdrop2 taken in charge

    Wireless: en1: 802.11 a/b/g/n

    Battery: Health = Normal - Cycle count = 667

    Video information:

    Graphics Intel HD 4000

    Color LCD 1280 x 800

    Software:

    OS X El Capitan 10.11.6 (15-1004) - since startup time: less than an hour

    Disc information:

    TOSHIBA MK7559GSXF disk0: (750,16 GB) (rotation)

    EFI (disk0s1) < not mounted >: 210 MB

    Macintosh HD (disk0s2) /: 749,30 (Go 140.30 free)

    Recovery HD (disk0s3) < not mounted > [recovery]: 650 MB

    MATSHITADVD-R UJ - 8À8)

    USB information:

    Apple Inc. FaceTime HD camera (built-in)

    Apple Inc. Apple keyboard / Trackpad

    Computer, Inc. Apple IR receiver.

    Apple Inc. BRCM20702 hub.

    Apple Inc. Bluetooth USB host controller.

    Lightning information:

    Apple Inc. Thunderbolt_bus.

    Configuration files:

    / etc/hosts - Count: 17

    Guardian:

    Any where

    Kernel extensions:

    / Library/Application Support/PeerGuardian

    xxx.qnation.PeerGuardian [no charge] (1.1.13 - SDK 10.8 - 2015-10-28) [Support]

    / System/Library/Extensions

    com.Wacom.kext.wacomtablet [no charge] (6.3.8 Wacom tablet - 2 - SDK 10.9-2016-09-20) [Support]

    Launch system officers:

    [no charge] 7 tasks Apple

    [loading] Apple 168 jobs

    tasks of Apple 64 [performance]

    Launch system demons:

    [no charge] 48 Apple jobs

    [loading] Apple 165 jobs

    [running] Apple 77 jobs

    Launch officers:

    [loaded] com.adobe.AAM.Updater - 1.0.plist (2016-09-16) [Support]

    [loading] com.adobe.CS5ServiceManager.plist (2013-01-11) [Support]

    [cannot] com.extensis.FMCore.plist (2016-09-06) [Support]

    [loading] com.google.keystone.agent.plist (2016-07-12) [Support]

    [loading] com.oracle.java.Java - Updater.plist (2014-08-13) [Support]

    com.Wacom.wacomtablet.plist [running] (2014-03-31) [Support]

    Launch demons:

    [loaded] com.adobe.SwitchBoard.plist (2016-09-16) [Support]

    [loading] com.adobe.fpsaud.plist (2016-08-30) [Support]

    [loading] com.disc - soft.DAEMONTools.PrivilegedHelper.plist (08 / 08/2013) [Support]

    [loading] com.google.keystone.daemon.plist (2016-09-02) [Support]

    [loading] com.macpaw.CleanMyMac3.Agent.plist (2016-09-16) [Support]

    [loading] com.malwarebytes.MBAMHelperTool.plist (2015-12-28) [Support]

    [loading] com.microsoft.office.licensing.helper.plist (2010-08-25) [Support]

    [loading] com.oracle.java.Helper - Tool.plist (2014-08-13) [Support]

    [loading] com.rogueamoeba.instanton - agent.plist (2014-03-25) [Support]

    [loading] xxx.qnation.PeerGuardian.locum.plist (2015-10-28) [Support]

    User launch officers:

    [loading] com.macpaw.CleanMyMac3.Scheduler.plist (2016-09-20)

    [loading] com.spotify.webhelper.plist (2015-06-08) [Support]

    Items in user login:

    Application of hidden caffeine (/ Applications/Caffeine.app)

    Suitcase Fusion 6 hidden Application (/ Applications/Suitcase Fusion 6.app)

    CleanMyMac 3 Menu Application (/ Applications/CleanMyMac 3.app/Contents/MacOS/CleanMyMac 3 Menu.app)

    Plug-ins Internet:

    o1dbrowserplugin: 5.41.3.0 - 10.8 SDK (2015-12-28) [Support]

    Default browser: 601 - SDK 10.11 (2016-09-17)

    Flip4Mac WMV Plugin: 3.2.0.16 - SDK 10.8 (2013-06-07) [Support]

    WacomTabletPlugin: WacomTabletPlugin 2.1.0.6 - SDK 10.9 (2014-03-31) [Support]

    AdobeAAMDetect: AdobeAAMDetect 1.0.0.0 - SDK 10.6 (2016-09-16) [Support]

    FlashPlayer - 10.6: 23.0.0.162 - SDK 10.9 (2016-09-20) [Support]

    Silverlight: 5.1.20513.0 - SDK 10.6 (2016-09-16) [Support]

    QuickTime Plugin: 7.7.3 (2016-09-17)

    Flash Player: 23.0.0.162 - SDK 10.9 (2016-09-20) [Support]

    googletalkbrowserplugin: 5.41.3.0 - 10.8 SDK (2015-12-11) [Support]

    SharePointBrowserPlugin: 14.0.0 (2010-08-25) [Support]

    AdobePDFViewer: 10.1.1 (2016-09-16) [Support]

    JavaAppletPlugin: Java 8 updated 66 17 (2016-09-16) check the version of build

    3rd party preference panes:

    Flash Player (2016-08-30) [Support]

    Flip4Mac WMV (2013-03-29) [Support]

    Growl (2016-09-16) [Support]

    Java (2016-09-16) [Support]

    WacomTablet (2016-09-16) [Support]

    Time Machine:

    Time Machine not configured!

    Top of page process CPU:

    5% WindowServer

    kernel_task 2%

    0% aslmanager

    0% fontd

    0% AddressBookSourceSync

    Top of page process of memory:

    573 MB kernel_task

    Com.apple.WebKit.WebContent (9) 369 MB

    66 MB WindowServer

    Safari of 57 MB

    49MO softwareupdated

    Virtual memory information:

    5.37 GB of free RAM

    used 2.63 GB RAM (2.02 GB being cached)

    Used Swap 0 B

    Diagnostic information:

    Sep 20, 2016, 19:52:05 Self test - passed

    Sep 20, 2016, /Library/Logs/DiagnosticReports/FMCore_2016-09-20-183021_[redacted].crash 18:30:21

    / Applications/Suitcase Fusion 6.app/Contents/Resources/FMCore

    Sep 20, 2016, 06:24:44 PM/Library/Logs/DiagnosticReports/WacomTabletDriver_2016-09-20-182444_ [redacted]. Crash

    com.wacom.WacomTabletDriver - Library/Application Support/Tablet/WacomTabletDriver.app/Contents/MacOS/WacomTabletDriver

    Sep 20, 2016, /Library/Logs/DiagnosticReports/FMCore_2016-09-20-181728_[redacted].crash 18:17:28

    First uninstall CleanMyMac3. It is not necessary and can ask questions.

  • Mac Mini became very slow all of a sudden

    This morning, my Mac Mini became very, very slow. It's a 2009 with 4 GB of RAM and hdd 120Gb standard.

    I run with a keyboard and bluetooth mouse and due to its slowness, I wanted to run the hardware test to see what was wrong. (As is always the original HARD disk, I am wary of its remaining life expectancy). However, everything I try, I can't start anything on the mini as a normal reboot. If I have D, hold down option-D, hold SHIFT to safe mode, nothing seems to influence his start-up.

    Any thoughts? And also, suggestions of things to check?

    Run > Etrecheck.com and post back here with the results.

  • My wifi/internet is very slow since the IPhone Update 9.3.4.

    I have an IPhone 6 and since the update (3 days ago) my wifi/Internet is very slow.

    Minutes of need for pages to load, and the App Store and the ITunes App not to load any. Photos and videos need a time very Long if they work at all.

    The wireless router is not the problem because my laptop works fine with it.

    Thank you for responding!

    Here's a tip for the user on the problems of Wi - Fi. Suggest from the top and bottom.

    Alternatively, you can try to reset the App Store first, since it won't load at all. Please follow these steps:

    Close the App Store completely from the window of the selector app by double clicking the Home button and slide up the App Store preview pane until it disappears from the display. Then sign out of the iTunes Store (in the settings).

    Then restart the unit.

    Then sign into the iTunes Store and try to download again.

    (1) restart you device.

    (2) resetting the network settings: settings > general > reset > reset network settings. Join the network again.

    (3) reboot router/Modem: unplug power for 2 minutes and reconnect. Update the Firmware on the router (support Web site of the manufacturer for a new FW check). Also try different bands (2.4 GHz and 5 GHz) and different bandwidths (recommended for 2.4 to 20 MHz bandwidth). Channels 1, 6 or 11 are recommended for 2.4 band.

    (4) change of Google DNS: settings > Wi - Fi > click the network, delete all the numbers under DNS and enter 8.8.8.8 or otherwise 8.8.4.4

    (5) disable the prioritization of device on the router if this feature is available. Also turn off all apps to VPN and retest the Wi - Fi.

    (6) determine if other wireless network devices work well (other iOS devices, Mac, PC).

    (7) try the device on another network, i.e., neighbors, the public coffee house, etc.

    (8) backup and restore the device using iTunes. Try to restore as New first and test it. If ok try to restore the backup (the backup may be corrupted).

    https://support.Apple.com/en-us/HT201252

    (9) go to the Apple store for the evaluation of the material. The Wi - Fi chip or the antenna could be faulty.

    Council: https://discussions.apple.com/docs/DOC-9892

  • Since installing Windows 10, Thunderbird very slow load and run. Is there any solution for this? RESOLVED itself. cause: unknown

    It is not the only slow feature on this PC since installation W10. Internet Explorer is also very slow to load.

    Start * Windows * safe mode with active network
    -win10 http://windows.microsoft.com/en-us/windows-10/change-startup-settings-in-windows-10
    Always in Windows safe mode, start thunderbird in safe mode
    - http://support.mozillamessaging.com/en-US/kb/safe-mode

    Problem disappear?
    Just reply to inform us of the results.

Maybe you are looking for