Problem with very slow scale, rotate and translate

Hi -
Here is the basic problem. I want to take a bufferedImage (read from a jpeg earlier on) and then rotate it according to an angle value (radians) and then resize it to fit within a specifically sized box. My code works fine, but... I have to do this in a loop up to 200 times. The process is often taking several minutes to complete. If this is simply a consequence of what I am trying to do, then I'll accept that, but surely I am just doing something wrong? Please help!
Thanks - here is the (working but very slow) code
    public Graphics2D get_shape_image(Graphics2D g, BufferedImage b, double shaperotation, double space_width, double space_height,
            float x_scale_factor, float y_scale_factor, float shapeTransparency){
        // Work out the boundimg box size of the rotated image
        double imageWidth = (double) b.getWidth();
        double imageHeight = (double) b.getHeight();
        double cos = Math.abs( Math.cos(shaperotation));
        double sin = Math.abs( Math.sin(shaperotation));
        int new_width = (int) Math.floor(imageWidth * cos  +  imageHeight * sin);
        int new_height = (int) Math.floor(imageHeight * cos  +  imageWidth * sin);
        // Create the new bufferedImage of the right size
        BufferedImage transformed = new BufferedImage((int) new_width, (int) new_height, BufferedImage.TYPE_INT_RGB);
        // Create the transform and associated AffineTransformOperation
        AffineTransform at = new AffineTransform();
        AffineTransformOp affine_op;
        // Make sure our image to be rotated is in the middle of the new image
        double x_movement = ((double) (new_width / 2.0d)) - ((double) imageWidth / 2.0d);
        double y_movement = ((double) (new_height / 2.0d)) - ((double) imageHeight / 2.0d);
        at.setToTranslation(x_movement, y_movement);
        affine_op = new AffineTransformOp(at, AffineTransformOp.TYPE_BILINEAR);
        transformed = affine_op.filter(b, null);
        // Now we need to rotate the image according to the input rotation angle
        BufferedImage rotated = new BufferedImage((int) new_width, (int) new_height, BufferedImage.TYPE_INT_RGB);
        at.setToRotation(shaperotation, (double) new_width / 2.0d, new_height / 2.0d);
        affine_op = new AffineTransformOp(at, AffineTransformOp.TYPE_BILINEAR);
        rotated = affine_op.filter(transformed, null);
        // Do the scaling so that we fit into the grid sizes
        BufferedImage sizedImage = new BufferedImage((int) (space_width * x_scale_factor), (int) (space_height * y_scale_factor), BufferedImage.TYPE_INT_RGB);
        double xScale = (double) (space_width * x_scale_factor) / (double) new_width;
        double yScale = (double) (space_height * y_scale_factor) / (double) new_height;
        at.setToScale(xScale, yScale);
        affine_op = new AffineTransformOp(at, AffineTransformOp.TYPE_BILINEAR);
        sizedImage = affine_op.filter(rotated, null);
        // Finally translate the image to the correct position after scaling
        double x_adjust = (space_width / 2.0d) - ((space_width * x_scale_factor) / 2.0d);
        double y_adjust = (space_height / 2.0d) - ((space_height * y_scale_factor) / 2.0d);
        // Set the transparency
        AlphaComposite ac = AlphaComposite.getInstance(AlphaComposite.SRC_OVER, shapeTransparency);
        g.setComposite(ac);
        // Draw the image as long as it's above 0 size
        if (sizedImage.getWidth() > 0 && sizedImage.getHeight() > 0)
            g.drawImage(sizedImage, null, (int) x_adjust, (int) y_adjust);
        return g;
    }

