ORA-01489 sys_connect_by_path and previous solution not working

Hi all.
Oracle version:
Oracle Database 11g Enterprise Edition Release 11.2.0.1.0 - Production
PL/SQL Release 11.2.0.1.0 - Production
"CORE     11.2.0.1.0     Production"
TNS for Linux: Version 11.2.0.1.0 - Production
NLSRTL Version 11.2.0.1.0 - Production
I need to get routes in a map and the associated sum of distances from some point to another.
map
--     9
  F ----------E
  | \         |
  |  \2       |6
  |   \   11  |
14|   C-------D
  |  / \10   /
  | /9  \   /15
  |/     \ /
  A-------B
     7I have a query that correctly gets the routes.
WITH distances AS
     SELECT 'A' n1, 'B' n2, 7 d FROM DUAL UNION
     SELECT 'A' n1, 'C' n2, 9 d FROM DUAL UNION
     SELECT 'A' n1, 'F' n2, 14 d FROM DUAL UNION
     SELECT 'B' n1, 'D' n2, 15 d FROM DUAL UNION
     SELECT 'B' n1, 'C' n2, 10 d FROM DUAL UNION
     SELECT 'C' n1, 'D' n2, 11 d FROM DUAL UNION
     SELECT 'C' n1, 'F' n2, 2 d FROM DUAL UNION
     SELECT 'D' n1, 'E' n2, 6 d FROM DUAL UNION
     SELECT 'F' n1, 'E' n2, 9 d FROM DUAL
SELECT
     'A'||sys_connect_by_path(n2,'-') path,
     SUBSTR(sys_connect_by_path(d,'+'),2) sum_dist
FROM distances
START WITH n1='A'
CONNECT BY NOCYCLE PRIOR n2=n1;
A-B          7
A-B-C          7+10
A-B-C-D          7+10+11
A-B-C-D-E     7+10+11+6
A-B-C-F          7+10+2
A-B-C-F-E     7+10+2+9
A-B-D          7+15
A-B-D-E          7+15+6
A-C          9
A-C-D          9+11
A-C-D-E          9+11+6
A-C-F          9+2
A-C-F-E          9+2+9
A-F          14
A-F-E          14+9The problem is when there are a lot of nodes, I get an ORA-01489: result of string concatenation is too long.
I followed this link.
sys_connect_by_path & to_CLOB
I built the specified package but apparently is combining elements.
If it's called just one time.
WITH distances AS
     SELECT 'A' n1, 'B' n2, 7 d FROM DUAL UNION
     SELECT 'A' n1, 'C' n2, 9 d FROM DUAL UNION
     SELECT 'A' n1, 'F' n2, 14 d FROM DUAL UNION
     SELECT 'B' n1, 'D' n2, 15 d FROM DUAL UNION
     SELECT 'B' n1, 'C' n2, 10 d FROM DUAL UNION
     SELECT 'C' n1, 'D' n2, 11 d FROM DUAL UNION
     SELECT 'C' n1, 'F' n2, 2 d FROM DUAL UNION
     SELECT 'D' n1, 'E' n2, 6 d FROM DUAL UNION
     SELECT 'F' n1, 'E' n2, 9 d FROM DUAL
SELECT
     'A'||'-'||hierarchy.branch(LEVEL,n2,'-') path
FROM distances
START WITH n1='A'
CONNECT BY NOCYCLE PRIOR n2=n1;
A-B
A-B-C
A-B-C-D
A-B-C-D-E
A-B-C-F
A-B-C-F-E
A-B-D
A-B-D-E
A-C
A-C-D
A-C-D-E
A-C-F
A-C-F-E
A-FBut if I call it twice in the same query...
WITH distances AS
     SELECT 'A' n1, 'B' n2, 7 d FROM DUAL UNION
     SELECT 'A' n1, 'C' n2, 9 d FROM DUAL UNION
     SELECT 'A' n1, 'F' n2, 14 d FROM DUAL UNION
     SELECT 'B' n1, 'D' n2, 15 d FROM DUAL UNION
     SELECT 'B' n1, 'C' n2, 10 d FROM DUAL UNION
     SELECT 'C' n1, 'D' n2, 11 d FROM DUAL UNION
     SELECT 'C' n1, 'F' n2, 2 d FROM DUAL UNION
     SELECT 'D' n1, 'E' n2, 6 d FROM DUAL UNION
     SELECT 'F' n1, 'E' n2, 9 d FROM DUAL
