Strange Cursor Problems

Hi everyone,
I have been having a lot of strange cursor manifestations happening after I reformated my computer and reinstallled the Adobe Suite.  However, the only problems that pop up seem to be in Photoshop.  I'll try my best to explain...
Whenever I adjust the size of the of a brush or switch between tools (like the clone stamp, healing brush, eraser, brush) or sample an area, either the brush cursor manifests twice so that I have to circles side by side or it turns into two lines on a diagonal that cross over each other (not crosshairs though).
I never had these problems before, and have no cursor problems outside of Photoshop.  Anyone have an idea of what is going on, or even better, a solution?

Update your video driver from the web site of the maker of your video card.  That's been known to solve problems such as what you're describing.
What video card do you have, by the way?  nVidia?
-Noel

Similar Messages

  • Strange cursor problem (Star Trek themed db!)

    Hi,
    I have below a set of tables, and the code I'm running. The first half of the code does exactly what I want it to do. But I am trying to take those results and pull more information out of them, as noted below using %FOUND
    DECLARE
    CURSOR planet_cursor IS
         SELECT planet_num, planet_name
         FROM planet;     
    v_pnumb   planet.planet_num%TYPE;
    v_pname    planet.planet_name%TYPE;
    v_snum    starbase.star_num%TYPE;
    v_bname   starbase.base_name%TYPE;
    v_basePnum  starbase.planet_num%TYPE;
    BEGIN
    OPEN planet_cursor;
    LOOP
         FETCH planet_cursor INTO v_pnumb, v_pname;
         dbms_output.put_line('My number is ' || v_pnumb || ' and my name is ' || v_pname);
         EXIT WHEN planet_cursor%NOTFOUND;
    END LOOP;     
    -- *the above explicit cursor works correctly. However, I want to count the number of bases on each star While that FETCH is taking place*
    --* First, I am just testing to see if I can even pull out the number of bases from each star using an implicit cursor (one result out of the set of previous results)*
    WHILE planet_cursor%FOUND
    LOOP
    SELECT COUNT(starbase.planet_num)
         INTO v_basePnum
         FROM starbase
         WHERE vbasePnum = v_snum;
         dbms_output.put_line('I have ' || v_basePnum || 'number of bases');
    END LOOP;
    CLOSE planet_cursor;
    END;I just want to Count the number of bases on each planet using an implicit cursor select statement to sort of weed through the explicit cursor results.
    Tables
    CREATE TABLE planet
    (planet_num VARCHAR2(3),
    planet_name VARCHAR2(20));
    CREATE TABLE starbase
    (star_num VARCHAR2(2),
    base_name VARCHAR2(20),
    planet_num VARCHAR2(3));
    INSERT INTO planet VALUES
    (257, 'Neptune');
    INSERT INTO planet VALUES
    (367, 'Venus');
    INSERT INTO planet VALUES
    (586, 'Mars');
    INSERT INTO planet VALUES
    (725, 'Earth');
    INSERT INTO starbase VALUES
    (01, 'Neptune Base', 257);
    INSERT INTO starbase VALUES
    (02, 'Venus Base', 367);
    INSERT INTO starbase VALUES
    (03, 'Mars Base', 586);
    INSERT INTO starbase VALUES
    (04, 'Mars Base 2', 586);
    INSERT INTO starbase VALUES
    (05, 'Mars Base 3', 586);
    INSERT INTO starbase VALUES
    (06, 'Mars Base 4', 586);
    INSERT INTO starbase VALUES
    (07, 'Earth Base', 725);
    INSERT INTO starbase VALUES
    (08, 'Earth Base 2', 725);Edited by: user8998591 on Mar 26, 2010 2:21 PM
    Edited by: user8998591 on Mar 26, 2010 2:22 PM
    Edited by: user8998591 on Mar 27, 2010 12:46 PM

    user8998591 wrote:
    Thank you for the helpful feedback. You both have really helped expose a lot of what I was doing wrong.
    I have recreated the problem in a slightly different scenario to demonstrate again what I am trying to do. My goal is to indeed use block pl/sql, and to be able to use a while loop to pull data from the initial cursor. That is the whole idea. I know there are other ways of doing this, but this is exactly what I am trying to do. I have been narrowing down, further and further, how to create the program. At this point I am really not sure if I only need to tweak a few things, or start from the ground up. Are you saying that the whole point of this is to learn how to use cursors, nested cursors in particular?
    An important part of learning about cursors (or anything else) is learning when it is appropriate to use them. Bhushan and I have both posted PL/SQL code that gets the results you want using one cursor. It's rare when you need a nested cursor, and this problem is not one of those rare cases. Using a second cursor here is silly and inefficient. You should not be practicing how to do silly and inefficient things. There are lots of sensible things to do, and efficient ways to do them: you should spend your time learning and practicing sensible, efficient things.
    As you can see, I created and fetched planet_cursor. I then want to use a While loop to select the number of bases on each planet. This is what I have been fighting with. Again and again but this is exactly what I am trying to do. If you really, really must do this, then define another cursor, similar to the one you already have for the planets, and use that cursor just like you use the one for the planets: that is:
    (1) OPEN the cursor
    (2) Start a LOOP
    (3) FETCH the cursor
    (4) EXIT WHEN ...%NOTFOUND
    (5) within the LOOP, do whatever you need to do with the data. (There's no need to explicitly say WHEN ...%FOUND; the code that follows EXIT WHEN ....%NOTFOUND will only be done when a row was found.)
    (6) END LOOP
    (7) CLOSE the cursor
    The question in your mind seems to be: Where do I do all this?
    This is something that you want to do for each planet. That is, every time you find a different planet, you will want to run the base_cursor. So put it inside the LOOP for the planet_cursor, where it will be done over and over, as many times as there are planets:
    DECLARE
         CURSOR planet_cursor IS
               SELECT  p_name
               ,           p_id
                      FROM    planet;
         CURSOR base_cursor (this_p_id  IN  star_base.p_id%TYPE) IS
               SELECT  b_id
               ,           b_name
               FROM    star_base
               WHERE   p_id     = this_p_id;
         planet_name   planet.p_name%TYPE;
         planet_id     planet.p_id%TYPE;
         base_id       star_base.b_id%TYPE;
         base_name     star_base.b_name%TYPE;
         base_cnt      PLS_INTEGER;
    BEGIN
           OPEN planet_cursor;
           LOOP     -- to fetch planets
               FETCH planet_cursor INTO planet_name, planet_id;
            EXIT WHEN planet_cursor%NOTFOUND;
            base_cnt := 0;
            OPEN base_cursor (planet_id);
            LOOP              -- To fetch bases
                FETCH base_cursor INTO base_id, base_name;
                EXIT WHEN  base_cursor%NOTFOUND;
                base_cnt := base_cnt + 1;     
            END LOOP;         -- to fetch bases
            CLOSE  base_cursor;
               dbms_output.put_line('Planet ' || planet_name ||  ' has ' || base_cnt || ' star base(s)');
        END LOOP;     -- to fetch planets
        CLOSE planet_cursor;
    END;
    /Notice that this uses a parameterized cursor: base_cursor is defined to take an argument, very much like a procedure or function is defined to take an argument, and, when you open the cursor, you specify a value for that argument, very much like you pass argument values when you call a procedure or function.
    Below is another example of my code, and a different table to demonstrate my problem. I also included my expected output. Any assistance will be rewarded with a base station named after them when I am done completing this database :) Thanks for posting the code and the sample data.
    Why did you double-space them? The PL/SQL is hard to read that way, and I had to manually edit the INSERT statements to get rid of the blank lines.
    In case anyone else want to run them, here they are:
    INSERT INTO PLANET VALUES
    (1, 'Adigeon Prime');
    INSERT INTO PLANET VALUES
    (2, 'Borg Prime');
    INSERT INTO PLANET VALUES
    (3, 'Meles II');
    INSERT INTO PLANET VALUES
    (4, 'Prometheus');
    INSERT INTO PLANET VALUES
    (5, 'Turkana IV');
    INSERT INTO STAR_BASE VALUES
    (1, 'Tiberius', 1);
    INSERT INTO STAR_BASE VALUES
    (2, 'Spock', 2);
    INSERT INTO STAR_BASE VALUES
    (3, 'Bones', 1);
    INSERT INTO STAR_BASE VALUES
    (4, 'Sulu', 3);
    INSERT INTO STAR_BASE VALUES
    (5, 'Uhura', 4);Try to give your variables names that reflect what they contain.
    Kirk_id is a great name for a variable, but it's a terrible name for a variable that contains the total number of star bases.

  • Strange flashing cursor problem

    Hi,
    I've just finished installing Vista 32bit on my Macbook Air (1.6) and its working fine apart from one small problem - when starting up it freezes on a black screen with a flashing cursor for 2-4 mins and then will start loading Vista fine. Once in there is no problem and its stable and what not. I have had a look at some on the articles on here and other forums and the flashing cursor problem usually refers to when people try to first install a MS OS and not once one has been installed successfully.
    I only have to boot into Vista every now and then and only for a few minutes at a time so I usually spend as much time in Vista as it does loading.
    Any help appreciated.

    General purpose Mac troubleshooting guide:
    Isolating issues in Mac OS X
    Creating a temporary user to isolate user-specific problems:
    Isolating an issue by using another user account
    Identifying resource hogs and other tips:
    Using Activity Monitor to read System Memory and determine how much RAM is being used
    Starting the computer in "safe mode":
    Mac OS X: What is Safe Boot, Safe Mode?
    To identify potential hardware problems:
    Apple Hardware Test
    General Mac maintenance:
    Tips to keep your Mac in top form
    Direct you to the proper forum for MacBook :
    MacBook Series Forums 
    https://discussions.apple.com/community/notebooks?view=discussions
    http://www.apple.com/support/macbookpro
    Mac OS X Forum
    https://discussions.apple.com/community/mac_os?view=discussions
    This forum deals with a desktop/tower 65lb Mac Pro
    http://www.apple.com/support/macpro
    TimeMachine 101
    https://support.apple.com/kb/HT1427
    http://www.apple.com/support/timemachine
    Mac OS X & Mountain Lion Community
    https://discussions.apple.com/community/mac_os
    https://discussions.apple.com/community/mac_os/os_x_mountain_lion?view=discussio ns
    Recovery Mode
    http://support.apple.com/kb/HT4718
    Unless you did a clean install, and I can't tell what your system maintenance is whether it is what I would do. Backup / clone your system, use ML RECOVERY and erase the system partition and update with just Apple updates, don't restore anything.
    Run Apple Hardware Test.
    Take it in for a free check and diagnosis.

  • Strange cursor behaviour

    My iMac has developed some strange behaviour involving the cursor. I cannot correlate this with any other events, such as software updates.
    On web pages and similar windows, the cursor no longer changes shape when hovering over hyperlinks. The click still works and the cursor changes to the pointing finger as, or immediately after, the link is clicked.
    On menus, the selection highlight doesn't move with the mouse, and the subsequent fold out sub menus don't appear unless the left mouse button is held down, in which case the menu selection works fine.
    Yesterday, the click and drag stopped working for files in finder windows. It still works on the desktop icons, and text in windows and documents can still be selected by dragging the mouse. But I can no longer move files between folders by dragging; in particular, I can't move files out of the Trash without copying and pasting.
    I have repaired permissions and checked the disc for errors, no change. I have started up in safe mode, where the odd behaviour is still present, and it remains after restarting normally. I have tried different user accounts, no change. My MacBook has virtually identical settings, applications, etc. and this is not suffering the same problems.
    Anyone have any ideas what to try next, or what might be at the root of this issue, please?
    Many thanks,
    Stephen

    Further update:
    Following research in other topic discussions, I suspected that the problem was related to Intego VirusBarrier X5, which other users suggested caused problems when near or beyond expiry of the subscription. Mine has expired. On removing the Intego software, the drag and drop functionality was immediately restored. (The other, lesser problems are still there, but I can wait for a fix for those.)
    This is a bizarre issue, and if it is deliberate to 'encourage' renewal of the subscription, it is disgraceful. I shall spend no more money with Intego.
    Intego's uninstaller can be found here: http://support.intego.com/kb/index.php?x=&mod_id=2&id=214 and works well and quickly.
    I would still be interested to hear any solutions for menu and cursor problems, please.
    Regards,
    Stephen

  • Strange wifi problem on a brand-new MacBook Pro

    Hey there, I'm new here. Desperation has got the better of me, and I hope I can get some advice.
    So, last sunday I bought a brand new 13" MacBookPro with 2.8g i7 processor and 10.7.2 OS (I can't update to 10.7.4 because System Update tells me the download has been tampered with or corrupted after I waited 2 hours for it to finish, but I'm trying a direct download from the website). Here's the exact product: http://www.amazon.com/Apple-MacBook-MD314LL-13-3-Inch-VERSION/dp/B005CWIZ4O/ref= sr_1_5?ie=UTF8&qid=1340301247&sr=8-5&keywords=macbook+pro+13
    Everything is all perfect except for a strange wifi problem. Note that the wifi does not turn-on or off, it doesn't disconnect after 'sleep', it doesn't get less speed, it doesn't constantly leave a preferred connection (once I chose my home wifi it always connects to it no problem). The wifi bar is always full. What is wrong is that the internet is kinda 'glitchy'. The best metaphor I can think of is that it's like a car that has to be pushed down the road before the engine can start. Please, bear with me because this is kinda hard to explain and I'm not good at tech lingos.
    One of the symptoms is browsing can get really slow and inconsistent, almost as if the wifi gets turned off in the middle of browsing. For example: if I look something up on Google and then open 5 new tabs, probably only 2 or 3 of those tabs will eventually load while the other two will not get past the long 'http:.......google.....etc etc' address and will eventually show one of those 'error loading page because there's no Internet connection' notice. This happens a lot. Sometimes I have to refresh/retry loading a page a couple of times before it finally loads, then usually everything will get back to normal and I will be able to open multiple tabs with no problem, but in a couple of minutes I would try to open another site and the problem will start again.
    So I tried to see how it does with downloading using iGetter. Fortunately I also have a Macbook (white-plastic casing one) and my brother has an old 2006 MacbookPro so I can compare. With those two older Apples iGetter starts receiving data in less than 8 seconds after I click Start, while my brand-new Macbook Pro can take up to 15-20 seconds, sometimes it doesn't even start at all and I have to re-click the start button. But once the download actually starts (on my new MacBook Pro), it downloads like normal, it doesn't stop and the speed is also as good as I can get. Strange huh? Hence, like a car that has to be pushed before the engine starts.
    I also tried 'speed testing' from a website with all 3 laptops. On my old MacBook and my brother's MacBook pro, once I click 'begin test' it takes only a couple of seconds of 'ping' before the download/upload speed measurements start, but with my new MacBook Pro (just like with iGetter) it takes up to almost a minute before the measurements start, sometimes it won't start at all and I have to re-start the test.
    Well, thanks for reading. And hope you can help me shed some light into this. Because it is really preventing me from really enjoying my new MacBook Pro. And if this is most likely a hardware problem, I'd better get back to the store and try to get it replace or something while it's only been 5 days. *cheers*

    Hey guys.. Thanks for the replies. Unfortunately, I bought the MacBook in Indonesia where there are no such thing as an AppleCare. The only option is to leave the Apple product to one of the 'Authorized Apple care centre' and have whoever do whatever to it without guarantee of success. As for returning it and getting a brand new one, I also don't know if there is such a deal here, but that's actually a good idea, will try to go to the store tomorrow. Although, I'm worried that the problem might be with OSX Lion or something and getting a new one won't help.
    mark75090, I've tried resetting the router when I first noticed te problem, didn't work though. I've checked my new MacBook's wi-fi (option+click wifi bar) and it says 'PHY Mode: 802.11g', so does my MacBook and the old MacBook Pro. I don't know what those mean though, and I don't know whether or not my router is an N., can you tell me more please.. I have tried with the other two turned off, and only the new MacBook using the wi-fi but the problem persists. I have also tried connecting directly to the router, but as I described, the problem is too subtle for me to notice the difference.
    Also, if I create a brand new Wi-Fi connection in network preferences and connect to my router through the new Wi-Fi profile, the problem seems to be gone for an hour or so, then it always comes back though. I have also just finally installed 10.7.4, but it doesn't help either.

  • Very Strange Internet Problems

    I own a MacBook Pro 15.4 Inch that I purchased about a year and a half ago. I recently upgraded to Leopard and have all the latest updates. I am from the US, and when I am home my internet works fine. However, I am on travel to Seoul, South Korea right now and am having a very strange internet problem.
    As far as I can tell, the URLs that I type in to my browser are, sparodially, not translated correctly into the webpages that they are supposed to represent. This problem is probably effective 75% of the time, and the rest of the time my internet works roughly correctly. For instance, when I enter http://www.google.com, instead of being taken to the Google homepage, I am taking to the homepage of Jammin Beats DJ Service, an obscure website about a company in northern Pennsylvania. The actual URL of this website is http://www.jamminbeats.com, but when my internet is malfunctioning, 'jamminbeats' is for all intensive purposes replaced by 'google' (that is, it applies not only to the main page, but to sub pages, so "http://www.google.com/weddings" takes you to "http://www.jamminbeats.com/weddings" and etc). For most other webpages, one of two things happens. Either I am taken to the correct page but it is displayed without any images or frames (just the html text and links), or I am taken to a blank page with the header "Under Construction", which I assume is the default for a page that doesn't exist. This is why it seems as though the URLs are simply being interpretted erroneously.
    This problem occurs when connecting both to the wireless and the wired internet at my hotel, and it occurs on both Safari and Firefox, so it is not a connection-specific or browser-specific problem. It may be a problem with the hotel's internet, and as of yet I have not had a chance to test the computer at another location. However, a colleague using an IBM computer has had no problems, and I am currently on a Samsung machine in the business center of the hotel and it is working correctly as well. I have searched extensively online for a similar problem but have come up empty handed, and more than anything, I am confused about what might be causing this problem. The strangest thing is that a fraction of the time, the internet functions normally, but it is usually roughly 15 minutes out of every hour, and eventually I am inevitably taken back to Jammin Beats.
    I am a computer science graduate but I still have no idea what would cause this problem. At first I thought it might be a hacker, but if it is, he or she has been at it consistently for 3 days now, and only seems to be targeting my computer. Any ideas or solutions would be greatly appreciated, as I have been forced to resort to the hotel's business center for checking email, doing work, etc. Thanks in advance.

    I did consider that, as I was in Beijing last week and there are a number of censored sites. However, in Korea I have had problems with very basic sites like facebook, wall street journal, google, yahoo, Korean google, my hotel's webpage, etc. Further, I have successfully gotten all of these sites to load seemingly at random, and can access them without problems on other computers. The only disconnect seems to be between my MBP and the internet, not between Korean internet and the web. I have toyed around with the network settings, and although sometimes after switching from "Automatic" to a fixed connection I get some sites to work, it usually only lasts a short time and eventually the same sites stop working. I reset my cache regularly to make sure I'm not getting sent to cached sites, but this also doesn't help. Further, my Apple Mail, Skype and AIM accounts jump between being connected and disconnected randomly as well. Again, this is isolated to my own computer, which is why I'm so confused.

  • XY Graph Cursor Problem in Labview 7.1.1?

    Hallo,
    I am  using Labview 7.1.1 and I am facing one problem with XY graph cursor. If I am moving cursor in one graph, I am expecting same movement in another Graph. But when I move cursor in Graph1, cursor in second graph moves but not to exact X value of Graph1.
    Property of Cursor in both graphs must be "Lock to Plot"
    If any body knows about this please let me know ASAP. I am attaching example VI for your reference.
    Thanks,
    Sashi
    Attachments:
    XY Graph Cursor Problem.vi ‏101 KB

    It's a curious effect. Probably the floating point coordinate is sensitive to the exact pixel alignment (I mean that this would not happen if we had for example 1 pixel per point in the X direction).
    Anyway, if you use Cursor Index instead (which is an integer) the behaviour is as expected.
    Paolo
    Paolo
    LV 7.0, 7.1, 8.0.1, 2011

  • Strange email problem; it started only loading unread emails, but from 3 months ago. It is now loading new emails too, but no emails in the past month, read or unread. It's gmail, set up through the phone, I've restarted restored

    Strange email problem; it started only loading unread emails, but from 3 months ago. It is now loading new emails too, but no emails in the past month, read or unread. It's gmail, set up through the phone, I've restarted restored and updated firmware, deleted the account, anything I could think of, but it's just not accurately downloading the most recent emails.

    The answer is very simple: You were not the original owner of the phone. Target sold you a phone that had been returned. You can verify the date of the original sale here: Apple - Support - Check Your Service and Support Coverage. I suspect you will find that the warranty expiration date is not one year from the date that you bought it.

  • ResultSet wihtin ResultSet but causes cursor problem?

    I have a SQL error when running the code below:
    while(rs0.next()){ ...
    String s= rs0.getString(1);
    ResultSet rs=null;
    rs=getResult1(aConnnection, s);
    /*statment is created in the function and ResultSet returned */
    while(rs.next()){ ...
    rs.close();
    rs0.close();
    Error: java.sql.SQLException: ORA-01000: maximum open cursors exceeded
    The database setting is 200 cursors
    and rs0 has 300 records, rs has only one record each time. I thought there should be only 2 cursors involved, do not know how can get so many.
    Could some one help with my question?
    Thanks in advance,
    YM

    Rethink your design.
    If you let a method create a statement and a resultset, but return only the resultset, then there's no possibility to close the statetement.
    I would create the statement outside the method, pass it to the method to do the query and return the resultset, but control the statement in my calling code.
    So in your example you would hold references to 2 stattement just the same way like to their resultsets and close them all together.
    This is more clean, and maybe will solve your cursor problem.
    If you should come to the result that you would really need more open cursors (if your app runs on many clients at the same time, it could), there must be a DBMS configuration for increasing this limit.

  • Cs5 Brush cursor problem, on MacBook pro lion, tried the latest update, and the genious dude had no idea of what to do! Apple any fix?

    Cs5 Brush cursor problem, on MacBook pro, tried the latest update, and the genious dude had no idea of what to do! Apple any fix?

    Additional Info - after working on this problem for 4 hours, I shut my laptop in frustration and took a break.  1 hour later I opened my mac and the cursor had magically returned.  No restart, no power on/off - nothing.  Frustration.  If anyone else has had this happen and has actually fixed the problem let me know. I'm sure it will reoccur.

  • Brush Cursor Problem

    Hello, I've been experiencing a weird brush cursor issue and I haven't been able to find anything online to fix it. 
    This cursor problem is different from the "chunk of cursor missing upon resizing" issue that so many people have had.
    In Photoshop, when I resize my brush using the "[" and "]" keys, I will  often see my cursor get distorted. It will very briefly appear to the  right of where the cursor should be and it will look kind of oblong.  Another distortion that occurs is the cursor very briefly becomes a half  circle that is a bit larger than the cursor should be. This usually  happens between 150px and 250px size and occurs with all brushes.
    I'm also experiencing a distortion when I move the brush cursor over to  the panels section. This distortion appears (again, very briefly) as a  broken up horizontal line just above the brush cursor. Also, within this  line, I can see the regular pointer arrow cursor. Sometimes I see two  arrow cursors within the line and other times just one. This happens  with all brushes of size 500px or less.
    I have updated my video card drivers to the latest version and I have updated my Photoshop with the latest patch. 
    I use Photoshop CS5 64-bit, Windows 7 Home Premium 64-bit, and a Toshiba  Satellite L655-S5157 with an Intel(r) HD Graphics video card. 
    I heard about someone with a problem somewhat similar to mine and he  said he fixed it by manually deleting his preference files. He had tried  doing the shift+alt+ctrl on startup to delete his preference files, but  it didn't fix the bug (I tried it too and it didn't work for me  either). 
    I would like to try manually deleting my preference files, but I just don't know where they are. 
    Thanks for any help.

    For you (or anyone reading this thread), try to get a machine with an embedded ATI or nVidia display interface.
    Intel seems to be coming out pretty strong in the laptop market because they offer embedded GPUs in their chipsets, but Intel has a LONG way to go to get their OpenGL implementations up to par.  What I don't understand is that they've been known for having relatively poor OpenGL implementations for years now.  It's not like they're a small company who can't afford to fund a good development staff.
    To this day I'm still fighting Intel-specific problems seen by people running my own OpenGL software, where ATI and nVidia implementations are rock solid.  Stuff that's documented - such as handing off an OpenGL context between threads - just fails utterly with an Intel driver/GPU.
    -Noel

  • Cursor Problems in Adobe Edge

    Hi!
    I have this problem.
    I opened an Adobe Edge working file, run it and there are cursor problems in the latest Adobe Edge version. I was doing a drag and drop animation. Cursor problems did not exist in the older Adobe Edge version. I had to install the latest Adobe Edge Animate as the previous version had expired. This cursor problems of going hay wire after running it from the working file, has been going on for a few animations. And it takes more time and effort for me to rectify and debug the errors before continuing with my work. By the way, the .html from the previous Adobe Edge version works alright. It is only when I want to edit the working file in the newer Adobe Edge version, that it gives me all these problems.
    i hope someone will help me and thank you for your time.

    Hi OrionsEdge,
    I'm able to solve the problem. I looked through the codes and tried changing those parts which require the symbols' position to be changed through trial and error. If i'm not mistaken, it is related with the CSS.. it is tedious, but yeah, just change a part of the symbols' position first and try out the whole animation. observe and note down what are the changes. It will help you alot in your future code editings of the animations.

  • Strange cursor distortion and cursor glitch

    On my iMac G5 20" Revision a my cursor flashes a sort-of distorted shadow when it's dragged over web links and text fields. This happens when the arrow cursor switches to the finger or the text cursor; there is a moment in this transition when the cursor blinks a larger, pixelated version of itself that trails just behind the actual cursor. It's mostly noticeable in places with darker backgrounds (anything other than white) such as web pages and the iTunes quick search field (which is surrounded by that brushed metal-looking background).
    At first I thought this problem was restricted only to web browsers, but I've since noticed it occurring systemwide.
    What could this be? A hardware problem?
    Regards,
    Marc

    Hi again, Marc —
    "I fear a hardware problem... What should i do?"
      (1) Contacting AppleCare or an Apple-Authorized Service Provider (AASP) strikes me as a good way to proceed. Are you still within the initial warranty, or have an AppleCare Protection Plan in force? If so, I don't see a down-side to this: if the problem isn't solved during the conversation, you'll be given a case number for use at an AASP — limited to authorized hardware problems — or for future reference. If the problem persists, your subsequent call(s) may be forwarded to higher-level support folks.
    I'm having a hard time envisioning a hardware problem that'd follow only your cursor's path — but I'm no "Genius."
      (2) Hardware?   If it were the graphics card or display, I expect you'd observe more uniform behavior. You may want to read through the graphics sections of the iMac G5 Developer Note. (I think this is the right link for your model...)
      (3) I recommend that you search &/or post about this in the Using your iMac G5 &/or Your iMac G5 display forum(s). Other owners of your model should be able to help identify this if it's a ~known hardware-related issue.
      (4) Although this problem probably seems comparatively "minor," you may also want to check and confirm whether your model falls in the serial number range for the iMac G5 Repair Extension Program for Video and Power Issues.
      (5) Speaking generally, Apple Hardware Test includes component testing of the logic board and video, but not of the display module. I'd suggest you run AHT in Extended Test; then, if all components pass, further in looping mode. But, based on our dicussion so far, I tend to suspect software...
      (6) Software.   I'm out of ideas for the moment about another software-related cause that would only relate to cursor behavior. I looked through several ADC documents, but most of the command stuff is beyond me. Perhaps another participant...
      (7) "...the cursor-problem is system wide and not safari-specific."   Yes, I understood that — sorry I wasn't clear. I was trying to suggest you consider whether the behavior correlates to high memory (RAM: physical and virtual) usage. Activity Monitor can aid in determining this.
      (8) "Unfortunately all screenshot-program i tried, do not take picture of the cursor... ."   Did you try using Grab's Capture »» Timed Screen feature?
    Good luck!
    Dean
          I edited this message. Please note that you can refer to ¶ #s in lieu of long quotes...

  • Strange shutdown problem

    Hi,
    Last night, I had a strange shutdown problem on my iMac G5 (revB, 20", 2.0 Gig), with 1 Gig RAM, running 10.4.4 with all updates. I had had the computer on most of the day, using it off and on. I shut it down, and left the room. When I came back about an hour later, the fans were running (not rapidly, just at the normal speed they run when the computer is running), but the screen was blank, and the "sleep" light was not on. The computer wouldn't respond to any moving the mouse or to keyboard input. I finally shut it down by holding the power button until the fans shut down. Upon restart, everything was normal, and after using it for a few minutes, I was able to shut it down normally. Has anyone else seen this sort of behavior, and is it normal ? Or am I about to have more problems.
    Thanks in advance,
    Dave Fritzinger
    Honolulu, HI

    Hi Dave,
    By the sound of it your computer has "hung" during the shutdown process, but at a point in the process where the system's temperature control mechanisms were still operating (otherwise the fans would be running flat out). My guess in this case is that it was probably actually a finder crash.
    Various things can prevent proper shutdown. Often USB or FW devices are to blame. USB adsl modems , some scanners and hubs and the occasional printer driver seem to be common causes. Software can be responsible too, though - background virus or drive checkers are probably the most common, but far from the only possible causes ( I seem to remember "SpringCleaning" causing this problem when people moved to Tiger 10.4.2 for example) .
    New software or hardware are therefore the first things to look for.
    If you haven't installed anything completely new then one possibility may be that something you are using is not compatible with the latest OS update, and needs an upgrade to a driver. Its also possible that this is a "one off" glitch caused by a temporary problem , but if it happens again I'd be taking careful note of anything that you were using in the previous session.
    You might also want to use the Console (in Utilities folder) to look at your system and crash logs.
    Cheers
    Rod

  • Vanishing cursor problem

    new imac 24' with a vanishing cursor problem, once or twice a day my cursor vanishes sometimes I can get it back by hitting the force quit shortcut keys at which point it will appear in the force quit dialog box, sometimes this does not work, at which point I have to reboot by holding down the power button, while in the force quit dialog box without the cursor visible i can use keyboard to quit all open apps and relaunch the Finder this has no effect.
    uplugging and replugging has no effect, plugging into a different port has no effect, using two different usb mice has no effect.
    I am using a logitech laser mouse that works perfectly on two other macs, the problem occurs with or without the logitech software running and also occured using the steermouse mouse driver.
    all software appears to be up to date using software update ect.
    cursor does not just become invisible, panning madly around with the mouse produces no effect in terms of opening the dock or whatever.
    Help please!

    Try posting in the MacBook Pro forum. We in the old G4 Tower forum are not familiar enough with the new systems to give out any advice!
    Cheers!
    DALE

Maybe you are looking for

  • ORA-00600: internal error code, arguments: [17182], [0x1106559F0], [], [],

    Refresh MatView causing ORA ORA-00600: internal error code, arguments: [17182], [0x1106559F0], [], [], error. Database Version: 11.1.0.6, IBM AIX system when run: dbms_mview.refresh('mart.mv_cust_header','?') , it fails with the above error. Fixed fe

  • Printing slow on HP LaserJet 4100 MFP wired ethernet

    When I try to print to our deparment printer HP LaserJet 4100 MFP - it is extremely slow. Printing a document of 10 pages takes about 20 seconds per page. Our printer has harddisk embedded and around 100 MB Ram. I first noticed printing from Pages wa

  • Adobe AIR for Android - GPU Mode - Bitmap Auto-Smoothing Issue

    Hi everyone I'm having a bit of an issue with the AS3 bitmap object. I'm currently developing an 8-bit style pixel game for AIR for Android. This game is being developed at a very low resolution and is being scaled up to maintain the charm of an old

  • Won't mount. Wiped Clean. What next?

    My iPod froze up. Then I had to recharge it (i guess the battery was depleted). But all my music is gone and it asks me what language do I want? I connect it to my G5 with the latest iTunes and iPod updater and it won't mount on the desktop nor will

  • NAC and BBSM access code management

    Hello, An organization has a network infrastructure in which a BBSM generates access codes for limited authorized time periods to allow Internet web access to wireless guests. If a guest exhausts the period he must request a new access code. Now, if