Your code worked okay in my system: busy at 200fps using 1.0f for alpha and
the x/y scale_factor values.
Here's another approach that isn't quite as busy.
import java.awt.*;
import java.awt.geom.*;
import java.awt.image.BufferedImage;
import java.io.*;
import javax.imageio.ImageIO;
import javax.swing.*;
public class XTest extends JPanel
    BufferedImage image;
    int gridWidth  = 100;
    int gridHeight = 100;
    double theta   = 0;
    double thetaInc;
    public XTest(BufferedImage image)
        this.image = image;
        thetaInc = Math.toRadians(1);
    protected void paintComponent(Graphics g)
        super.paintComponent(g);
        Graphics2D g2 = (Graphics2D)g;
        g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                            RenderingHints.VALUE_ANTIALIAS_ON);
        g2.setRenderingHint(RenderingHints.KEY_INTERPOLATION,
                            RenderingHints.VALUE_INTERPOLATION_BICUBIC);
        int w = getWidth();
        int h = getHeight();
        int imageW = image.getWidth();
        int imageH = image.getHeight();
        // rather than making a new BufferedImage for each step of
        // the rotation and scaling let's try to rotate, scale and
        // fit the source image directly into the grid by using
        // transforms...
        // rotation
        AffineTransform rotateXform = new AffineTransform();
        double x = (w - imageW)/2;
        double y = (h - imageH)/2;
        rotateXform.setToTranslation(x,y);
        rotateXform.rotate(theta, imageW/2.0, imageH/2.0);
        // get rotated size for source
        double cos = Math.abs( Math.cos(theta));
        double sin = Math.abs( Math.sin(theta));
        double rw = Math.rint(imageW * cos  +  imageH * sin);
        double rh = Math.rint(imageH * cos  +  imageW * sin);
        // scale factors to fit image into grid
        double xScale = gridWidth /  rw;
        double yScale = gridHeight / rh;
        // scale from center
        x = (1.0 - xScale)*w/2;
        y = (1.0 - yScale)*h/2;
        AffineTransform scaleXform = AffineTransform.getTranslateInstance(x,y);
        scaleXform.scale(xScale, yScale);
        scaleXform.concatenate(rotateXform);
        g2.drawRenderedImage(image, scaleXform);
        // markers
        // grid
        g2.setPaint(Color.red);
        int gx = (w - gridWidth)/2;
        int gy = (h - gridHeight)/2;
        g2.drawRect(gx, gy, gridWidth, gridHeight);
        // bounds of unscaled, rotated source image
        g2.setPaint(Color.blue);
        double rx = (w - rw)/2;
        double ry = (h - rh)/2;
        g2.draw(new Rectangle2D.Double(rx, ry, rw, rh));
    public void rotate()
        theta += thetaInc;
        repaint();
    public static void main(String[] args) throws IOException
        BufferedImage bi = ImageIO.read(new File("images/bclynx.jpg"));
        XTest test = new XTest(bi);
        Activator activator = new Activator(test);
        JFrame f = new JFrame();
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setContentPane(test);
        f.setSize(400,400);
        f.setLocation(200,200);
        f.setVisible(true);
        activator.start();
class Activator implements Runnable
    XTest xTest;
    Thread thread;
    boolean animate;
    public Activator(XTest xt)
        xTest = xt;
        animate = false;
    public void run()
        while(animate)
            try
                Thread.sleep(50);
            catch(InterruptedException ie)
                animate = false;
                System.out.println("interrupt");
            xTest.rotate();
    public void start()
        if(!animate)
            animate = true;
            thread = new Thread(this);
            thread.setPriority(Thread.NORM_PRIORITY);
            thread.start();
    public void stop()
        animate = false;
        thread = null;
}

