What to do when activation fails and no meaningful information provided

Hello,
I just tried activating an Activity in a track. It failed and the Activation Results tab just says "Activation failed. No DC specific results available"
If I try to create another activity, it's going to consider this failed activity a predecessor and also fail because of the problem with this activity.
So my dilemna is "how do I find out what the problem was?" I seem to be stuck and NDS is not giving me any helpful information.
Any help would be GREATLY appreciated.
Thanks.
David.

Hi David,
Login to CBS and click on the buildspace. Then click on the requests link and after entering appropriate selection parameters choose the request in the table.
You will get a set of tabs from where you can get all the logs and reason why a request wasnt activated.
Regards
Sidharth

Similar Messages

  • What to do when readString() fails and String[] out of bounds ?

    Dear Java People,
    I have a runtime error message that says:
    stan_ch13_page523.InvalidUserInputException: readString() failed. Input data is not a string
    java.lang.StringIndexOutOfBoundsException: String index out of range: 0
    below is the program
    thank you in advance
    Norman
    import java.io.*;
    import java.util.*;
    public class FormattedInput
        // Method to read an int value
        public int readInt()
          for(int i = 0; i < 2; i ++)
          if(readToken() == tokenizer.TT_NUMBER)
            return (int)tokenizer.nval;   // value is numeric so return as int
          else
            System.out.println("Incorrect input: " + tokenizer.sval +
               " Re-enter as integer");
            continue;         //retry the read operation
          } // end of for loop
          System.out.println("Five failures reading an int value" + " - program terminated");
          System.exit(1);  // end the program
          return 0;
         public double readDouble() throws InvalidUserInputException
           if(readToken() != tokenizer.TT_NUMBER)
              throw new InvalidUserInputException(" readDouble() failed. " + " Input data not numeric");
           return tokenizer.nval;
         public String readString() throws InvalidUserInputException
           if(readToken() == tokenizer.TT_WORD || ttype == '\"' ||  ttype == '\'')
            return tokenizer.sval;
           else
             throw new InvalidUserInputException(" readString() failed. " + " Input data is not a string");
           //helper method to read the next token
           private int readToken()
             try
               ttype = tokenizer.nextToken();
               return ttype;
             catch(IOException e)
               e.printStackTrace(System.err);
               System.exit(1);
              return 0;
           //object to tokenize input from the standard input stream
           private StreamTokenizer tokenizer = new StreamTokenizer(
                                                new BufferedReader(
                                                 new InputStreamReader(System.in)));
           private int ttype;                  //stores the token type code
    import java.io.*;
    import java.util.*;
    public class TryVectorAndSort
         public static void main(String[] args)
        Person aPerson;           // a Person object
        Crowd filmCast = new Crowd();
        //populate the crowd
        for( ; ;)
          aPerson = readPerson();
          if(aPerson == null)
            break;   // if null is obtained we break out of the for loop
          filmCast.add(aPerson);
        int count = filmCast.size();
        System.out.println("You added " + count + (count == 1 ? " person":  " people ") + "to the cast.\n");
        //Show who is in the cast using an iterator
         Iterator myIter = filmCast.iterator();
        //output all elements
        while(myIter.hasNext() )
          System.out.println(myIter.next());
        }//end of main
          //read a person from the keyboard
          static public Person readPerson()
         FormattedInput in = new FormattedInput();
            //read in the first name and remove blanks front and back
            System.out.println("\nEnter first name or ! to end:");
            String firstName = "";
            try
            firstName = in.readString().trim(); //read and trim a string
            catch(InvalidUserInputException e)
            e.printStackTrace(System.err);
            //check for a ! entered. If so we are done
            if(firstName.charAt(0) == '!')
              return null;
            //read the last name also trimming the blanks
            System.out.println("Enter last name:");
            String lastName= "";
            try
              lastName = in.readString().trim(); //read and trim a string
            catch(InvalidUserInputException e)
             e.printStackTrace(System.err);
            return new Person(firstName, lastName);
    //when I ran the program the output I received was:
    import java.io.StreamTokenizer;
    import java.io.IOException;
    import java.io.InputStreamReader;
    import java.io.BufferedReader;
    public class InvalidUserInputException extends Exception
       public InvalidUserInputException() { }
          public InvalidUserInputException(String message)
              super(message);
    import java.util.*;
    class Crowd
      public Crowd()
        //Create default Vector object to hold people
         people = new Vector();
      public Crowd(int numPersons)
        //create Vector object to hold  people with given capacity
         people = new Vector(numPersons);
        //add a person to the crowd
        public boolean add(Person someone)
          return people.add(someone);
         //get the person at the given index
          Person get(int index)
          return (Person)people.get(index);
         //get the numbers of persons in the crowd
          public int size()
            return people.size();
          //get  people store capacity
          public int capacity()
            return people.capacity();
          //get a listIterator for the crowd
          public Iterator iterator()
            return people.iterator();
            //A Vector implements the List interface (that has the static sort() method
            public void sort()
              Collections.sort(people);
          //Person store - only accessible through methods of this class
          private Vector people;
    public class Person implements Comparable
      public Person(String firstName, String lastName)
        this.firstName = firstName;
        this.lastName = lastName;
      public String toString()
        return firstName + "  " + lastName;
       //Compare Person objects
        public int compareTo(Object person)
           int result = lastName.compareTo(((Person)person).lastName);
           return result == 0 ? firstName.compareTo(((Person)person).firstName):result;
      private String firstName;
      private String lastName;

    Dear Nasch,
    ttype is declared in the last line of the FormattedInput class
    see below
    Norman
    import java.io.*;
    import java.util.*;
    public class FormattedInput
        // Method to read an int value
        public int readInt()
          for(int i = 0; i < 2; i ++)
          if(readToken() == tokenizer.TT_NUMBER)
            return (int)tokenizer.nval;   // value is numeric so return as int
          else
            System.out.println("Incorrect input: " + tokenizer.sval +
               " Re-enter as integer");
            continue;         //retry the read operation
          } // end of for loop
          System.out.println("Five failures reading an int value" + " - program terminated");
          System.exit(1);  // end the program
          return 0;
         public double readDouble() throws InvalidUserInputException
           if(readToken() != tokenizer.TT_NUMBER)
              throw new InvalidUserInputException(" readDouble() failed. " + " Input data not numeric");
           return tokenizer.nval;
         public String readString() throws InvalidUserInputException
           if(readToken() == tokenizer.TT_WORD || ttype == '\"' ||  ttype == '\'')
             System.out.println(tokenizer.sval);
            return tokenizer.sval;
           else
             throw new InvalidUserInputException(" readString() failed. " + " Input data is not a string");
           //helper method to read the next token
           private int readToken()
             try
               ttype = tokenizer.nextToken();
               return ttype;
             catch(IOException e)
               e.printStackTrace(System.err);
               System.exit(1);
              return 0;
           //object to tokenize input from the standard input stream
           private StreamTokenizer tokenizer = new StreamTokenizer(
                                                new BufferedReader(
                                                 new InputStreamReader(System.in)));
           private int ttype;                  //stores the token type code
         }

  • What to do when ServerSocket fails and a client is trying to connect to it.

    I am creating a ServerSocket at one node and a client at the other node.... My ServerSocket fails due to unavailable port or otherwise... Now what happens to the client that is trying to connect to it.... what exception do i need to catch to terminate the client gracefully and give an error message??

    Continues [http://forums.sun.com/thread.jspa?threadID=5424890]

  • What's happening when Word opens and saves a document?

    Hello,
    I got very unspecific question, but I don't know where to start. I have an open xml document which gets generated by a third party tool. If I open the document using open xml sdk it looks VERY different from how it looks like when I opened and saved it before
    using Word 2013.
    I'm trying to get an understanding on whats Word doing! From what I've seen it's doing some remodelling on the xml file, since it looks very different (other and way more descendants than before) and I would like to achieve the same thing using open xml.
    Although this might be already to much information: The generated word documents contains html code with links to pictures. After Word has touched the file the picture is inside a drawing element, before it's not but in Word both versions look the same.
    I'm thankful for any help you can give me.
    Cheers Andreas
    Regards Andreas MCPD SharePoint 2010. Please remember to mark your question as "answered"/"Vote helpful" if this solves/helps your problem.

    Hi Cheers Andreas,
    >> If I open the document using open xml SDK it looks VERY different from how it looks like when I opened and saved it before using Word 201
    >> What's happening when Word opens and saves a document?
    This forum is discussing about Open XML developing. This is not exactly an OpenXML SDK questions. To be frank, I do not know exactly what Word opens and saves a documents either (this is the implementation details of the product).
    If you are interested on it, the forum below might be more appropriate for you:
    https://social.msdn.microsoft.com/Forums/en-US/home?forum=os_binaryfile
    >> From what I've seen it's doing some remodelling on the xml file, since it looks very different (other and way more descendants than before) and I would like to achieve the same thing using open xml.
    What do you mean by “other and way more descendants”? Do you mean that you want to add new nodes in the xml document? In my option, different objects in word have different nodes. You could refer the link below for more information about Word processing.
    https://msdn.microsoft.com/EN-US/library/office/cc850833.aspx
    If you have issues about OpenXML SDK, since it is a new issue which is different from your original issue, I suggest you post a new thread for the new issue in this forum. Then there would be more community members to discuss the question.
    Best Regards,
    Edward
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Email has stopped working and cannot be re-setup; 'Activation failed' and 'Security of the connection cannot be verified' errors

    The blackberry stopped receiving email as of Dec 22.  it does reeive Registration messages from blackberry. The browser still works.  I contacted the provider and the network is functioning correctly.   I have deleted the email setup several times and set it up again; I have removed the battery and restarted and reset up the email.  This involves a hotmail.ca account.  During email setup it checks for update and indicates the mailbox is set up and then it wants to reconcile contacts and that is when the Activation Failed; an error was encountered when sending the activation transmission notice appears.  When I use the browser to go to hotmail.ca and login, I can see all my email up to date and then an error message pops up indicating, Server Certificate Warning and when I select Details; it inidcaes untrusted certificate; unable to determine certificate's origin; when I view the certificate it identifies X h.live.com  Untrusted Certificate Chain; Stale Chain Status etc...  It's like the hotmail.ca or live.com is corrupted...how do I fix it.  The only thing I have not doe is to use the Security tool to Wipe email.  Any advice on how to proceed would be appreciated.

    The infofmation in this link should help you:
    Unable to integrate or send from a Sympatico or Bell Aliant email account on the BlackBerry 10 smar...
    I know the link speaks specifically of BlackBerry10 devices, but use the settings to see if they help you. Your path to the email setup > Advanced settings may be different.
    1. If any post helps you please click the below the post(s) that helped you.
    2. Please resolve your thread by marking the post "Solution?" which solved it for you!
    3. Install free BlackBerry Protect today for backups of contacts and data.
    4. Guide to Unlocking your BlackBerry & Unlock Codes
    Join our BBM Channels (Beta)
    BlackBerry Support Forums Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • Is reseed required when in "failed and Suspended" status

    We had a small hiccup in our SAN which we have resolved. The database copies went into a "Failed and suspended" state on one server. Can we just right click on them and say "resume?"   
    It seems all the documentation on MS web site talk about reseeding the database like it is the norm when the database copy is in "Failed and suspended" error occurs.  Is that accurate or if you select "Resume" will it use the
    transaction log files to bring the database to a healthy state?
    Thanks,

    Hi,
    I would start with the application log and it may tell you what action is required. If there is not any related events, we can consider a reseed.
    Here is an article for your reference.
    Update a Mailbox Database Copy
    http://technet.microsoft.com/en-us/library/dd351100(v=exchg.141).aspx
    Best regards,
    Belinda
    Belinda Ma
    TechNet Community Support

  • What to do when update fails?

    I received a notice to update Creative Cloud, Lightroom and Photoshop. Creative Cloud repeatedly fails and the other 2 are just sitting with message "waiting" for an hour. What can I do?

    I originally was directed to Adobe support and signed into and was waiting for chat. There was a message and a link directing me specifically here by Adobe support to seek answers while I waited for them. I wouldn't even have know to come here if not directed by their link. I won't do that in the future. Adobe support leaves a lot to be desired as they posted a notice that phone lines were not working properly and the chat was never answered.

  • What to do when consolidation fails

    Hi there,
    I posted previously about how to try to resolve an insufficient space error when I first tried to consolidate, but couldn't find a solution unfortunately. So, now my question is what to do when consolidation is not an option. I can easily copy the music to my new hard drive and I tried consolidating afterward, but the files in iTunes still seem to point to the old location. What's the best way to manually make this change? Thanks.

    I originally was directed to Adobe support and signed into and was waiting for chat. There was a message and a link directing me specifically here by Adobe support to seek answers while I waited for them. I wouldn't even have know to come here if not directed by their link. I won't do that in the future. Adobe support leaves a lot to be desired as they posted a notice that phone lines were not working properly and the chat was never answered.

  • Re I-Movie.  "Communication Error" is what I get when I try and send a clip from my Sony camera to the IMovie program in my IMAC 2008 Intel Chips.  The IMovie program has worked well for several years - up to now.  What has gone wrong?

    Re I-MOVIE.  I am getting a "Communication Error" when I try and send a clip to the IMovie
    program in my IMAC 2008 Intel Chip computer.  This is the first time in 3 years that the
    program has not worked.  What has gone wrong?

    Hi
    Have no idea - But if it is a new problem with exactly the same kind of material that was previously used. Then my trouble shooting guide might help.
    If You
    • used a new Camera - file codec might be a sort that don't work
    • Your main hard disk might get too filled up
    Else try
    Trouble
    When iMovie doesn't work as intended this can be due to a lot of reasons
    • iMovie Pref files got corrupted - trash it/they and iMovie makes new and error free one's
    • Creating a new User-Account and log into this - forces iMovie to create all pref. files new and error free
    • Event or Project got corrupted - try to make a copy and repair
    • a codec is used that doesn't work
    • problem in iMovie Cache folder - trash Cache.mov and Cache.plist
    • version miss match of QuickTime Player / iMovie / iDVD
    • preferences are wrong - Repair Preferences
    • other hard disk problem - Repair Hard Disk (Disk Util tool - but start Mac from ext HD or DVD)
    • External hard disks - MUST BE - Mac OS Extended (hfs) formatted to work with Video
    ( UNIX/DOS/FAT32/Mac OS Exchange - works for most other things - but not for Video )
    • USB-flash-memories do not work
    • Net-work connected hard disks - do not work
    • iPhoto Library got problems - let iPhoto select another one or repair it. Re-build this first then try to re-start iMovie.
    This You do by
    _ close iPhoto
    _ on start up of iPhoto - Keep {cmd and alt-keys down}
    _ now select all five options presented
    _ WAIT a long long time
    • free space on Start-Up (Mac OS) hard disk to low (<1Gb) - I never go under 25Gb free space for SD-Video (4-5 times more for HD)
    • external devices interferes - turn off Mac - disconnect all of them and - Start up again and re-try
    • GarageBand fix - start GB - play a few notes - Close it again and now try iMovie
    • Screen must be set to million-colors
    • Third-party plug-ins doesn't work OK
    • Run "Cache Out X", clear out all caches and restarts the Mac
    • Let Your Mac be turned on during one night. At about midnight there is a set of maintenance programs that runs and tidying up. This might help
    • Turn off Your Mac - and disconnect Mains - for about 20-30 minutes - at least this resets the FireWire port.
    • In QuickTime - DivX, 3ivx codec, Flip4Mac, Perian etc - might be problematic - temporarily move them out and re-try
    (I deleted the file "3ivxVideoCodec.component" located in Mac HD/Library/Quicktime and this resolved my issue.)
    buenrodri wrote
    I solved the problem by removing the file: 3ivxVideoCodec.component. after that, up-dated iMovie runs ok.
    Last resort: Trash all of iMovie and re-install it
    Yours Bengt W

  • What to do when load fails in PC due to bad characters?

    Hi guys
    i have a process chain failing every day because of some bad characters coming in the load. its a text load and due to these characters it fails every day. now what is the proper procedure in production to get this fixed? i know i can edit the bad cahracters in PSA, but i dont know what those bad characters are so what to do ?
    do i go back to the source system fix it there or fix it in BI some how?  can some one explain this with his experience supporting?
    Thanks
    Adnan

    it is not your responsibility to make sure that the data input is right, but you can take the extra effort to make sure tht it is right by asking your business users and then the mm team about it, check in r3, under the mm module try mm03 or mm05 to find is tht material exists, if not there is something wrong, but from the bw perspective tht record is faulty and needs to be corrected if the number of records this happens is very less then make the changes in psa and then load from the psa, if ur using bi then u need to make ur error stanck and error dtp.
    so if the number of reocrds r less then make changes with consent of ur business team but if they are huge then a routine should be written to eliminate all characteristics with #$ and so on, adding it in rskc might be a option if tht material number actually exists with $%$^*&(  those symbols which is most unlikely.
    check with u r business users first, contact the mm team.

  • What exactly happens when you cancel and resubscribe?

    Hi all. I have an extremely simple question -- in fact, I think I already know the answer, I just want a little reassurance. Unfortunately, Adobe has absolutely embarrassingly abysmal customer service to complement some pretty great products. Honestly -- I've spoken to three people by phone who barely speak English and who sound like they're in the midst of a wind tunnel. Went online to chat, and the guy didn't understand my exceedingly simple question. I said the question was about cancellation; he attempted to transfer me to tech support. I told him I'd been on the phone three times with no success. He asked me if I wanted to talk to someone on the phone. Christ's sake, Adobe. Clean that mess up, it's shameful.
    Anyway, all I want to know is what exactly happens if I cancel a single-app Creative Cloud membership, and then resubscribe shortly after? I currently have a month-to-month subscription to Premiere CC. My payment is due on the 4th, but I'm broke. So I assume I have to cancel. However, I plan on resubscribing about a week later, once I have some money.
    So are my projects in any way, shape or form affected? Will Premiere CC simply stop me from accessing the program until I pay up and then re-grant access when I resubscribe? I mean, what exactly happens?
    That's all I want to know. I'm in the middle of editing two large projects, so I'm just looking for some simple peace of mind. Thanks in advance.

    Hi there!
    Thank you for sharing your comments regarding our customer support. Your comments help Adobe guide ongoing efforts to improve our policies, and services.
    If you decide to cancel your membership, the products will revert to the trial version and the product will be accessible for the remaining days of the trial.
    Would you like me to cancel the membership?
    Thanks.
    Arnaud.

  • What's up when you drag and drop a table into a jsp page?

    Hi All,
    I was wondering what's happen in dragging and drop a table into a jsp page. This question because untill yesterday i had an application up and running, with a table displaying a number of rows of the database, and an action associated with an update into a database.
    The action is managed trough JNDI, defined from Preference-Embedded.......
    It was working.
    Then the machine hosting the db changed IP addres. I went into Webcenter Administration console, I've changed the connection string into the jdbc parameters, by updating the new IP address... but it's not working anymore! The log comes out with a big error, but basically it can't connect at the db!
    So, I think there is somewhere some reference to the old db.....where???
    Thanks
    Claudio

    Yes Shay,
    I got this error:
    JBO-29000: Unexpected exception caught: oracle.jbo.JboException, msg=JBO-29000: Unexpected exception caught: oracle.jbo.JboException, msg=JBO-29000: Unexpected exception caught: oracle.jbo.DMLException, msg=JBO-26061: Error while opening JDBC connection.
    in few hours I'll be able to give you the full stack.
    Thanks
    Clauido
    Message was edited by:
    user637862
    Hi Shay,
    Thanks a lot..you were right.
    I've located the ba4j on the webcenter server...and I've noticed that it was with the old address.
    I think it's a bug, cause on the local machine (before to deploy) this file comes with the right address.
    So next time, before to redeploy a new application, I think I'm going to fiscally delete the folder from j2ee folder.
    Thanks again for the help!
    Claudio

  • MacbookPro...what is speed when with iLife08 and  Adobe CS3...?

    I will be buying a 17"Macbook Pro next month and I know that it will ship with iLife08. But am also going to be purchasing Adobe CS3. So with all these graphics heavy programs, any thing I should be aware of in terms of speed, specifically if I am editing a movie in iMovie? or importing a quicktime movie into a Web page design? I'm also going to be getting iWorks to do presentations. Lots of graphics. Plus I will be doing a lot of work editing photos in RAW in Photoshop.
    It's a big investment and want to make sure that it's going to help me with my work rather than cause frustration because editing a movie will take as long as it does now on my G4 Powerbook.
    Do I need to customize the Mac when I purchase it so that it has whatever it needs to run faster? I don't want to have to do this after I've purchased it if I don't have to.
    Thank you from a non-techie type person--so please, in layman's terms! Would appreciate it.

    RAM is very important for the tasks you mentioned, and the price Apple charges at the customization stage on their online store is obscene. Replacing the RAM on the MBP is very easy and I'll paste some links to help you decide whether you'll be up for the DIY install. And yes, you should experience a nice speed bump over a G4, even editing in HD.
    http://www.macsales.com/
    http://www.crucial.com/store/listparts.aspx?model=MacBook%20Pro%202.4GHz%20Intel %20Core%202%20Duo%20%2817-inch%29
    http://docs.info.apple.com/article.html?artnum=303491

  • HT201250 so what to do when its full and doesn't delete old backups? How can I manually get rid of 2010 backups?

    My time machine is full and its SO VERY VERY VERY SLOW SLOW to do anything on it. I want to completelly kill backups from 2010 and 2011. How can I do this? I'd be ok killing all my backups and doing a fresh start.

    Another thought: if you are prepared to delete all your backups (as you say), you could experiment by deleting a few early backups, then testing that Time Machine continues to allow restorations of some test file, and will continue to do automatic backups as usual. If so, delete as many old backups as you want. If TM does not continue to behave after the old backups have been deleted, erase the TM disc and start again.

  • Misleading and Restrictive Product Information Provided, for inducing customer to buy – by Apple Premium reseller  - Unicorn Info Solutions Private Limited

    Facts of the Case
    IPHONE 3GS – Serial QRxxxxxY7H
    We have visited the apple premium reseller M/s Unicorn Info Solutions Private Limited, Himalaya Mall, Ahmedabad, hereinafter called as “reseller”. On 10th August 2012, the sales representative at the store informed us that since we have an old apple phone, we were offered a scheme whereby against payment of Rs. 10000/- a new apple 3GS phone was to be provided against return of the old phone.
    We have an MTNL Sim and on our return to Mumbai, we were surprised to find that the product showed No Service. We visited the I store in Mumbai, Ghatkopar, R – City Mall and were asked to contact the apple care. Accordingly we contacted the apple care and we were assigned case id xxxxxxx, whereby we were informed to contact Vodafone.
    On contacting the Vodafone gallery at Ghatkopar, Mumbai, we were asked to wait for two days. After 2 days Vodafone informed us to contact the apple care only.
    Upon again contacting apple care we were asked to contact the apple reseller M/s Unicorn who has sold the product.
    M/s Unicorn, Ahmedabad, directed us to contact support office in Mumbai, Andheri where the issue would be resolved. We visited the Andheri office, but we told that nothing could be done, and neither the product could be returned back, even if it is no use to us and was sold by adopting misleading and fraudulent information.
    Grievance
    At no point we were informed that this phone will work with only Vodafone. The important legal principle of caveat emptor (let the buyer beware) was obviously absent and not followed by the reseller.
    Moreover, the payment was made for an Apple phone and there was no mention of Vodafone, or of any agreement of whatsoever nature with the said company.
    Firstly, to sell a product (Iphone) with a restrictive covenant to use complimentary product (Vodafone) without the knowledge of the buyer and in the absence of any legal contract, is a “Restrictive trade practice” under the Competition Act and erstwhile MRTP Act.
    Secondly, the irresponsible attitude adopted by the reseller (M/s Unicorn) who sold the product, (M/s Apple Inc) the manufacturer and M/s Vodafone, which has put restriction on the product use without any valid contract is not at all appreciated. More so they have made us to run from pillar to post without even the product being able to start its usage.
    <Edited By Host>

    Posting a review on Unicorn Infosolutions Pvt Ltd, Third Floor, Himalaya Mall, Gurukul Road, Near Drive In Cinema, Ahmedabad, Gujarat - India
    Person whom I spoke to - Ritesh Chauhan (I think, not sure of this first name)
    My Macbook pro battery has given up, its time for replacement.
    I happened to visit this store a few days ago, store is not the IMAGINE Retail store at Ground floor instead on the opposite side wing its on third floor, and a small board outside called Unicorn.
    The executive whom I spoke with turned out to be really rude. Didn't understand my concern and went on forcing his views on me.
    Although my laptop was still under warranty and having spoken to Apple Technical Support, I already gave him the information on phone prior to my visit, things were just not alright even then.
    He was just way to busy explaining me how he does things and what are the procedures and so on, very bad behaviour, no care towards their customers and because we are customers who are not going to pay them anything as our products are still under warranty, they are really not interested in us, we are more like a liability on them (at least that's what I felt from my visit).
    Refrain from going there guys, look out for an alternative Apple Authorised Service Centre. My positive experience was with the one at Galaxy Mall, Nehru Nagar, Near Shiromani Complex.
    Their office is located at second floor in that mall, the person whom I met with was very humble and actually cared for me queries to get them resolved in a manner that would be best for me.

Maybe you are looking for

  • New AFPTCP abend with NW65SP7 and SP8

    We're seeing what appears to be a new AFPTCP-related abend on our user filestore servers and one particular server seems to be more vulnerable than others. We first saw this with NW65SP7 but have since applied NW65SP8 +edir87310_ftf1 +N65NSS8a +MM65S

  • JAAS Subject with stale principals

    I'm trying to figure out how to use JAAS and so far I have a more or less clear understanding of the authentication part. But I have some difficulty with the authorization part. Here is what I don't understand. Upon successful user authentication, a

  • Dropdown in tableview iterator doesn't show values

    Hi everybody; I'm new to BSP. I'm creating a small BSP MVC application. I have a table with a few columns; I needed to add an extra column in which a dropdown would be shown. I created an iterator class and implemented the following in the GET_COLUMN

  • Saving a Frame in Video

    Hello, I am trying to save a particular frame on a video viewed using iTunes. I am able to pause at the correct frame, but I cannot save the image. Any help would be greatly appreciated! Thanks, Kristen L.

  • Is there a warranty for refurbish macbook?

    Is there a warranty for refurbish macbook?