SELECT
     'A'||SUBSTR(hierarchy.branch(LEVEL,n2,'-'),2) path,
     hierarchy.branch(LEVEL,d,'+') sum_dist
FROM distances
START WITH n1='A'
CONNECT BY NOCYCLE PRIOR n2=n1;
A          7
A-C          7+10
A-10-D          7+10+11
A-10-11-E     7+10+11+6
A-10-F          7+10+2
A-10-2-E     7+10+2+9
A-D          7+15
A-15-E          7+15+6
A          9
A-D          9+11
A-11-E          9+11+6
A-F          9+2
A-2-E          9+2+9As you can see, is combining the elements (A-10-11-E) node - distance - distance - node
Do I have to create separate functions in the package, one per column?, or is there another way to solve this problem?, or even better, another way to solve the original problem (ORA-01489)
Thanks a lot.
Regards.
Package code (by Solomon Yakobson):
CREATE OR REPLACE
  PACKAGE Hierarchy
    IS
        TYPE BranchTableVarchar2Type IS TABLE OF VARCHAR2(4000)
          INDEX BY BINARY_INTEGER;
        BranchTableVarchar2 BranchTableVarchar2Type;
        TYPE BranchTableClobType IS TABLE OF CLOB
          INDEX BY BINARY_INTEGER;
        BranchTableClob BranchTableClobType;
        FUNCTION Branch(
                        p_Level          IN NUMBER,
                        p_Value          IN VARCHAR2,
                        p_Delimiter      IN VARCHAR2 DEFAULT CHR(0)
          RETURN VARCHAR2;
        PRAGMA RESTRICT_REFERENCES(Branch,WNDS);
        FUNCTION Branch(
                        p_Level          IN NUMBER,
                        p_Value          IN CLOB,
                        p_Delimiter      IN VARCHAR2 DEFAULT CHR(0)
          RETURN CLOB;
        PRAGMA RESTRICT_REFERENCES(Branch,WNDS);
END Hierarchy;
CREATE OR REPLACE
  PACKAGE BODY Hierarchy
    IS
        ReturnValueVarchar2 VARCHAR2(4000);
        ReturnValueClob     CLOB;
    FUNCTION Branch(
                    p_Level        IN NUMBER,
                    p_Value        IN VARCHAR2,
                    p_Delimiter    IN VARCHAR2 DEFAULT CHR(0)
      RETURN VARCHAR2
      IS
      BEGIN
          BranchTableVarchar2(p_Level) := p_Value;
          ReturnValueVarchar2          := p_Value;
          FOR I IN REVERSE 1..p_Level - 1 LOOP
            ReturnValueVarchar2 := BranchTableVarchar2(I)|| p_Delimiter || ReturnValueVarchar2;
          END LOOP;
          RETURN ReturnValueVarchar2;
    END Branch;
    FUNCTION Branch(
                    p_Level        IN NUMBER,
                    p_Value        IN CLOB,
                    p_Delimiter    IN VARCHAR2 DEFAULT CHR(0)
      RETURN CLOB
      IS
      BEGIN
          BranchTableClob(p_Level) := p_Value;
          ReturnValueClob          := p_Value;
          FOR I IN REVERSE 1..p_Level - 1 LOOP
            ReturnValueClob := BranchTableClob(I)|| p_Delimiter || ReturnValueClob;
          END LOOP;
          RETURN ReturnValueClob;
    END Branch;
END Hierarchy;
/Edited by: sKr on 08-mar-2012 17:29
Package code added

Hi,
sKr wrote:
Hi all.
Oracle version:
Oracle Database 11g Enterprise Edition Release 11.2.0.1.0 - Production
PL/SQL Release 11.2.0.1.0 - Production
"CORE     11.2.0.1.0     Production"
TNS for Linux: Version 11.2.0.1.0 - Production
NLSRTL Version 11.2.0.1.0 - Production
I need to get routes in a map and the associated sum of distances from some point to another.
map
--     9
F ----------E
| \         |
|  \2       |6
|   \   11  |
14|   C-------D
|  / \10   /
| /9  \   /15
|/     \ /
A-------B
7... I wish we could mark questions as "Helpful" or "Correct". You'd get 10 points for sure.
Do I have to create separate functions in the package, one per column?,You don't need separate functions. One user-defined function should be enough, just like one built-in version of SYS_CONNECT_BY_PATH is enough. Whatever it has to store internally, it knows to keep a separate copy for every argument that you call it with. The problem with the package, as originally posted, is that there's only one internal variable BranchTableVarchar2. Instead of one variable, make an array of similar variables, and add an optional argument to the branch funtion to tell it which element in that array to use.
CREATE OR REPLACE
  PACKAGE Hierarchy
    IS
        TYPE BranchTableVarchar2Type IS TABLE OF VARCHAR2(4000)
          INDEX BY BINARY_INTEGER;
        BranchTableVarchar2 BranchTableVarchar2Type;
     TYPE VList     IS TABLE OF BranchTableVarchar2Type          -- ***  NEW  ***
       INDEX BY     BINARY_INTEGER;                         -- ***  NEW  ***
     vl     VList;                                      -- ***  NEW  ***
        TYPE BranchTableClobType IS TABLE OF CLOB
          INDEX BY BINARY_INTEGER;
        BranchTableClob BranchTableClobType;
        FUNCTION Branch(
                        p_Level          IN NUMBER,
                        p_Value          IN VARCHAR2,
                        p_Delimiter      IN VARCHAR2     DEFAULT CHR(0),
               p_PathNum      IN PLS_INTEGER     DEFAULT     1     -- ***  NEW  ***
          RETURN VARCHAR2;
        PRAGMA RESTRICT_REFERENCES(Branch,WNDS);
        FUNCTION Branch(
                        p_Level          IN NUMBER,
                        p_Value          IN CLOB,
                        p_Delimiter      IN VARCHAR2 DEFAULT CHR(0)
          RETURN CLOB;
        PRAGMA RESTRICT_REFERENCES(Branch,WNDS);
END Hierarchy;
SHOW ERRORS
PROMPT     ==========  FK BODY  ==========
CREATE OR REPLACE
  PACKAGE BODY Hierarchy
    IS
        ReturnValueVarchar2 VARCHAR2(4000);
        ReturnValueClob     CLOB;
    FUNCTION Branch(
                    p_Level        IN NUMBER,
                    p_Value        IN VARCHAR2,
                    p_Delimiter    IN VARCHAR2       DEFAULT CHR(0),
              p_PathNum        IN PLS_INTEGER DEFAULT 1     -- ***  NEW  ***
      RETURN VARCHAR2
      IS
      BEGIN
          vl (p_PathNum) (p_Level) := p_Value;               -- ***  CHANGED  ***
          ReturnValueVarchar2          := p_Value;
          FOR I IN REVERSE 1..p_Level - 1 LOOP
            ReturnValueVarchar2 := vl (p_PathNum) (I)          -- ***  CHANGED  ***
                         || p_Delimiter
                     || ReturnValueVarchar2;
          END LOOP;
          RETURN ReturnValueVarchar2;
    END Branch;
    FUNCTION Branch(
                    p_Level        IN NUMBER,
                    p_Value        IN CLOB,
                    p_Delimiter    IN VARCHAR2 DEFAULT CHR(0)
      RETURN CLOB
      IS
      BEGIN
          BranchTableClob(p_Level) := p_Value;
          ReturnValueClob          := p_Value;
          FOR I IN REVERSE 1..p_Level - 1 LOOP
            ReturnValueClob := BranchTableClob(I)|| p_Delimiter || ReturnValueClob;
          END LOOP;
          RETURN ReturnValueClob;
    END Branch;
END Hierarchy;
SHOW ERRORSAs you can see, I only changed the VARCHAR2 version. I'll leave changing the CLOB version as an exercise for you.
When you call branch, pass a unique number for each column of output. If you don't explicitly give a number, it will default to 0.
Here's your query modified to call it:
SELECT  'A' || SUBSTR ( hierarchy.branch ( LEVEL
                                       , n2
                , 2
                )          AS path
,     hierarchy.branch ( LEVEL
                , d
                , '+'
                , 12
                )     AS sum_dist
FROM    distances
START WITH          n1 = 'A'
CONNECT BY NOCYCLE      PRIOR n2     = n1
;For path, I called branch with only 3 arguments, so it's using vl (0) for internal storage for path.
For sum_dist, I had to use a different integer. I couldn't decide if I should use 1 or 2, so I compromised and used 12. I could have used any integer, except 0.
Output:
PATH                           SUM_DIST
A                              7
A-C                            7+10
A-C-D                          7+10+11
A-C-D-E                        7+10+11+6
A-C-F                          7+10+2
A-C-F-E                        7+10+2+9
A-D                            7+15
A-D-E                          7+15+6
A                              9
A-D                            9+11
A-D-E                          9+11+6
A-F                            9+2
A-F-E                          9+2+9
A                              14
A-E                            14+9
or is there another way to solve this problem?, or even better, another way to solve the original problem (ORA-01489)Since you're calling a user-defined package, you might want to add other features to the package.
For starters, in addition to a function that returns a string like '7+10+11', it might be handy to have a string that keeps those numbers internally, but returns the actual value 7 + 10 + 11 = 28.
If you're using this for problems where you want to find the path with the least total d (or the greatest total d, for that matter, but for now let's say you're only interested in the minimum), you might want a function that keeps track of the minimum total d encountered so far for each node. Every time you find a different path to a node, the function could check to see if the total d is better than the previous best. If not, it could return a flag (sort of like CONNECT_BY_ISCYCLE) that tells you not to bother with that path any more.

Similar Messages

  • Web Gallery, previous/ next not working consistently

    First time I've seen this:    next and previously are not working good. Some work in the gallery, some don't.
    Reboot Firefox, some different ones work, some dont. It's worrisome. I'm sending this to people- any tips?

    .Mac email can be set up two different ways on the iPhone. For "Send to Web Gallery" button to appear when clicking on the action button while viewing a photo, you must have your .Mac email set up as IMAP. This is the default setup for a .Mac email account.
    If you take the time to manually set up your .Mac email as POP, then you will not have the "Send to Web Gallery" option and you will be unable to successfully email into your web gallery even if all else is set up correctly.
    To check to see how you have .Mac email set up on your iPhone, go to the Home Screen, tap Settings, tap Mail, tap your .Mac account name, tap Advanced, move down on the page, and make sure you see "IMAP Path Prefix" setting (it can be blank and does not need to be changed). If the "IMAP Path Prefix" is there, then you do indeed have your .Mac email set up as IMAP on your iPhone.
    If you do have it set up as a POP account, you can delete that mail account by selecting the red Delete Account button when viewing your email account as listed in Settings.
    To add your .Mac email account as an IMAP account, from the Home Screen, tap Settings, tap Mail, tap Add Account..., tap .Mac, and fill out the fields with your information, tap Save and it will verify access to your .Mac email account.

  • I have changed my Apple ID name and I want to change it on iCloud, however I am not able to delete the previous account because I need to turn off the Find my iPhone - and for that I need to log in with the old name and that is not working. Help anyone?

    I have changed my Apple ID name and I want to change it on iCloud, however I am not able to delete the previous account because I need to turn off the Find my iPhone - and for that I need to log in with the old name and that is not working. Help anyone?

    Hey tulgan,
    This link will provide information on what to do after you change your Apple ID:
    Apple ID: What to do after you change your Apple ID
    http://support.apple.com/kb/HT5796
    Welcome to Apple Support Communities!
    Take care,
    Delgadoh

  • Hello sir i purchased second hand iphone4s with ios 7 beta version after 2 month on 6 oct my iphone ask for a uers id that is unknown by me my new id and password also not work when i contavt with previous owner and use his id and password which he use on

    plz help me by mail me on   [email protected]

    the previos owner id and password also not work there what i do all do everything downdrade , upgrade but everytime ask for previous id and password...........i also erase find my phone from previous user id

  • I had photoshop elements 8 installed on my previous computer and it did not work properly when it came to sizing  photos for a website I was adding to.  I now have a new computer which runs windows 7.  Is it worth installing it again on my new computer?

    I had photoshop elements 8 installed on my previous computer and it did not work properly when it came to sizing  photos for a website I was adding to.  I now have a new computer which runs windows 7.  Is it worth installing photoshop elements 8 again on my new computer or will it be a waste of time?

    I have PSEv.8 on my computer running WINDOWS 7. It works perfectly..
    Perhaps you need help with saving files for web use.. Will be pleased to assist you when you get everything set up.

  • My ipad mini is disabled and password is not working

    Ipad mini disabled and password is not working. Unable to get serial because can't unlock ipad. Have not previously synced with a computer.

    How can I unlock my iPad if I forgot the passcode?
    http://www.everymac.com/systems/apple/ipad/ipad-troubleshooting-repair-faq/ipad- how-to-unlock-open-forgot-code-passcode-password-login.html
    iOS: Device disabled after entering wrong passcode
    http://support.apple.com/kb/ht1212
    How can I unlock my iPad if I forgot the passcode?
    http://tinyurl.com/7ndy8tb
    How to Reset a Forgotten Password for an iOS Device
    http://www.wikihow.com/Reset-a-Forgotten-Password-for-an-iOS-Device
    Using iPhone/iPad Recovery Mode
    http://ipod.about.com/od/iphonetroubleshooting/a/Iphone-Recovery-Mode.htm
    You may have to do this several times.
    Saw this solution on another post about an iPad in a school environment. Might work on your iPad so you won't lose everything.
    ~~~~~~~~~~~~~
    ‘iPad is disabled’ fix without resetting using iTunes
    Today I met my match with an iPad that had a passcode entered too many times, resulting in it displaying the message ‘iPad is disabled – Connect to iTunes’. This was a student iPad and since they use Notability for most of their work there was a chance that her files were not all backed up to the cloud. I really wanted to just re-activate the iPad instead of totally resetting it back to our default image.
    I reached out to my PLN on Twitter and had some help from a few people through retweets and a couple of clarification tweets. I love that so many are willing to help out so quickly. Through this I also learned that I look like Lt. Riker from Star Trek (thanks @FillineMachine).
    Through some trial and error (and a little sheer luck), I was able to reactivate the iPad without loosing any data. Note, this will only work on the computer it last synced with. Here’s how:
    1. Configurator is useless in reactivating a locked iPad. You will only be able to completely reformat the iPad using Configurator. If that’s ok with you, go for it – otherwise don’t waste your time trying to figure it out.
    2. Open iTunes with the iPad disconnected.
    3. Connect the iPad to the computer and wait for it to show up in the devices section in iTunes.
    4. Click on the iPad name when it appears and you will be given the option to restore a backup or setup as a new iPad (since it is locked).
    5. Click ‘Setup as new iPad’ and then click restore.
    6. The iPad will start backing up before it does the full restore and sync. CANCEL THE BACKUP IMMEDIATELY. You do this by clicking the small x in the status window in iTunes.
    7. When the backup cancels, it immediately starts syncing – cancel this as well using the same small x in the iTunes status window.
    8. The first stage in the restore process unlocks the iPad, you are basically just canceling out the restore process as soon as it reactivates the iPad.
    If done correctly, you will experience no data loss and the result will be a reactivated iPad. I have now tried this with about 5 iPads that were locked identically by students and each time it worked like a charm.
    ~~~~~~~~~~~~~
    Try it and good luck. You have nothing more to lose if it doesn't work for you.
     Cheers, Tom

  • Windows error: iTunes crashes (uninstall and reinstall does not work)

    Hello all.
    I (and another user) have had a problem with iTunes crashing when trying to open it. Windows just generates the typical vague error message that explains nothing as to what the problem is. Uninstalling and reinstalling did not work, and using the "Repair" option did not work either.
    This was the solution. Hope it works for you. Cheers.
    C ;o)
    Here are the steps, some might be redundant, but still follow them to try and get iTunes to work.
    1. *Extremely important* Close the QuickTime launcher in the tray on the right side of your Windows TaskBar (right-click on the blue QuickTime "Q" logo next to where you have the time and date and select "exit".) The QuickTime logo should disappear from the tray.
    2. Go to where your iTunes library folder is, copy it and put it elsewhere on yoour hard-drive. This is where you asked your iTunes to point to and keeps the full repository of the files sync'ed to your iPod. If you don't do this, you will have to re-create the full library of all the music and files you have put into iTunes.
    3. Unistall iTunes and reboot your PC.
    4. Go to c:\Program Files\Quicktime and delete this whole folder.
    5. Go to c:\Windows\System 32 and: delete the Quicktime FOLDER there; then (ii) scroll down and delete all other QuickTime related files (there should be 5-10 of them, I didn't count, some will have a name like QuickTMvr whatever).
    6. Empty Recycle Bin.
    7. Reboot your PC.
    8. Go back to Apple Website and download: iTunes, and (ii) QuickTime installation only (without iTunes).
    9. Install QuickTime FIRST (use newly downloaded version)! Check it works OK by opening it.
    10. Close QuickTime lanucher from tray, as explained above in step 1.
    11. Install iTunes (use the newly downloaded version).
    12. Open iTunes. If it opens fine (clap your hands and say "hurray", and actually I said out loud to my PC, "Please work" and it did - I don't know if this step helped at all. ;o) ), then close iTunes FIRST BEFORE DOING THE NEXT STEP. Go to where the new iTunes (and library) folder is, rename the new iTunes folder (as you might notice when/if you open iTunes, that it is all blank), and copy the old iTunes folder (from step 2) to the same location. Re-open iTunes. It should be the way it opened the last time.

    Btw.
    Don't forget that, from my experience, most iTunes errors comes from malfunctioning instances of QuickTime.

  • I created an Apple ID using my ISP Email when I registered at the Store/Apple Support Communities/iTunes/Face Time and it does not work in iChat. Why Not ?

    Question:-
    I created an Apple ID using my ISP Email when I registered at the Store/Apple Support Communities/iTunes/Face Time or other portal and it does not work in iChat. Why Not ?
    Answer:-
    For a Name to work in iChat it has to be an Valid AIM screen Name.
    Only Apple IDs from the @mac.com ending names registered here  and the Mobileme (@Me.com ending) names are Valid with the AIM service as well as being Apple IDs
    (I am still working on info about registering with iCloud at the moment but if this does give you an @Me.com email it may well be a valid AIM name as well)
    NOTES:-
    The @mac.com page works by linking an external (Non Apple) email with a @mac.com name.
    This External Email cannot be one linked to an Existing Apple ID (you have to use a second email or register at AIM )
    The options at AIM are to use your existing email or create new name and link the existing only for Password recovery
    MobileMe (@me.com ending names) were valid Emails addresses, Apple IDs AND a Valid AIM Screen Name
    @mac.com names look like emails but are only Apple IDs and iChat/AIM Valid Screen Names.
    The AIM registration page seems to be pushing you to register [email protected] This is relatively new and I have not followed through the pages to find out if it a valid AIM email (Previously you could register a name without an @whatever.com suffix)
    8:16 PM      Friday; June 10, 2011
    Please, if posting Logs, do not post any Log info after the line "Binary Images for iChat"
     G4/1GhzDual MDD (Leopard 10.5.8)
     MacBookPro 2Gb( 10.6.7)
     Mac OS X (10.6.7),
    "Limit the Logs to the Bits above Binary Images."  No, Seriously

    Question:-
    So I have my current [email protected] email in iChat as I thought as I had linked that to an Apple ID it was a Valid iChat Name.  It keeps coming up with a UserName or Password Invalid message.  What do I do next ?
    Answer:-
    Open iChat
    Go to the Menu under the iChat name in the Menu Bar and then Preferences and then Accounts in the new window.
    Commonly written as iChat > Preferences > Accounts as directions/actions to take.
    If it displays with a Yellow running name in the list you have a choice.
    Either register it at AIM (I would use a different password to the ISP Login) and then change the password only in iChat  (It may take you to confirm any Confirmation email from AIM first) in iChat > Preferences > Accounts
    Or you register a new Name at AIM (Or at @mac.com) and enter that (details below)
    If you have a Blue Globe name  (@mac.com) that will not Login the chances are that it the password that is the issue.
    Apple lets you create longer passwords than can be used with the AIM Servers.
    Change the Password at iForgot to no more than 16 characters.
    Then change the password in iChat as details above.
    Adding a new Account/Screen Name in iChat (that is valid with the AIM servers)
    Open iChat if not launched.
    Go to iChat Menu > Preferences > Accounts
    Click the Add ( + )  Button at the bottom of the list.
    Choose in the top item drop down either @Mac.com or AIM depending on what you registered
    Add the name (with @mac.com the software will add the @mac.com bit)
    Add in the password.  (If you don't add it now iChat will ask you each time you open it)
    Click Done.
    The Buddy List should open (New Window)
    The Accounts part of the Preferences should now have the new name and you should be looking at the details.
    You can add something in the Description line which will then title the Buddy List (Useful when you have two or more names) and make it show up as that in the iChat Menu > Accounts and the Window Menu of iChat when logged in.
    You can then highlight any other Account/Screen Name you don't want to use and use the Minus ( - ) Button to delete it.
    8:39 PM      Friday; June 10, 2011
    Please, if posting Logs, do not post any Log info after the line "Binary Images for iChat"
     G4/1GhzDual MDD (Leopard 10.5.8)
     MacBookPro 2Gb( 10.6.7)
     Mac OS X (10.6.7),
    "Limit the Logs to the Bits above Binary Images."  No, Seriously

  • Not able to sign into Blackberry Protect. Backup and Restore function not working. "Your device isn't associated with a Blackberry ID"

    Not able to sign into Blackberry Protect.  Backup and Restore function not working. Message is: "Your device isn't associated with a Blackberry ID."  My Blackberry Messenger and Blackberry World is working fine so I am sure its not an ID issue on the phone.  I can sign into Link, Blackberry.com and Protect.  I see my device in Protect but cannot send messages or view it on a map.  Times out with cannot reach device message.  BB Protect on Device has a swirling circle beside the on/of switch.  Cannot turn off.  
    I have deleted Link and re-installed.
    I have reset phone to default(factory) and signed in. 
    OS level is 10.2.1.3062
    BB Link is 1.2.3.56
    Solved!
    Go to Solution.

    I managed to figure this out myself. I had to delete the device from the Blackberry Protect website.  protect.blackberry.com.  I wiped my device again and signed in with my Blackberry ID.  I dont know if the step of wiping was necessary as I did not try my backup with the current configuration on the device following the delete.  Restore is in progress for me!

  • In my numeric key pad I can not use the (.) dot because it has a (,) and it is not working in calculations.  What I can do?

    In my numeric key pad I can not use the decimal dot (.) because it has a (,) and this not work with decimal calculations.  What I can do?  Help ………

    IT NOT WORK IN MEXICO.  THANKS A LOT.  BEST REGARDS.  MANUEL LOPEZ
    El 6/2/2015, a las 16:50, Apple Support Communities Updates <[email protected]> escribió:
    You received a reply
    SGIII has replied to your question. You can view the full discussion in Apple Support Communities.
    In my numeric key pad I can not use the (.) dot because it has a (,) and it is not working in calculations.  What I can do?
    Correct Answer Helpful Answer
    Use the buttons above to tell SGIII and the rest of the community if this reply solved your question or helped you get closer to finding a solution.
    To reply to SGIII, go to the discussion in Apple Support Communities.
    You are receiving this email from Apple Support Communities. You can change your email preferences in your Apple Support Communities Profile.
    TM and copyright © 2014 Apple Inc. 1 Infinite Loop, MS 96-DM. Cupertino, CA 95014.
    All Rights Reserved | Privacy Policy | Terms of Use | Apple Support

  • After installing Mountain Lion, iMessages and Facetime does not work. When I try to sign-in I get a message that says: The server encountered an error processing registration. Please try again later. Apple care does not know what is the cause. Please help

    After installing Mountain Lion, iMessages and Facetime does not work. When I try to sign-in I get a message that says: The server encountered an error processing registration. Please try again later. After 4 calls to apple and 8 and a half hours on the phone. The apple people does not how to solve the problem. The last thing they told me is that they will send the problem to their engineers and I will hear from them. unfortunately they have not contact me.
    During the phone calls I tried putting the date and time in automatic, changing the username and password, I even tried using somebody elses username and password. Please help, facetime is my tool to telecomute, and it is hurting my job.

    I had the same problem and found the solution here:
    https://discussions.apple.com/thread/3189272

  • I am using laptop hitting and slow system not working

    i am using laptop hitting and slow system not working and very late opan file browser every think . plez help me

    Hi,
    Shut down the notebook.  Tap away at the esc key as you start the notebook to enter the Start-up Menu.  Select the Bios option ( usually f10 ) and under the Advanced or Diagnostic tab you should find the facility to run tests on both the Hard Drive and Memory.  Post back with the details of any error messages.
    Note:  If the option to run these tests is not available in the Bios Menu, use the f2 diagnostic menu instead.
    Can you also post back with the following details.
    1.  The full Model No. and Product No. of your notebook - see Here for a guide on locating this information.
    2.  The full version of the operating system you are using ( ie Windows 7 64bit ).
    Regards,
    DP-K
    ****Click the White thumb to say thanks****
    ****Please mark Accept As Solution if it solves your problem****
    ****I don't work for HP****
    Microsoft MVP - Windows Experience

  • I have a 27" thunderbolt display NOT the iMac, and I'm trying to connect my xbox 360 to it via the Belkin AV360. I plug everything in and it does not work? I check all the power cables and and connections and still not he issue. Iv'e tried C-F2 also. Help

    I have a 27" thunderbolt display NOT the iMac, and I'm trying to connect my xbox 360 to it via the Belkin AV360. I plug everything in and it does not work? I check all the power cables and and connections and still not he issue. Iv'e tried C-F2 also. has anyone used this devive (AV360) on there own 27" thunderbolt display (not the imac) and gotten it to work? If so I'd appreciate the help.

    There are multiple reasons that lead to issue. You should read the troubleshooting guide to get the right solution to solve the issue: iPhone, iPad, or iPod touch not recognized in iTunes for Windows - Apple Support

  • Internal speakers and headphones are not working

    I have hp g6 2231tx os Windows 8, brought it a month ago..now it's internal speakers and headphones are not working..I enabled in playback device from sound mixer and reinstalled drivers but still not working..it's because of hardware or software??

    Hi,
    It could be either Hardware or Software related, so try the following and let me know.
    Download the IDT Audio installer on the link below and save it to your Downloads folder.
    http://ftp.hp.com/pub/softpaq/sp58501-59000/sp58517.exe
    When done, open windows Control Panel, open Device Manager and open up Sound, Video and Game Controllers.  Right click the IDT device and select Uninstall - you should also get a prompt to remove the current driver, tick the box to allow this and then proceed with the uninstall.
    When complete, shut down the notebook, unplug the AC Adapter and then remove the battery.  Hold  down the Power button for 30 seconds.  Re-insert the battery and plug in the AC Adapter.
    Tap away at the esc key as you start the notebook to launch the Start-up Menu and then select f10 to enter the bios menu.  Press f5 to load the defaults ( this is sometimes f9, but the menu at the bottom will show the correct key ), use the arrow keys to select 'Yes' and hit enter.  Press f10 to save the setting and again use the arrow keys to select 'Yes' and hit enter.
    Let Windows fully load - it will automatically load an audio driver, but just let this complete.  Then open your Downloads folder, right click on the IDT installer and select 'Run as Administrator' to start the installation.  When this has completed, right click the speaker icon in the Taskbar and select Playback Devices.  Left click 'Speakers and Headphones' once to highlight it and then click the Set Default button - check if you now have audio.
    Regards,
    DP-K
    ****Click the White thumb to say thanks****
    ****Please mark Accept As Solution if it solves your problem****
    ****I don't work for HP****
    Microsoft MVP - Windows Experience

  • My headphones speakers and microphone are not working please help

    hi i have had my hp windows 7 lap top for 2 years and never had a problme but recently my speakers and microphone are not working even if i put in my headphones i have installed new audio drivers checked my sound settings and did a restore to a date and a factory reset and still no sound ( my speakers say there working the geen bar goes up and down showing the volume but still no sound) please help me thanks

    Hi,
    Please use the following instructions to check and fix:
       http://h10025.www1.hp.com/ewfrf/wc/document?docname=c01912228&cc=ad&dlc=en&lc=en&jumpid=reg_r1002_us...
    Good luck.
    BH
    **Click the KUDOS thumb up on the left to say 'Thanks'**
    Make it easier for other people to find solutions by marking a Reply 'Accept as Solution' if it solves your problem.

Maybe you are looking for

  • Age Analysis on Vendors

    Hi, If I block a line item on a vendor for payment, will this items still be part of the Aga Analysis on Vendors?

  • Event memory

    Hello, I have an Event structure, with 100+ event pages. Some events take longer than 2-3 seconds (moving a servo) When inbetween starting and finishing, the button is pressed again, this is buffered somewhere, and after the first time completing the

  • Airport does not detect wireless network; it says problem = [network]"connection timeout"

    It is not a problem of signal strength, and my Airport detects other networks. It used to detect the network I want to connect to, for two years. It suddenly stopped detecting the network (which is WPA Personal password-protected). When I select choo

  • TS4006 Facing problem in updating my apps through wifi since last two weeks?

    Facing problem in updating my apps through wifi since last two weeks?

  • CC problems.

    Hi Guys. I have problem with my Creative Cloud, my folder Apps, doesn't work...need to upgrade my Ad. Premiere pro CC. There is: Error during downloading ( its in Czech png ). Any wise advise?? Thanks a lot.