Similar Messages

  • I am having a problem with very slow start up after expanding RAM on my 2009 Mac Pro.

    I am having a problem with very slow start up after expanding RAM on my 2009 Mac Pro (8 Core 2.93GHz). When I run the Mac Pro with 2 x 2Gb RAM it takes 4 seconds before the gray screen, chime and spinning wheel appear.However when I expand the RAM to 20GB the grey screen and chimes appear after a long 20+ second black screen.
    The RAM modules are paored  2 x 4GB Crucial CT51272BA1339.M18FMR and  6 x 2GB SAMSUNG M391B5673FH0-CH9, all DDR3 ECC.
    Reading articles on the internet, I thought it may be damaged RAM modules, but I have completed memtest and all are okay. I have tried changing the pairs around and if I use any paired 2 modules the Mac Pro starts normally, only when I try running more than 2 modules the delayed start up happens. (black screen 20 Seconds)
    I also have tried PRAM and SMU resets after changing the RAM setups, and the issues always occurs when I have more than 2 modules. As you can see I have 6 SAMSUNG modules and even with identical modules the issue happens, when increasing the RAM to more than 2 modules.
    The Mac Pro runs fine after the start up screen and can see all the modules, but has anyone else come across this issue, or have any ideas as to why my Mac Pro is taking 20 seconds to start up with 20 GB RAM?

    Hi there. Thanks for your comments.
    I have tried all the different combinations of RAM setup, and as stated in my initial topic, the Mac Pro boot up time only slows when I have more that 2 modules. Where I place these does not seem to make a difference.
    I have taken the Mac Pro to an Apple Reseller technician yesterday and they where not able to find any RAM errors. Apparently the boot up time is within Apple's acceptable parameters for this set up.
    Could anyone that is running a Mac Pro 2009 with more that 4 modules of RAM, please let me know if the boot up time is normal. ( the time it takes from pressing the power button to seeing the gray screen around 16 - 20 seconds)
    Or is anyone else having the same issues?
    thanks for your responce

  • Performance issues with Motion (position, scale, rotate) and GTX 590

    I'm experiencing performance issues with my Premiere Pro CC when I scale, position or rotate a clip in the program monitor.
    I have no performance issues with playback! It's only, when i move something with the mouse or by changing the x,y-values of Position in the Motion-Dialog in video effects.
    Premiere then lags terribly and updates the program monitor only about once per second - this makes it very difficult and cumbersome to work and position things.
    On a second Premiere installation on my laptop, performance is fine and fluid - allthough it doesn't have GPU support and is a much slower computer.
    I'm pretty sure this has somehow to do with my graphic card, which is a Nvidia GTX 590.
    I was told by the support, that it is actually a dual graphic card, which is not supported/liked by Premiere.
    The thing is, until the latest Premiere update, I did not have performance issues at all with this card.
    I also read on the forum that others with the GTX 590 did not experience any problems with it
    So where does this come from?
    There is no change in performance whether or not I activate Mercury Playback Engine GPU acceleration.
    I also tried deactivating one of the 2 gpus, but there also was no change.
    Does anyone else know this problem and has anyone a solution?
    I'm running Premiere CC on a Win 7 64bit engine, Nvidia GTX 590, latest driver (of today),

    I am suffering from the same phenomenon since I updated just before christmas, I think.
    I am hardly able to do scaling, rotating and translating in the program monitor itslef - whil motion has been highlighted in teh effect controls.
    In the effect controls I can scale, rotate etc however.
    Also I have noticed there is a yellow box with handles in teh program monitor. I remember it was white before.
    I cannot figure out what to change in my preferences. What has happened?
    best,
    Hans Wessels
    Premiere CC
    Mac Pro OSX 10.7.5
    16 GB 1066 MHz DD3
    2 X NVIDIA GeForce GT 120 512 MB

  • My iphone 4 with ios 7 (very slow & keep restarting and sometime its make shuttdown) any help please ?

    my iphone 4 with ios 7 (very slow & keep restarting and sometime its make shuttdown) any help please ?
    i try to downgrade to 6.1.3 but its not possible

    http://osxdaily.com/2013/09/23/ios-7-slow-speed-it-up/
    Downgrading isn't supported by Apple, sorry.

  • How to rotate and translate an object at the same time??

    Hi, I have a problem with rotation and translation of an object at the same time. I wrote a behovior class for my object (a cylinder). When some conditions are true the cylinder is added to a robot arm. Then it is translated so that the cylinder would be very close to the arm (looks like the robot is holding it). And now the behavior should also rotate the cylinder because the angle is 0 and it should be 90. I can translate the object or I can rotate the object but when I'm trying to do it at the same time (I want to combine rotation and translation) it doesn't work.
    Could anyone help me, please :)

    You can used to Matrix3f
    This object is a rotation and translate matrix
    for example:
    private void componerTransformada(){
    Quat4f rot = new Quat4f((float) this.getRotacionSobreX(),(float) this.getRotacionSobreY(),
    (float) this.getRotacionSobreZ(),1.0f);
    Vector3f tras = new Vector3f(-4.0f,-4.0f,(-1)*this.getDistanciaDeLaCamara());
    this.setTransformacion(new Transform3D(new Matrix4f(rot, tras, 1.0f)));
    Quat4f is a matrix of ratation
    vector3f is a direction vector
    Transform3d is building with Quat4f and Vector3f.
    That is work i use this to situe the view of point.
    good locky

  • Hi all.When pressed play and make some changes in loop (eg fade in fade out) are very slow to implement, and also the loops from the library are very slow to play, corrects the somewhat self so is the Logic??

    hi all.When pressed play and make some changes in loop (eg fade in fade out) are very slow to implement, and also the loops from the library are very slow to play, corrects the somewhat self so is the Logic??

    Hey there Logic Pro21,
    It sounds like you are seeing some odd performance issues with Logic Pro X. I recommend these troubleshooting steps specifically from the following article to help troubleshoot what is happening:
    Logic Pro X: Troubleshooting basics
    http://support.apple.com/kb/HT5859
    Verify that your computer meets the system requirements for Logic Pro X
    See Logic Pro X Technical Specifications.
    Test using the computer's built-in audio hardware
    If you use external audio hardware, try setting Logic Pro X to use the built-in audio hardware on your computer. Choose Logic Pro X > Preferences > Audio from the main menu and click the Devices tab. Choose the built in audio hardware from the Input Device and Output Device pop-up menus. If the issue is resolved using built-in audio, refer to the manufacturer of your audio interface.
    Start Logic with a different project template
    Sometimes project files can become damaged, causing unexpected behavior in Logic. If you use a template, damage to the template can cause unexpected results with any project subsequently created from it. To create a completely fresh project choose File > New from Template and select Empty Project in the template selector window. Test to see if the issue is resolved in the new project.
    Sometimes, issues with the data in a project can be repaired. Open an affected project and open the Project Information window with the Project Information key command. Click Reorganize Memory to attempt to repair the project. When you reorganize memory, the current project is checked for any signs of damage, structural problems, and unused blocks. If any unused blocks are found, you will be able to remove these, and repair the project. Project memory is also reorganized automatically after saving or opening a project.
    Delete the user preferences
    You can resolve many issues by restoring Logic Pro X back to its original settings. This will not impact your media files. To reset your Logic Pro X user preference settings to their original state, do the following:
    In the Finder, choose Go to Folder from the Go menu.
    Type ~/Library/Preferences in the "Go to the folder" field.
    Press the Go button.
    Remove the com.apple.logic10.plist file from the Preferences folder. Note that if you have programmed any custom key commands, this will reset them to the defaults. You may wish to export your custom key command as a preset before performing this step. See the Logic Pro X User Manual for details on how to do this. If you are having trouble with a control surface in Logic Pro X, then you may also wish to delete the com.apple.logic.pro.cs file from the preferences folder.
    If you have upgraded from an earlier version of Logic Pro, you should also remove~/Library/Preferences/Logic/com.apple.logic.pro.
    Restart the computer.
    Isolate an issue by using another user account
    For more information see Isolating an issue by using another user account.
    Reinstall Logic Pro X
    Another approach you might consider is reinstalling Logic Pro X. To do this effectively, you need to remove the application, then reinstall Logic Pro X. You don't have to remove everything that was installed with Logic Pro X. Follow the steps below to completely reinstall a fresh copy of Logic Pro X.
    In the Finder, choose Applications from the Go menu.
    Locate the Logic Pro X application and drag it to the trash.
    Open the Mac App Store
    Click the Purchases button in the Mac App Store toolbar.
    Sign in to the Mac App Store using the Apple ID you first used to purchase Logic Pro X.
    Look for Logic Pro X in the list of purchased applications in the App Store. If you don't see Logic Pro X in the list, make sure it's not hidden. See Mac App Store: Hiding and unhiding purchases for more information.
    Click Install to download and install Logic Pro X.
    Thank you for using Apple Support Communities.
    Cheers,
    Sterling

  • Open and Save Dialogs Very Slow to Open and Populate

    In all of my apps, the Open and Save dialogs have become +very slow+ to open and populate since installing Snow Leapoard.
    This only happens on one of my machines, and not others. (I've unmounted all connected drives, just to eliminate that possibility.)
    Any thoughts on what this could be. The delay is significant (and feels like the old days of Windows, which I thought I'd left behind).

    The problem now appears to have gone away. The only change I've made is that I replaced an external drive that had recently died with a new one and gave it the same name as the failed drive.
    Could a the dead drive have left something behind (or failed to leave something behind) that is stumbled over (or looked for and not found) each time the file system was accessed, and that got cleaned up (or re-created) when the new drive was connected and renamed?

  • PS CC 2014 very slow to load and operate after 2014.2 update

    I updated my Photoshop CC 2014 64bit today.  It was working perfectly up to the update.  Since the update, PSCC 2014 has been very, very slow to load and slow in use.  I have uninstalled PS used the PS Cleaner and reinstalled through CC Desktop.  The speed problem remains.  Interestingly, 3D is the Menu feature that seems to take the longest to load.  In other words, the program eventually loads, but 3D appears 6 or 7 seconds later.  I don't know if this is significant.  The setup was working fine up to the update.
    Grateful for any ideas about what may be the problem and what I can do about it.
    My system is a 3770K, with 32Gb ram, x4 SSDs one dedicated to OS and programs and the others to data, and an Asus GTX660 (2Gb) graphics card.  I am using the latest driver from the Nvidia site.  OS is Windows 7 64bit.
    I am getting no error messages - just great sluggishness.
    Thanks.

    Sorry for the delay in responding.  I had to get some sleep.
    Changing "sniffer" made no difference I'm afraid.  I have put it back to "sniffer.exe" having tried reopening with "~sniffer" twice with no success.
    Resources.  The maximum cpu resource used during the period from clicking the desktop icon to the menus in the program becoming usable is 23%.
    At the end of the splash screen when "initializing panels" is briefly on the splash screen, the line for the resource meter for the cpu went red and said "not responding" - the red disappeared once the workspace was active:
    Do you need anything more?

  • Problem with a nokia 5310 xpress and a bluetooth

    i have problem with a nokia 5310 xpress and a bluetooth!i can transfer anything from my phone to pc with or without pc suite! but when i want to transfer files from pc to phone i doesen"t work! with pcsuite soethings work but very slow! i want to transfer files witout pcsuite !
    the blue tooth adapter it is dongle and it the software that i use is BlueSoleil 2.6.08
    CAn anyone help me?

    I'm having bigger problems...
    the screen goes all white and off after a lil while....
    Not even the vendor could do anything....

  • CS4 File info dialog very slow to open and respond.

    CS4 File info dialog very slow to open and respond. Every click or or key stroke takes more than 1 second to record. I have try multiple changes in the performance preferences and nothing has an affect. This is the only dialog box in the program that has the problem. The problem started when I uninstalled and reinstalled because of problems with the program freezing. I have changed every setting in the preferences performance section back and forth including 3 different amounts of memory usage (lo hi and recommended) restarting PS every time and nothing works. I would appreciate any help, keeping in mind that there have been no changes to the PC and it worked fine for a long time (approx 1/12 years) previous to the reinstall. Lenovo H420 windows 7 64bit 8gb ram 1gb HDD

    I've been having the same problem now for a few weeks and its killing me. Not sure what I can do, but in Photoshop and Bridge, the only programmes I use on a daily basis, it takes me forever to enter file information.
    My specs are:
    eMachines ET-XXXX
    Windows 7 Home Premium
    4GB RAM
    500GB HDD

  • Macbook pro late 2011, completely messed up, everything I click it brings up beachball very slow, blue ray and hd unwatchable as it jerks. genius bar app didnt help at all, very disappointed, can some1 help me?

    Macbook pro late 2011, completely messed up, a macbook pro of this year should not be operating like this, everything I click it brings up beachball very slow, blue ray and hd unwatchable as it jerks. genius bar app didnt help at all, very disappointed, can some1 help me?

    You have a hardware problem. It is probably the hard drive is either to full, not enough free space, or it is starting to fail.
    If you have an external drive connec that to the system and use the Recovery HD, Command + r keys at startup, to install a clean fresh copy of OS X Lion on the external then run the system from that. It will be slower but if you don't get the beachball then that is the sign your internal drive is on its way out or is filled up with files and not enough free space.

  • Firefox browser very slow signing in and moving from one website to another

    firefox browser very slow signing in and opening different websites.
    == Operating system ==
    Windows xp

    Hello BJ.
    This kind of issues are, unfortunately, more common and the we'd like. Thankfully, 99% of the cases are very easy to solve. However, you do need to diagnose what your exact problem is. Do this:
    #run Firefox in [http://support.mozilla.com/en-US/kb/Safe+Mode safe-mode] to disable all extensions, themes and plugins. If this fixes your issues, be them with RAM or CPU usage, then you know it's a problem with plugins, themes or extensions. Proceed to number 2. If safe-mode doesn't fix the issues, then read bellow, after this list;
    #update all extensions, themes and plugins in your Firefox. If this doesn't solve the issues, proceed to the following number;
    #disable all extensions, themes and plugins in your Firefox (not running safe-mode). Being certain that, as in safe-mode, the problems you're having have gone away, enable one plugin at a time. You should be certain that you WANT that plugin to be enabled, so keep your overall number of plugins as low as possible. When you encounter the problems, you know you've found a problematic plugin, so disable it for good. Keep enabling all plugins (except problematic ones) until you've gone through them all.
    #enable one extension at a time. Again, be certain that you WANT that extension to be enabled, so keep your overall number of extensions as low as possible. Also, try the theme you want to have installed so see if that is what's causing the problem. When you encounter the problems, you know you've found a problematic extension/theme, so disable it for good. Keep enabling all your extensions (except problematic ones) until you've gone through them all;
    #you're done! You've fixed your problems with problematic add-ons. If you want to keep using those problematic add-ons, please contant their author for support.
    Ok, if disabling all extensions and plugins through safe-mode didn't work to bring Firefox's CPU and RAM usage to good levels, then you have different issue. The most likely scenario is that you have a third party software running on your computer that is messing with Firefox. Do as follows:
    #try reinstally Firefox. No data will be lost. You can get the latest version for free at [http://www.getfirefox.com/ getfirefox.com]. If that doesn't fix the problem, proceed;
    #do a virus/malware check on your computer. If this doesn't fix it, proceed;
    #disable all software running in the background that you don't want to have running in the background (in windows, this is done by pressing WINDOWS+R in your keyboard, typing "msconfig" (without the commas) and pressing enter. Now, under the "Startup" tab, you can uncheck the software you don't want, and reboot your system for changes to take effect. If you're unsure of what software you want running, ask someone with more experience). If this doesn't fix your issues with Firefox, proceed;
    #check your firewall/antivirus/security suite for enabled functions/features that you don't want and/or may be conflicting with Firefox. You'll find that these features are most likely tied to Internet Security features, such as link scanners or URL checkers and the like. If you're not sure they are conflicting with Firefox, simply try to disable them to see whether or not that's true. As long as you don't browse the web with your antivirus completely off and your firewall completely turned off, there should be no problems. If this doesn't solve the issues, proceed to the following number;
    #check your operating system security options, mainly advanced options that are not configured by default. While it's very unlikely that this may be the cause of the problem (after all, it's the last item on the list), it's remotely possible. If this doesn't work, proceed to the following point;
    #clean up your OS registry, using appropriate software. If this doesn't do it, I'm out of ideas. Except make sure you've followed my instructions correctly.

  • I have a problem with mail.  the spelling and grammer check box before sending the messege is no longer there.  I did everything but cannot get it back.  is ther anyone who knows how to get the box with spelling and grammer checks before sending

    i have a problem with mail.  the spelling and grammer check box before sending the messege is no longer there.  I did everything but cannot get it back.  is ther anyone who knows how to get the box with spelling and grammer checks before sending the mail.
    Also the mail is acting very funny by not getting the rules work in a proper method.  Is ther a software to repair mail.

    i did both of them, but still the while sending the mail the diolog box is not showing up and also the spelling and grammer does not do the spelling check. 
    This problem just started for about 3 to 4 days now.  earlier it was working normally.

  • Help me please : Serious problems with collection-mapping, list-mapping and map-mappi

    Hi everybody;
    I have serious problems with list-mapping, collection-mapping and map-mapping.
    Acording to specifications and requirements in a system I am working on it is needed to
    get a "list" of values or an indivudual value.I am working with ORACLE 9i Database,
    ORACLE 9i AS and ORACLE 9i JDEVELOPER.
    I tried to map a master-detail relationship in an entity-bean, using list-mapping.
    And this was very useful in order to get a "list" of details, ...but, when I wanted
    to get a single value I have some problems with persistence, something about "saving a state"
    despite I just want to get the value of a single detail.
    I decided to change it to map-mapping and the problem related with a single detail
    worked successfully, but I can get access to the whole bunch of details.
    May anyone of you help me with that?
    I am very confused I do not know what to do.
    Have any of you a solution for that problem?
    Thank you very much.

    Have you tried a restore in iTunes?

  • MacBook suddenly very slow to start and operate

    Sudenly last week my MacBook becomes very SLOW to start and to operate. Until last week it was working fine.
    I do not believe to have perform anything abnormal and what is new is just the normal updating of the Softwares that is performed automaticlly every week.
    I tried to shut down and restart several time.
    I tried several time to reinstall Mac OS 10.6.8
    I checked the hard disk with Disk utility and it results OK.
    What to do ?
    Thanks
    Marc

    Right or control click the MacintoshHD icon. Click Get Info. In the Get Info window you will see Capacity and Available. Make sure you always have a minimum of 15% free disk space.
    Why Is My Mac Running So Slow? [MacRx] | Cult of Mac

Maybe you are looking for

  • Problema para usar exemplos ou templates do Muse versão de avaliação

    Olá povo do Adobe Muse. Acabei de baixar cópia de avaliação; gostei muito da idéia do programa, mas estou com um problema para efetivamente poder testar o mesmo: Sou bastante leigo no assunto de criação de sites e pensei em começar pelos exemplos ou

  • First back up complete but Time Machine says no locations found?

    I've just got home to after leaving my initial back up running about 15 hours to complete. When I got home my imac was powered off but Time Capsule was on. When I click on Time Machine now it says The storage locations for Time Machine backups can't

  • "Entering Power Save Mode"

    Hi guys. I have an HP desktop and a Dell SR2320L Monitor. It was working fine until a few months back. I was out of town, came back last week and now every time I start my PC it just stays there "Entering Power Save Mode". I tried almost everything r

  • Dynamic values in f:validateLongRange

    In the code below, I'm having issues trying to dynamically set the maximum value for the long validation. I'm using apache MyFaces 1.1.1 on tomcat 5.5.12. When i use a normal number, it works, but when i try to use the expression, i get the following

  • EA2700 and remote accessing DVR

    Does anyone have a solution for router settings to allow remote access to DVRs both windows and Linux? Solved! Go to Solution.