Something very strange in Flash 8

I am new for Flash, but I have found something strange in
Flash 8. Please start a new document and put component Button to
library. Next please start Control/Debug Movie. In upper window
please click _level0, in lower: tag Variables and next :
+focusManager, in this there is + form, in this is next
focusManager, and next +form - probably up to infinity. I tried 20
times.
Jacek

timerClip can be referenced by code in frame 16, that
executes after your gotoAndStop(24), but code in timerClip, even in
its first frame, will not execute until the playhead actually
enters frame 24. in particular, from frame 16 you cannot reference
any functions defined on timerClip's timeline.

Similar Messages

  • Trying to do something very strange with layouts and painting components

    I'm trying to do something very strange with changing the layout of a container, then painting it to a bufferedImage and changing it back again so nothing has changed. However, I am unable to get the image i want of this container in a new layout. Consider it a preview function of the different layouts. Anyway. I've tried everything i know about swing and have come up empty. There is probably a better way to do what i am trying to do, i just don't know how.
    If someone could have a look perhaps and help me out i would be much appreciative.
    Here is a self contained small demo of my conundrum.
    import java.awt.BorderLayout;
    import java.awt.Color;
    import java.awt.Graphics2D;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.image.BufferedImage;
    import javax.swing.BoxLayout;
    import javax.swing.ImageIcon;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JLabel;
    import javax.swing.JPanel;
    import javax.swing.border.LineBorder;
    // what is should do is when you click on the button "click me" it should place a image on the panel of the buttons in a
    // horizontal fashion. Instead it shows the size that the image should be, but there is no image.
    public class ChangeLayoutAndPaint
         private static JPanel panel;
         private static JLabel label;
         public static void main(String[] args)
              // the panel spread out vertically
              panel = new JPanel();
              panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
              // the buttons in the panel
              JButton b1, b2, b3;
              panel.add(b1 = new JButton("One"));
              panel.add(b2 = new JButton("Two"));
              panel.add(b3 = new JButton("Three"));
              b1.setEnabled(false);
              b2.setEnabled(false);
              b3.setEnabled(false);
              // the label with a border around it to show size in a temp panel with flowlayout to not stuff around
              // with the actual size we want.
              JPanel thingy = new JPanel();
              label = new JLabel();
              label.setBorder(new LineBorder(Color.black));
              thingy.add(label);
              // the button to make things go
              JButton button = new JButton("click me");
              button.addActionListener(new ActionListener(){
                   public void actionPerformed(ActionEvent e)
                        //change layout
                        panel.setLayout(new BoxLayout(panel, BoxLayout.X_AXIS));
                        panel.doLayout();
                        //get image
                        BufferedImage image = new BufferedImage(panel.getPreferredSize().width, panel.getPreferredSize().height, BufferedImage.TYPE_INT_ARGB);
                        Graphics2D g = image.createGraphics();
                        panel.paintComponents(g);
                        g.dispose();
                        //set icon of jlabel
                        label.setIcon(new ImageIcon(image));
                        //change back
                        panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
                        panel.doLayout();
              // the frame
              JFrame frame = new JFrame();
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setSize(400,200);
              frame.setLocation(100,100);
              frame.getContentPane().add(panel, BorderLayout.NORTH);
              frame.getContentPane().add(thingy, BorderLayout.CENTER);
              frame.getContentPane().add(button, BorderLayout.SOUTH);
              frame.setVisible(true);
    }

    Looks like you didn't read the API for Container#doLayout().
    Causes this container to lay out its components. Most programs should not call this method directly, but should invoke the validate method instead.
    There's also a concurrency issue here in that the panel's components may be painted to the image before revalidation completes. And your GUI, like any Swing GUI, should be constructed and shown on the EDT.
    Try this for size -- it could be better, but I've made the minimum possible changes in your code:import java.awt.BorderLayout;
    import java.awt.Color;
    import java.awt.Graphics2D;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.image.BufferedImage;
    import javax.swing.BoxLayout;
    import javax.swing.ImageIcon;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JLabel;
    import javax.swing.JPanel;
    import javax.swing.SwingUtilities;
    import javax.swing.border.LineBorder;
    public class ChangeLayoutAndPaint {
      private static JPanel panel;
      private static JLabel label;
      public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
          @Override
          public void run() {
            // the panel spread out vertically
            panel = new JPanel();
            panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
            // the buttons in the panel
            JButton b1, b2, b3;
            panel.add(b1 = new JButton("One"));
            panel.add(b2 = new JButton("Two"));
            panel.add(b3 = new JButton("Three"));
            b1.setEnabled(false);
            b2.setEnabled(false);
            b3.setEnabled(false);
            // the label with a border around it to show size in a temp panel with flowlayout to not stuff around
            // with the actual size we want.
            JPanel thingy = new JPanel();
            label = new JLabel();
            // label.setBorder(new LineBorder(Color.black));
            thingy.add(label);
            // the button to make things go
            JButton button = new JButton("click me");
            button.addActionListener(new ActionListener() {
              @Override
              public void actionPerformed(ActionEvent e) {
                //change layout
                panel.setLayout(new BoxLayout(panel, BoxLayout.X_AXIS));
                //panel.doLayout();
                panel.revalidate();
                SwingUtilities.invokeLater(new Runnable() {
                  @Override
                  public void run() {
                    //get image
                    BufferedImage image = new BufferedImage(panel.getPreferredSize().width,
                        panel.getPreferredSize().height, BufferedImage.TYPE_INT_ARGB);
                    Graphics2D g = image.createGraphics();
                    panel.paintComponents(g);
                    g.dispose();
                    //set icon of jlabel
                    label.setIcon(new ImageIcon(image));
                    //change back
                    panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
                    //panel.doLayout();
                    panel.revalidate();
            // the frame
            JFrame frame = new JFrame();
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(400, 200);
            frame.setLocation(100, 100);
            frame.getContentPane().add(panel, BorderLayout.NORTH);
            frame.getContentPane().add(thingy, BorderLayout.CENTER);
            frame.getContentPane().add(button, BorderLayout.SOUTH);
            frame.setVisible(true);
    }db
    edit I prefer this:import java.awt.BorderLayout;
    import java.awt.Graphics;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.image.BufferedImage;
    import javax.swing.*;
    public class LayoutAndPaint {
      JPanel panel;
      JLabel label;
      public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
          @Override
          public void run() {
            new LayoutAndPaint().makeUI();
      public void makeUI() {
        JButton one = new JButton("One");
        JButton two = new JButton("Two");
        JButton three = new JButton("Three");
        one.setEnabled(false);
        two.setEnabled(false);
        three.setEnabled(false);
        panel = new JPanel();
        panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
        panel.add(one);
        panel.add(two);
        panel.add(three);
        label = new JLabel();
        JButton button = new JButton("Click");
        button.addActionListener(new ActionListener() {
          @Override
          public void actionPerformed(ActionEvent e) {
            layoutAndPaint();
        JFrame frame = new JFrame();
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(400, 400);
        frame.add(panel, BorderLayout.NORTH);
        frame.add(label, BorderLayout.CENTER);
        frame.add(button, BorderLayout.SOUTH);
        frame.setLocationRelativeTo(null);
        frame.setVisible(true);
      private void layoutAndPaint() {
        panel.setLayout(new BoxLayout(panel, BoxLayout.X_AXIS));
        panel.revalidate();
        SwingUtilities.invokeLater(new Runnable() {
          @Override
          public void run() {
            BufferedImage image = new BufferedImage(panel.getPreferredSize().width,
                panel.getPreferredSize().height, BufferedImage.TYPE_INT_ARGB);
            Graphics g = image.createGraphics();
            panel.paintComponents(g);
            g.dispose();
            label.setIcon(new ImageIcon(image));
            panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
            panel.revalidate();
    }db
    Edited by: DarrylBurke

  • Found something very strange about Memory Bandwidth

    Okay ever since I posted my 3.2Ghz overclock thread i've been doing some testing...
    rolling back to 3Ghz from 3,2Ghz gives me 100% stability with prime95, which isn't that weird, BUT!
    When I boot with a FSB of 250 (3Ghz) DDR400 (200Mhz) (4:5 divider) in the BIOS and run a memory bandwidth test in SiSoft Sandra I get a memory score of
    ~4800Mb/s
    Which isn't that strange... A good score..
    When I boot with a FSB of 267 (3,2Ghz) DDR427 (213,5Mhz) (4:5 divider) in the BIOS and run a memory bandwidth test in SiSoftware Sandra I get a memory score os
    ~5150Mb/s
    Which isn't eithat that strange, a resonable gain considering the few extra Mhz I pumped out of the DDR (running at 2,5-3-3-6).
    But here comes the really really strange part...
    I boot with a FSB of 267 (3,2Ghz) into windows..
    I change the FSB to 250 (3Ghz) with CoreCenter or ClockGen..
    DDR goes back to 200Mhz (DDR400) (this all confirmed with Z-CPU)
    I run a memory Bandwidth test in SiSoftware Sandra (restarted the program, not just running another one on top) and I get a memory score of...
    ....~5150Mb/s
    I get similar scores running other benchmarks (in this case Aquamark3) that would suggest that there is a much greater performance loss in setting the BIOS FSB to 250Mhz rather than setting it to 367Mhz then lowering it in windows.
    Does anyone have any idea why this happends?
    I am really interested in peoples theories
    Neo2-LS 1.8
    P4 2,4C @ 3Ghz | 1Ghz FSB
    2x256M Dual DDR400 @ 2,5-3-3-6-8 200Mhz
    Radeon 9500PRO
    Antec TruePower 430W

    the 367 in the end is a typo, ment to say 267... ~1050Mhz FSB - 3,2Ghz for a 2,4C
    Quote
    Originally posted by goalie20
    Maybe I'm not reading your post carefully enough-(its been along day)but on the final configuaration what are your memory timings? Also did you mean to say setting timings to 267 as opposed to 367?
    My DDR timings are listed at the end of my post.. The same timings are used when i'm running at 3Ghz and 3,2Ghz. 2.5-3-3-6
    At 3Ghz with a DDR Speed of 333 I get 400Mhz (200Mhz per module) running FSB 250 (from 200)
    Quote
    Originally posted by REILLY875
    I am confused to... When you say 367MHZ do you mean memory speed at a 5:4 ratio?..Sean REILLY875
    Yes i'm running at a 5:4 ratio.. 367 is a typo, I ment to say 267 and I ment the FSB not the memory..
    Quote
    Originally posted by NovJoe
    What is your DRAM speed set as in BIOS?
    What does your DDR Clock in BIOS shows?
    Check with CPUZ and see what Freq x 2 is your RAM running at?
    The DRAM Speed is left at 4:5 (333) and the speed is 427Mhz when booting to 3,2Ghz (FSB 267)
    The DRAM Speed is left at 4:5 (333) and the speed is 400Mhz when booting to 3Ghz (FSB 250)
    READ THIS CAREFULLY
    Okay, to put this simply...
    Overclock in BIOS to 3Ghz with a DDR Ratio of 5:4
    BIOS FSB: 250
    BIOS DDR: 400
    Sandra Memory Bandwidth Benchmark Score: ~4800Mb/s
    Overclock in BIOS to 3,2Ghz with a DDR Ratio of 5:4
    BIOS FSB: 267
    BIOS DDR: 427
    CPU Speed: 3,2Ghz
    Sandra Memory Bandwidth Benchmark Score: ~5150Mb/s
    So far nothing strange, okay?
    -This is where it gets tricky...-
    Overclock in BIOS to 3,2Ghz with a DDR Ratio of 5:4
    BIOS FSB: 267
    BIOS DDR: 427
    CPU Speed: 3,2Ghz
    In Windows I change the FSB back to 250.
    FSB: 250
    DDR: 400
    CPU Speed: 3Ghz
    Sandra Memory Bandwidth Benchmark Score: ~5150Mb/s
    To cut this short...
    I get more memory bandwidth when booting to 3,2Ghz than 3Ghz even though when i'm in windows I change back to 3Ghz from 3,2Ghz.¨
    Any more questions? =)
    This is really easy if you just read it all closely and if I don't make any more typos :D

  • Something very strange happen to my order mac mini

    hi
    my mac mini order has been cancelled by its self without asking me !!!
    but the strange thing was this message that i received form apple
    Order Date: Apr 14, 2012
    Customer Name: *********
    Dear Apple Customer,
    Thank you for your recent iPad purchase at the Apple Online Store.
    While we appreciate your interest in the new iPad, we are unable
    to process your order. Apple is unable to fulfill orders that exceed
    the quantity limit per customer, or that ship to an international,
    freight forwarder, or an APO/AFO address.
    Your iPad order has been cancelled, and you will not be charged.
    Thank you for shopping with Apple.
    The Apple Online Store
    ipad ????????
    my order is mac mini !!!! not the new ipad !!!!
    whats happen ??
    now what can i do to get my order back ??
    my order number: W218087268

    Call Apple sales right away...
    Apple Store Customer Service
    To view the most up-to-date status and make changes to your Apple Online Store order, visit online Order Status. You can also contact Apple Store Customer Service at1-800-676-2775 or visit online Help for more information.
    http://www.apple.com/contact/

  • Something very strange is happening with the adjustment brush

    When I brush over an area of a photo with the adjustment brush, LR does not select all of the area I brushed over, regardless how many times I go over it.  The unselected spots look like pepper sprinkled on mashed potatoes, small dots that will not select, and so will not do whatever effect I'm trying to do. Like if I brush a hillside, the little dots will appear (apparently randomly) If I change the color temp the selected area changes like it should but the little specks do not change.  LR will not select them.  Please help.

    Sorry, not the right answer. But thankx for taking a shot. According to
    Adobe LR does not have enough pixels when I'm working on a macro subject
    (say a butterfly that I'm trying to work on at 2x in the navigator) there
    just are not enough pixels. So I have to transfer projects that deal with
    micro subject into PS, PS had  no problem detecting the holed and filling
    them in, what I've got to do is select using the magic pen or whatever
    works best and then make adjustments to the selection. We do that, no
    problem.  Then back to LR for larger more general adjustments. I have no
    idea why, WHY Adobe would have two programs that work so closely together
    and yet not have identical selection abilities. That's a mistake in my book.
    On Sun, Oct 12, 2014 at 11:13 PM, Bob Somrak <[email protected]>

  • HELP! Desperate, All my shape tools are doing something very strange, must have changed a setting but cannot figure out how to change back!

    Hi Everyone,
    I am not sure how I changed the settings however whenever I go to draw a circle or line/shape, the below keeps happening. I have tried closing down and starting Illustrator up again, but it is still doing the same thing! 

    Ella,
    You may try to see whether your Tilde key ~ is stuck.

  • Something very strange happened to me

    I have
    class A extends Thread
    C example;
    A(C instanceC)
    example = instanceC;
    void JustAnExample()
    exmaple.g = 7;
    class B extends Thread
    Class C
    public int g;
    A(this);
    B(this);
    I have the following code example but when I am changing g from object A or B it doesn't change.
    Why is it?

    Nah, object C is passed by reference and g will be changed (huh, if program is ok, sure).
    Here is an example (at least works):
    class A
        C reference;
        A(C ref)
            reference = ref;
        void change()
            reference.g = 7;
    class C
        int g;
    class Test
        public static void main(String[] args)
            C c = new C();
            A a = new A(c);
            a.change();
            System.out.println(c.g);
    }

  • Very strange happenings....

    Hello all
    There is something very strange going on with a couple of
    flash movies/sites that I have created.
    At first it was only noticed by one person, but it is now
    two, which makes me wonder how many others are having the problem.
    Please check this
    site and
    this
    site in IE6 (if you still have it).
    The problem is that on the first site the navigation on the
    left hand side doesn't appear to work but the images all show and
    they can see the background. When they roll over where the
    navigation is it shows the rollOver state but no text. The same is
    so for the second site's flash header.
    It works on the majority of other test machines we have tried
    and I can't understand why the odd ones can see the images but not
    the text as the swf files are the whole thing (not images seperate
    from the nav). Do the fonts need to be embedded or made into
    outlines (like Illustrator) because I thought that all fonts would
    display using flash?
    Just wondered if anyone else had come across this very odd
    thing or anyone could offer any advice, it's confused me.
    Thanks in advance
    James

    Hi Marylin,
    iMovie has a ... "fragile" file system... I'm reading, you're doing zillions of things, while project is in process ...including getting a new hard drive, running Disk Warrior, unplugging my modem, etc. .. esp. "getting a new harddrive".. how did you accomplish THAT??... anyhow.
    so, basic rule:
    Don't get hasty.
    In the video portion I am using and intermixing stills and video, transitions, titles, etc. .... I can undo & redo voice overs, increase volume, reduce volume on clips, add music., fade it in and out.
    another rule: iMovie has problems with too much audio-editing... some recommend here, to export project after finishing editing to tape and reimport and do audio THEN...
    iMovie is easy to use, but a project of such big size shouldn't be done with "trial & error"... try to break it down in parts (you can rejoin them later), think first/do some paper editing first; create playlists in iTunes to have easy access to titles you want; add narration first (as "timeline" where to edit what) or at last, when everything is finished (take in concern that im-/export hint)...
    I've accomplished 2h projects with a much less powered Mac then yours... keep calm, do it easy, think first.
    just to mention that:
    . The computer fan makes loud noises and I have to switch off the power to the computer. The fan is for cooling your Mac, switching it off, means no cooling= oh, oh... and to stop a UNIX system by unplugging the computer... pphheww... no good either....
    you bought a 2000$ machine - don't treat it as a Gremlin ;-))

  • IPad acting very strange (HELP!)

    Hi guys,
    something very strange is happening to my iPad 2 and I'm hoping someone could help me out.
    So my iPad was working fine few hours ago, and had approximately 50-60% battery left. So I put it to sleep by clicking on the power button on top right, and did my business. After few hours, I tried to turn on the screen as usual by clicking the power button but it won't turn on. So I tried long-clicking because I figured somehow it turned off, but it didn't register. I tried clicking the home button but nothing.
    So I plugged in the charger (despite knowing there was battery left) and the iPad turned on as if it was completely turned off (and asking my passcode and stuff). When I put the passcode, it opens but the battery says 100%. When I unplug the charger, it goes dead again.
    Even more weirdly, when I keep charger plugged, it stays awake for a minute then completely goes dead again. Then after few seconds, the apple logo comes up (as if rebooting) and turns on again. The cycle continues.
    I did not drop it or anything, it was just sitting there, and it worked perfectly fine up until now. I'm very confused why it's acting this way.
    Is this hardware malfunction, plain and simple? Should I take it to the apple store and have them fix it or replace it? 

    update:
    not sure if this is relevant but I turned on my ipad's icloud so i can move my camera roll to photostream (of course ipad still won't work without being plugged).
    Soon after, i got a message on ipad screen saying:
    "verification failed.
    the certificate for this server is invalid. you might be connecting to a server that is pretending to be setup.icloud.com which could put your confidential info at risk"
    Is it possible that my iPad was somehow hacked?

  • Very strange wifi happenings with my iPhone 5

    Here's what's up:
    I have an iPhone 5 and it is updated to the latest iOS release.  The WiFi connection does something very strange.
    There are two saved networks in the phone.  One is a hidden wifi network from work (a public school) that also uses an auto proxy (a URL address).  The other is my home wifi.  I have Verizon Fios.
    When only my home network is saved, the wifi at home works perfectly. However, when both networks are saved, the home wifi pretty much doesn't work.  It seems to constantly disconnect and connect with the network; web pages do not load, etc.   At work, with both networks saved in the phone, it works perfectly.
    For the life of me I cannot figure out what is wrong.  Now, to make matters even more mysterious, I have an iPad2 with the exact same network settings and with both networks saved in that, it works perfectly no matter where I go- home or work.
    Please, does anyone have any ideas as to what is messed up?

    https://www.youtube.com/watch?v=iVQcFIHWbQ8
    here is a fix i have followed some of the instructions and i am now back at 27down 13 up

  • Very strange.   Wrong AppleID in Find My iPhone

    My daughter upgraded from an iPhone 4 to a 5C and really likes it.  But something very strange and perplexing happened with the Find My iPhone app.
    The first time she launched this app the AppleID/e-mail was prepopulated with a completely unknown e-mail address.  It appears to be a person's name @gmail.com.  My daughter searched her contacts on the phone, and in her e-mail account and found no record of this e-mail address.
    So the question is this.  How can a completely unknown e-mail address be prepopulated in Find My iPhone on a brand new, never used iPhone 5C???
    Lacking a clear explaination causes me to wonder about the integrity of what is actually running on her iPhone.  Could the security of her phone be compromised?

    I seriously doubt that your brand new phone was used previously.
    I bought a brand new iPhone 5s from Verizon last September (arrived factory sealed) and no problems using it.  Today, I needed to recover a photo I accidently deleted from the Camera Roll.  So I did a total reset... erased everything and tried to restore from my last iCloud backup.
    During the procedure, I was asked to login to the Apple Store and a unknown email address was already filled out.  There was no way to over-ride it... skip this step was my only option.  So I skipped it and another unknown email address appeared.  Then I skipped it again and my email address appeared.  I logged in and then another unknown email addresses appeared with a password box.  I skipped this step and another final one appeared.  After skipping this one too... it finally proceeded to restore from my last iCloud backup.
    After saving my lost photo from the Camera Roll, I plugged into iTunes and restored again from the newer backup saved in my computer.  This restore did not require any Apple Store authentications so there was no problems...
    HOWEVER, after restoration, the next time my phone asked me to login to the Apple Store, it was prepopulated with one of those bogus email addresses from before!  This time I simply deleted it and entered my login info... everything seems fine now.
    Based on how mine went down... I am fairly certain this problem has nothing to do with the user or the phone.  It sure seems like something is very wrong within Apple's Cloud servers and how it authenticates the restore.
    My latest issue is that the phone is correctly reporting my last iCloud backup from last night, but iTunes is telling me the phone has "never been backed up to iCloud."  This is crazy...  I'll be visiting the Apple Store soon to try and find out more.

  • MacBook Pro - Battery behaving very strangely

    I have noticed there are already many threads on this, couldn't decide which one to post in so am starting a new one.
    I have a MBP 2.33 C2D 17" from late 2006. Last year I experienced the 'expanding battery' problem, my battery totally warped out of shape and was not working properly. After a fair bit of trouble with Apple France (who basically said, too bad, buy a new one), I eventually was able to go above their heads and get Apple to send me a free replacement. This seemed fair seeing as I had bought my MBP within the timeframe of an official battery recall published on the Apple site. The new battery worked absolutely fine, and is now still less than a year old.
    Recently though, it has started to behave very strangely. I hadn't made any connection that it could be to do with having upgraded to Snow Leopard, but in retrospect, after reading many of the threads here, it does seem likely that this is the case.. I recently did a big upgrade from Tiger to SL on this very machine, and it has been since then that I've had very erratic battery behaviour.
    My symptoms are similar to many I've read here: The remaining battery time (when not connected to AC) will jump from say 3 hours down to 15 mins very suddenly. Then sometimes it will jump back up again. Sometimes my battery health condition will say 'replace now', other times 'replace soon' or other times 'normal'. Also, sometimes the machine will just go to sleep with no warning, even when it had estimated more than an hour of battery time left.. upon reconnection to AC, suddenly it says 0%.
    I have always been careful to power cycle the battery properly, to let it run down regularly. Also since noticing this problem, the first thing I tried to do was recalibrate.. But I've tried twice now with no success. I let the machine run right down till it went to sleep, then left it on overnight, waiting for the power LED to stop flashing on the front of the machine.. But it wouldn't stop flashing even after being left off overnight. I have yet to try an SMC reset, will do that next.
    I realize my battery is not brand new, nor is my computer. However, this was a replacement battery I received less than a year ago. I'll put the battery stats below, but I'm not sure I believe them because I've been checking what is says a lot recently and sometimes it even shows a full charge capacity of a negative number! Something strange is going on here. I obviously don't expect full performance from a battery nearly a year old, but what it's doing here seems to be more than just a case of a battery getting old, especially having seen that many other users are having a similar set of symptoms after going to Snow Leopard.
    Model Information:
    Manufacturer: SMP
    Device name: ASMB014
    Pack Lot Code: 0002
    PCB Lot Code: 0000
    Firmware Version: 0110
    Hardware Revision: 0500
    Cell Revision: 0102
    Charge Information:
    Charge remaining (mAh): 2453
    Fully charged: Yes
    Charging: No
    Full charge capacity (mAh): 2453
    Health Information:
    Cycle count: 396
    Condition: Replace Now
    Battery Installed: Yes
    Amperage (mA): 0
    Voltage (mV): 12597
    Any suggestions appreciated..
    Cheers.

    I just got off a call with Apple support. The tech agreed that my symptoms were not normal, even for a battery with a cycle count over 300 like mine.. especially with the fact that the system profiler is showing bizarre info that makes no sense such as a full charge of a negative number. He said that basically the only thing I can try is to do an archive and reinstall of Snow Leopard, since it seems that the operating system is possibly corrupted. I don't think it's anything to do with the physics of the battery, it is more likely that the OS is not interacting properly with the battery, thus giving false and conflicting readings and information.. He seemed quite certain that it can't be a problem with Snow Leopard itself, seeing as all of the laptops in the Apple Support office were on SL and did not have this problem. So in his opinion, a corrupted OS was the most likely explanation. In any case, he said that batteries are only covered by a 90 day guarantee, so if it turns out that after a reinstall, my problem doesn't go away, then I'll have no choice but to buy a new battery because they won't cover it... This doesn't seem very fair to me because if it turns out that the OS has nothing to do with it, then it must be a faulty battery, because this kind of behaviour is certainly not what I'd call acceptable for a battery of less than a year old.
    Anyway, I'll perhaps try the archive and install process on the weekend and see what happens.

  • Files transferred to external HD end up in trash - very strange issue

    Hi,
    I seem to be having a very strange issue, hopefully somebody can help or has seen this before.
    Hardware: MacBook Air, Western Digital Passport external HD, 250gb, formatted NTFS.
    Software: OSX 10.7 Lion, Paragon (allows me to write to an NTFS formatted HD)
    Issue Summary: I copy something to the external HD; I empty trash; the file I copied is deleted from the external HD. It doesn't happen every time.
    I do also seem to have a persistent folder in trash called "WD Sync Data" that won't go away unless I re-delete it as it's also in the root of the drive. Not sure if this is related somehow.
    Recently I copied 3 video files inside a folder to the HD, then disconnected the HD. When I reconnected it a while later and noticed that inside the "WD Sync Data" folder in trash were the 3 files I'd copied. I then looked inside the same folder on the root of the drive and the files were there, instead of inside the folder that I'd copied to the drive, which had vanished. If I hadn't noticed and had emptied the trash, those files would've been deleted.
    It's definitely happened more than once; last time I actually deleted the files from my computer after copying, then emptied trash, and they were gone from the external HD also.
    I've only found one person who seemed to be experiencing a similar problem back in 2010. It sounds similar though it could've been user error: http://www.mac-forums.com/forums/apple-notebooks/188224-weird-external-hard-driv e-trash-problem-help-please.html
    Has anyone experienced this or have any suggestions?

    Quick update: I ran a verify then a repair in Disk Utility as there were a couple of errors. Hopefully this has solved the issue, however it'd still be interesting to know if anyone's come across this before and what caused it?

  • Can visit every website except one? Very strange a...

    This is a very strange problem, and one that has started today but is already driving me mad. I'm on BT Infinity Broadband, using a BT homehub, and have done for a while now... So far it's been fine until today.
    Every aspect of my internet connection is fine - I can get and send emails, use skype, and view websites through every browser...But all of a sudden I can't visit one particular website anymore? It just times out every single time and wont let me on. It's definitely not the website becuase all my colleagues can go on there, and if i turn off my wifi on my iphone I can get to it on 3G also, so the problem is definitely in the router or something to do with my settings here. I've tried on my Macbook on Chrome, Safari and Firefox, and also on my Powermac on the same three browsers. 
    It's vital that I get back online becuase as luck would have it, my job is updating the blog on this one site I can't access, so any help from anyone at all would be very much appreciated. Here's the site in question: www.4downdistribution.com/v3
    Cheers
    James

    it's unlikely that any settings have changed in the router  - have you tried deleting the cache/history/temp internet files and see if that help
    If you like a post, or want to say thanks for a helpful answer, please click on the Ratings star on the left-hand side of the post.
    If someone answers your question correctly please let other members know by clicking on ’Mark as Accepted Solution’.

  • Very strange Popup - can't get rid of it

    I've been getting a very strange popup lately when I go to certain sites and I can't get rid of it. It's an advertising thing that thinks for some reason that I live in Oakland (which i don't but is nearby). I also noticed that on certain websites now autofill puts in Oakland and some sites say i am logging in from Oakland.
    The popup looks like an XP window but is messed up and the text hangs over the edge of the box. It bounces around in the middle of my screen and makes accessing anything under it impossible.
    I have cleared cookies, cache and history. I have pop block on. This happens in Safari and in Firefox. I can send a screen shot but can't seem to paste one here.
    If I have accidentally gotten some adware installed, how can I find and get rid of it???
    Any help would be hugely appreciated!
    Thanks,
    Ed

    Thanks for the quick response. I pretty much always get it at this site:
    http://www.alluc.org/alluc/tv-shows.html?action=getviewcategory&category_uid=822
    A friend just tried the site too and said he gets the same popup but with an advert for Seattle (where he does live), so perhaps this isn't something installed on my computer after all... it is super annoying, though, so i'll give that program a try. do you have any other thoughts?

Maybe you are looking for