How does the Computer ID Change?

Yesterday I was using an activated copy of NI Vision AI 2010.  Today when I went to open vision builder on that same machine computer, it stated I did not have a full licsense.  When I was in the license manager, it said that this product was already licensed on another computer.  When I pulled up the computer description, it gave me a different computer ID then what was on my activation email.  What can change the Computer ID and how do I get it back to the other computer ID that it is supposed to be?
Solved!
Go to Solution.

Hi innoshane,
It depends on the specific computer for how it determines its ID. It could either be based off of you MAC address or your Hard Drive's serial number. Is this computer a desktop or laptop computer? Have you made any hardware changes to the computer since it has worked correctly?
Let me know about those questions and we can see if it is possible to force the computer to reference one of these options to get it back to the working ID.
Best Regards,
Nathan B
Applications Engineer
National Instruments

Similar Messages

  • How does the computer recorgnize hard drive at all times?

    My Comp, Compac Preesario SR1950NX does not recorgnide the Hard drive making it Freeze during the Boot up. How do I solve this problem

    Hard Drive is not detectedPerform the following steps when the hard drive is not detected:
    Step 1: Resetting BIOSFirst, reset the BIOS to make sure the BIOS settings are correct:
    Turn on the computer and press F10 repeatedly to open the BIOS setup screen.
    Press the F5 key to reset the default BIOS settings. Use the arrow keys to select Yes or OK and press Enter .
    Press the F10 key to save settings and exit. Use the arrow keys to select Yes or OK and press Enter .
    Turn off the computer.
    Remove the power cord.
    Press and hold the power button for five seconds.
    Reconnect the power cord and turn on the computer.
    If the startup problem is gone, you are done.
    If the startup problem still exists, continue to the next section.
    Step 2: Disconnecting and reconnecting hard drive cableUse the following steps to remove and reseat the hard drive cables:
    WARNING:The edges of metal panels can cut skin. Be careful not to slide skin along any interior metal edge of the computer.
    CAUTION:This product contains components that can be damaged by electrostatic discharge (ESD). To reduce the chance of ESD damage, work over a noncarpeted floor, use a static dissipative work surface (such as a conductive foam pad), and wear an ESD wrist strap connected to a grounded surface.
    Remove the side panel by loosening the side panel screws and sliding the panel to the back of the computer.
    Figure 5: Example of one type of side panel. Your PC may be different.
    Find the power cable connected to the hard drive. Disconnect and reconnect the power cable.
    IDE power and data cable location Serial ATA (SATA) power and data cable location
    Find the IDE or SATA data cable connection to the hard drive. Disconnect and reconnect the IDE or SATA data cable from the hard drive.
    Find the IDE or SATA data cable connection on the motherboard. Disconnect and reconnect the IDE or SATA data cable from the socket on the motherboard.
    Replace the side panel.
    Plug the power cable back into the computer.
    Turn on the computer and wait to see if the startup problem still exists: 
    If the problem has been resolved, you are finished.
    If the problem still exists try the following, depending on whether or not the hard drive is IDE or SATA:
    IDE : Make sure the jumper setting and cable connections are correct. For more information refer to Jumper Settings for the Installation of IDE Hard Disks and CD, CDRW, and DVD Drives
    SATA : Try a different SATA connection on the motherboard.
    If the startup problem still exists, replace the hard drive.
    Other solutions customers found helpful
    » HP and Compaq Desktop PCs -- Monitor or TV is Blank after Starting the Computer
    » HP and Compaq Desktop PCs -- Performing an HP System Recovery in Windows Vista
    » HP and Compaq Desktop PCs -- Windows Error Recovery: Windows failed to start. A recent hardware or s...
    » HP and Compaq Desktop PCs -- BIOS Beep Codes
    Print this page
    Your product
    » Compaq Presario SR5109NX Desktop PC
    (Not your product?)
    Alerts for this product
    » Thinking about adding Memory?
    » Upgrading to Windows 7
    » Ask The HP Experts on Sept. 21-22
    » Looking for Recovery Discs?
    More for this product
    » Consumer support forum
    » Extended Service Plan
    » HP Support Assistant
    Support for this product
    » Software & Driver Downloads
    » Solve a problem
    » Getting started
    » How to
    » Product information
    » Manuals
    » FAQs
    I work for HP

  • How does the Object Reference change in this code ?

    Hi Folks,
    This is my code :
    package assignments;
    class Value
         public int i = 15;
    } //Value
    public class Assignment15
         public static void main(String argv[])
              Assignment15 t = new Assignment15();
              t.first();
         public void first()
              int i = 5;
              Value v = new Value();
              v.i = 25;
              second(v, i);
              System.out.println(v.i);
         public void second(Value v, int i)
              i = 0;
              v.i = 20;
              Value val = new Value();
              v = val;
              System.out.println(v.i + " " + i);
    } // Test
    O/P :
    15 0
    20The output I expected was 15 0 15.
    If the value object created in the second() assigns the value 15 to variable v,why does v.i in the last sysout print 20 ?
    Thank you for your consideration.

         public void second(Value v, int i)
              i = 0;
              v.i = 20;
              Value val = new Value();
              v = val;
              System.out.println(v.i + " " + i);
         }There are two sources of confusion in this code:
    1) for clarity, you shouldn't name second()'s argument "v"; as pbrockway points out, this variable v is a completely different variable from first()'s "v" variable, it just happens to contain a reference to the same object as first()'s "v". Rename the argument to "v2" and it should clarify things (note: this is not a general recommendation, this naming is perfectly valid and makes sense, just not to you yet).
    2) You are assigning a new value (the reference denoted by "val") to the argument variable v. That is bad practice (even for seasoned Java developers).Although the Java compiler accepts it gladly, it brings confusion: it does change the value of the "local variable" v2, but doesn't change the value of the variable "v" in method first(), from which v2 was copied when invoking second().
    Indeed I've seen coding conventions that recommend to add a "final" specifier in front of method arguments, this way:
           public void second(final Value v, int i)
              i = 0;
              v.i = 20;
              Value val = new Value();
              v = val; // does not compile
              System.out.println(v.i + " " + i);
         }This way the compiler rejects the v=val assignment: if you want to do something similar to your previouscode, you have to introduce a new local variable, that is, local to second()'s body, and clearly unknown to first().
    Consider the new code after implementing my suggestions: does it clear the doubts?
    package assignments;
    class Value
         public int i = 15;
    } //Value
    public class Assignment15
         public static void main(String argv[])
              Assignment15 t = new Assignment15();
              t.first();
         public void first()
              int i = 5;
              Value v = new Value();
              v.i = 25;
              second(v, i);
              System.out.println(v.i);
         public void second(final Value v2, int i)
              i = 0;
              v2.i = 20;
              Value val = new Value();
              Value anotherValueVariableWhichDoesNotEscapeThisMethod = val;
              System.out.println(v2.i + " " + i);
              System.out.println(anotherValueVariableWhichDoesNotEscapeThisMethod.i + " " + i);
    } // Test

  • How does the system decide where to put a file on the desktop?

    So you've just created some sort of file, and you choose to save it to the desktop.   A second later--presto!--the file icon appears on the screen.
    How does the computer decide where on the desktop to put that icon?

    I'm not 100% on this, but I think the system will save files to the last destination you nominated unless you designate another destination at the point of saving. I guess you previously saved something to the Desktop.
    Just tested it on my two Macs and that's how it behaves here.

  • Does the computer lock me after a certain amount of failed password attmepts, even when i finally have the correct password? recently changed root account password, but then forgot today and when tried again didn't work.  if so, how long does lock last?

    Ok. So I just changed my ADMINISTRATIVE ROOT PASSWORD the other day and when I tried to log in today I forgot it.  I tried different variations of
    the password I had set, because I wasn't sure if i had maybe set it in Caps Lock or used a different number in the sequence.  I got the message several times
    about "too many attempts, try again later".  Does the computer lock me from signing in even with the correct password after a certain amount of failed
    attempts?  If so, how long does this lock last for?  When can I try again?  Or is there something I need to do to remove that lock now?  I'm pretty sure I
    had the right password finally but it still wouldn't accept it. 
    Also, I don't have any other administrative users set up on my macbook pro.  I'm the only one who uses it, so I've always just used that original User from my
    original setup.

    giselafromclongriffin wrote:
    Ok. So I just changed my ADMINISTRATIVE ROOT PASSWORD the other day and when I tried to log in today I forgot it.  I tried different variations of
    the password I had set, because I wasn't sure if i had maybe set it in Caps Lock or used a different number in the sequence.  I got the message several times
    about "too many attempts, try again later".  Does the computer lock me from signing in even with the correct password after a certain amount of failed
    attempts?  If so, how long does this lock last for?  When can I try again?  Or is there something I need to do to remove that lock now?  I'm pretty sure I
    had the right password finally but it still wouldn't accept it. 
    Also, I don't have any other administrative users set up on my macbook pro.  I'm the only one who uses it, so I've always just used that original User from my
    original setup.
    Do this:
    1. Reboot
    2. Hold apple key + s key down after you hear the chime. (command + s on newer Macs)
    3. When you get text prompt enter in these terminal commands to create a brand new admin account (hitting return after each line):
    (Type these commands very carefully)
    mount -uw /
    rm /var/db/.AppleSetupDone
    shutdown -h now
    4. After rebooting you should have a brand new admin account. When you login as the new admin you can change the passord on the old one.

  • HT4221 How does the Ipad5 sort photos synced from a computer

    How does the Ipad5 sort photos synced from a laptop? 

    Hi Nancy 2803,
    I am guessing you want to sync photos from your iPhone 5S to a Laptop i.e. a Windows Laptop.
    Firstly when you insert your iPhone into your computer, go to:
    1.     Computer
    2.     Wait for the Laptop to recognize the iPhone
    3.     Right Click on your iPhone Named: [NAME iPhone] or something simular
    4.     Click import pictures and videos
    5.     Click import settings
    6.     Click Folder Name
    This folder name is how the images will be arranged, either:
    a) Date imported and Tag
    b) Date Taken and Tag
    c) Tag and Date imported
    d) Tag and Date taken
    e) Tag and Data Taken Range
    f) Tag
    I use Date Taken and Tag as this allows me to see in my pictures library a date and the images taken that date, i.e. all the images taken on the 25/12/2013, if you use date imported, you just get all your images stored in one folder and cannot quickly find images on a date.
    In this setting you can also change the folder to where the images/videos will be saved, the name of the images as well as options such as delete images from the device once imported.
    Many Thanks, Happy New Year and I cannot wait to hear from you again in regards to this issue.
    iBenjamin Crowley

  • How do you connect your photoshop elements on your computer to your account online? and how do you create a customized url? how does the gallery work and how do you access it? i have trouble signing in on my program from my computer to connect to the onli

    how do you connect your photoshop elements on your computer to your account online? and how do you create a customized url? how does the gallery work and how do you access it? i have trouble signing in on my program from my computer to connect to the online photoshop, and I really want to create my own customized url and post photos to my gallery and share them with the world, family, and friends, but i need help because i can't figure how to do any of this, would really appreciate feedback and assistance, thanks, - claire conlon

    To add to sig's reply, "calibrating" does not calibrate Lithiu-Ion batteries, it calibrates the charge reporting circuitry.  If you look at the effect of deep discharging Lithium-Ion batteries in the data from the independent test group, Battery University, you will see that doing so shortens the life of the battery significantly. It looks like an optimum balance between use and life is at a discharge level of 50%.

  • Why does the "Computer Name" sometimes change?

                    Not a big deal, just curious, why does the "computer name" sometimes change?
                     The name will be the same, but it will add a number....2,3,4...I always change it back so it doesn't have a numeric value next to it, but just wondering why it happens.
                                            Thanks.

    Can also occur after your computer is put to sleep and then wakes back up or after your computer is force quit and immediately restarted. Sometimes the router 'believes' the computer is still connected when it actually isn't. When that computer re-establishes a connection the router 'tells' the computer that a computer with that name already exists so it has to change its name. By default a computer running MacOS adds a number (or increments its number) when this happens.

  • How does the Labview based program apply to computer which without Labview

    How does the Labview based program apply to computer which without Labview
    student number:1110340001

    SInce you list your "student number", you are probably using the student edition.
    You cannot build standalone executables with the student edition.
    You need LabVIEW professional. If you only have LabVIEW full, you need to purchase the application builder seperately.
    LabVIEW Champion . Do more with less code and in less time .

  • [Solved] How does one go about changing the hostname in arch nowadays?

    Everything I've seen on the subject references /etc/rc.conf, which I believe is no longer used.
    I've updated /etc/hostname, but when hostname -f does not return the expected.
    Last edited by mreiland (2013-07-14 21:09:07)

    mreiland wrote:How does one go about changing the hostname in arch nowadays?
    Please see "man archlinux".
    Also, I can never remember if hostname is one of those things you need to reboot for...
    Last edited by drcouzelis (2013-07-13 16:24:10)

  • How does the CBO calculate the selectivity for range predicates on ROWID ?

    Hi all,
    I'm wondering how the CBO estimate the selectivity for range predicates based on ROWID columns.
    For example, for the following query the CBO estimates there's going to be 35004 rows returned instead of 7:
    SQL> SELECT count(*)
      FROM intsfi i
    WHERE
    ROWID>='AAADxyAAWAAHDLIAAB' AND ROWID<='AAADxyAAWAAHDLIAAH';  2    3    4
      COUNT(*)
             7
    Elapsed: 00:00:02.31
    SQL> select * from table(dbms_xplan.display_cursor(null,null,'iostats last'));
    PLAN_TABLE_OUTPUT
    SQL_ID  aqbdu2p2t6w0z, child number 1
    SELECT count(*)   FROM intsfi i  WHERE  ROWID>='AAADxyAAWAAHDLIAAB' AND
    ROWID<='AAADxyAAWAAHDLIAAH'
    Plan hash value: 1610739540
    | Id  | Operation             | Name    | Starts | E-Rows | A-Rows |   A-Time   | Buffers |
    |   0 | SELECT STATEMENT      |         |      1 |        |      1 |00:00:02.31 |   68351 |
    |   1 |  SORT AGGREGATE       |         |      1 |      1 |      1 |00:00:02.31 |   68351 |
    |*  2 |   INDEX FAST FULL SCAN| INTSFI2 |      1 |  35004 |      7 |00:00:02.31 |   68351 |
    Predicate Information (identified by operation id):
       2 - filter((ROWID>='AAADxyAAWAAHDLIAAB' AND ROWID<='AAADxyAAWAAHDLIAAH'))According to Jonathan Lewis' book, for a normal column the selectivity would have been:
    (value_column1-value_column2)/(high_value-low_value)+1/num_distinct+1/num_distinct
    But here with the ROWID column, how does the CBO make its computation ?
    SINGLE TABLE ACCESS PATH
      Single Table Cardinality Estimation for INTSFI[I]
      Table: INTSFI  Alias: I
        Card: Original: 14001681.000000  Rounded: 35004  Computed: 35004.20  Non Adjusted: 35004.20

    Hi Jonathan,
    Some Clarifications
    =============
    DELETE /*+ ROWID(I) */ FROM INTSFI I WHERE
    (I.DAVAL<=TO_DATE('12032008','DDMMYYYY') AND (EXISTS(SELECT 1 FROM
    INTSFI S WHERE S.COINT=I.COINT AND S.NUCPT=I.NUCPT AND S.CTSIT=I.CTSIT
    AND NVL(S.RGCID,-1)=NVL(I.RGCID,-1) AND S.CODEV=I.CODEV AND
    S.COMAR=I.COMAR AND S.DAVAL>I.DAVAL) AND I.COMAR IN (SELECT P.COMAR
    FROM PURMAR P WHERE P.NUPUR=1))) AND ROWID>='AAADxyAAWAAHDLIAAB' AND
    ROWID<='AAADxyAAWAAHDLIAAH'
    Plan hash value: 1677274993
    | Id  | Operation                      | Name    | Starts | E-Rows | A-Rows |   A-Time   | Buffers |  OMem |  1Mem | Used-Mem |
    |   0 | DELETE STATEMENT               |         |      1 |        |      0 |00:00:05.94 |   53247 |    |          |          |
    |   1 |  DELETE                        | INTSFI  |      1 |        |      0 |00:00:05.94 |   53247 |    |          |          |
    |*  2 |   HASH JOIN SEMI               |         |      1 |   9226 |      7 |00:00:05.94 |   53180 |   783K|   783K|  471K (0)|
    |   3 |    NESTED LOOPS                |         |      1 |   9226 |      7 |00:00:00.01 |      10 |    |          |          |
    |*  4 |     TABLE ACCESS BY ROWID RANGE| INTSFI  |      1 |   9226 |      7 |00:00:00.01 |       6 |    |          |          |
    |*  5 |     INDEX UNIQUE SCAN          | PURMAR1 |      7 |      1 |      7 |00:00:00.01 |       4 |    |          |          |
    |   6 |    INDEX FAST FULL SCAN        | INTSFI1 |      1 |     14M|   7543K|00:00:01.73 |   53170 |    |          |          |
    Predicate Information (identified by operation id):
       2 - access("S"."COINT"="I"."COINT" AND "S"."NUCPT"="I"."NUCPT" AND "S"."CTSIT"="I"."CTSIT" AND
                  NVL("S"."RGCID",(-1))=NVL("I"."RGCID",(-1)) AND "S"."CODEV"="I"."CODEV" AND "S"."COMAR"="I"."COMAR")
           filter("S"."DAVAL">"I"."DAVAL")
       4 - access(ROWID>='AAADxyAAWAAHDLIAAB' AND ROWID<='AAADxyAAWAAHDLIAAH')
           filter("I"."DAVAL"<=TO_DATE(' 2008-03-12 00:00:00', 'syyyy-mm-dd hh24:mi:ss'))
       5 - access("P"."NUPUR"=1 AND "I"."COMAR"="P"."COMAR")
    When I force the NESTED LOOP SEMI JOIN the query runs faster:
    DELETE /*+ ROWID(I) */ FROM INTSFI I WHERE
    (I.DAVAL<=TO_DATE('12032008','DDMMYYYY') AND (EXISTS(SELECT /*+ NL_SJ
    */ 1 FROM INTSFI S WHERE S.COINT=I.COINT AND S.NUCPT=I.NUCPT AND
    S.CTSIT=I.CTSIT AND NVL(S.RGCID,-1)=NVL(I.RGCID,-1) AND S.CODEV=I.CODEV
    AND S.COMAR=I.COMAR AND S.DAVAL>I.DAVAL) AND I.COMAR IN (SELECT P.COMAR
    FROM PURMAR P WHERE P.NUPUR=1))) AND ROWID>='AAADxyAAWAAHDLIAAB' AND
    ROWID<='AAADxyAAWAAHDLIAAH'
    Plan hash value: 2031485112
    | Id  | Operation                      | Name    | Starts | E-Rows | A-Rows |   A-Time   | Buffers |
    |   0 | DELETE STATEMENT               |         |      1 |        |      0 |00:00:00.01 |      94 |
    |   1 |  DELETE                        | INTSFI  |      1 |        |      0 |00:00:00.01 |      94 |
    |   2 |   NESTED LOOPS SEMI            |         |      1 |   9226 |      7 |00:00:00.01 |      27 |
    |   3 |    NESTED LOOPS                |         |      1 |   9226 |      7 |00:00:00.01 |       9 |
    |*  4 |     TABLE ACCESS BY ROWID RANGE| INTSFI  |      1 |   9226 |      7 |00:00:00.01 |       5 |
    |*  5 |     INDEX UNIQUE SCAN          | PURMAR1 |      7 |      1 |      7 |00:00:00.01 |       4 |
    |*  6 |    INDEX RANGE SCAN            | INTSFI1 |      7 |     14M|      7 |00:00:00.01 |      18 |
    Predicate Information (identified by operation id):
       4 - access(ROWID>='AAADxyAAWAAHDLIAAB' AND ROWID<='AAADxyAAWAAHDLIAAH')
           filter("I"."DAVAL"<=TO_DATE(' 2008-03-12 00:00:00', 'syyyy-mm-dd hh24:mi:ss'))
       5 - access("P"."NUPUR"=1 AND "I"."COMAR"="P"."COMAR")
       6 - access("S"."COINT"="I"."COINT" AND "S"."NUCPT"="I"."NUCPT" AND
                  "S"."CTSIT"="I"."CTSIT" AND "S"."CODEV"="I"."CODEV" AND "S"."COMAR"="I"."COMAR" AND
                  "S"."DAVAL">"I"."DAVAL")
           filter(NVL("S"."RGCID",(-1))=NVL("I"."RGCID",(-1)))the above post is from Ahmed AANGOUR
    Case 1 - . If you check Plan hash value: 16772749938
    =====
    TABLE ACCESS BY ROWID RANGE| INTSFI  For every row access from INTSFI - it fetches a record from INDEX UNIQUE SCAN | PURMAR1
    If we check A-rows = 9226
    9226 * 7 = 64582 request across the table - perhaps with hint of rowid it fetches exact rows from PURMAR1
    in this case i think going for hash join with ordered hints (jonathan as you suggest go for leading hint's instead of ordered) - from INTSFI - PURMAR1 - instead of going for IN clause would get the rows that satifies the ("P"."NUPUR"=1 AND "I"."COMAR"="P"."COMAR")
    |*  2 |   HASH JOIN SEMI               |         |      1 |   9226 |      7 |00:00:05.94 |   53180 |   783K|   783K|  471K (0)|
    |   3 |    NESTED LOOPS                |         |      1 |   9226 |      7 |00:00:00.01 |      10 |    |          |          |
    |*  4 |     TABLE ACCESS BY ROWID RANGE| INTSFI  |      1 |   9226 |      7 |00:00:00.01 |       6 |    |          |          |
    |*  5 |     INDEX UNIQUE SCAN          | PURMAR1 |      7 |      1 |      7 |00:00:00.01 |       4 |    |          |          |My understanding with above plan would change to
    HASH JOIN
    TABLE ACCESS BY ROWID RANGE| INTSFI
    INDEX UNIQUE SCAN | PURMAR1
    HASH JOIN
    INDEX FAST FULL SCAN | INTSFI1
    Which migt be feasible.
    2 .
    DELETE /*+ ROWID(I) */ FROM INTSFI I WHERE
    (I.DAVAL<=TO_DATE('12032008','DDMMYYYY') AND (EXISTS(SELECT /*+ NL_SJ
    */ 1 FROM INTSFI S WHERE S.COINT=I.COINT AND S.NUCPT=I.NUCPT AND
    S.CTSIT=I.CTSIT AND NVL(S.RGCID,-1)=NVL(I.RGCID,-1) AND S.CODEV=I.CODEV
    AND S.COMAR=I.COMAR AND S.DAVAL>I.DAVAL) AND I.COMAR IN (SELECT P.COMAR
    FROM PURMAR P WHERE P.NUPUR=1))) AND ROWID>='AAADxyAAWAAHDLIAAB' AND
    ROWID<='AAADxyAAWAAHDLIAAH'Ahmed AANGOUR, modified the query by /*+ NL_SJ */ hint, Instead of that in to remove the most of the rows as we join the tables using subquery, I still doubt it
    to go push_predicate hints - still doubt it.
    Jonathan your comments are most valuable in the above two cases..
    Looking forward to calrify my understanding with concepts of indexes for above test cases
    - Pavan Kumar N

  • How does the event structure work & ...

    How does the event structure work & and how to modify the case example if you want to change the name of the case? I haven't a look at the manual but nothing about event structure is mentioned.

    I know how it works.. =P

  • How does the iMac DC 1.83 compare...

    How does the iMac DC 1.83 compare to the iMac G5 2.1?
    In real world speed.
    In real world features. ie: video frame rate, etc...
    Any REAL hardware problems pop up yet.
    Things like that.
    I an most likely to get one soon, and would like to know.
    Thanks
    -Apple //GS

    Thank you for taking the time to reply. I hope that others reply also so we can see how this new computer is next to the two G5 versions it is replacing in a real world way.
    I am happy that the DC 1.83 is no sloth when going toe to toe with the G5 version.
    Did you port over your software from the older system, and run the programs to see how things ran, or freash install them all?
    Again, thanks
    -Apple //GS

  • Cannot charge my daughter's ipod touch nor does the computer even realize it is hooked up to the USB cable

    cannot charge my daughter's ipod touch nor does the computer acknowledge that it is plugged into the USB cable.

    Not Charge
    - See:      
    iPod touch: Hardware troubleshooting
    - Try another cable. Some 5G iPods were shipped with Lightning cable that were either initially defective or failed after short use.
    - Try another charging source
    - Inspect the dock connector on the iPod for bent or missing contacts, foreign material, corroded contacts, broken, missing or cracked plastic.
    - Make an appointment at the Genus Bar of an Apple store.
    Apple Retail Store - Genius Bar
    or
    Try:
    - iOS: Not responding or does not turn on
    - Also try DFU mode after try recovery mode
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings
    - If not successful and you can't fully turn the iOS device fully off, let the battery fully drain. After charging for an least an hour try the above again.
    - Try on another computer
    - If still not successful that usually indicates a hardware problem and an appointment at the Genius Bar of an Apple store is in order.
    Apple Retail Store - Genius Bar       

  • How does the iPod organize content?

    When I manually add content to my video iPod, how does the iPod know where to put it? Does it go into Movies, Music, TV shows, podcasts, etc? Does it rely on the mp3 id tags??? If yes, can I force a movie to go into the music folder my simply changing mp3 id3 tags?
    30G video ipod   Windows XP Pro  

    1 I by its tag
    2 depends on the files tag
    3 No...mp4 and m4a files have diffrent tags then mp3s
    In iTunes 6.0.5 if you change the "VIdeo Kind" it will sort correctly. Just right click file, and in the options tab change the setting under "VIdeo Kind".
    Besides iTunes if you want to change a tag you have to use a mp4/m4a tag editor program like "YAMB ver 2 preview" it can change your tags and much more and its free http://yamb.unite-video.com/
    you can try YAMB ver 1.6 but I don't think it works very well with tags.

Maybe you are looking for