Please help I am stuck at "not a DSA public key"

Hi
I am just starting with the certificate/security API so this may be a naive question. I have a certificate,private key signature & data from a third-party. I am using following program to verify the signature.
import java.io.*;
import java.security.*;
import java.security.cert.CertificateFactory;
import java.security.cert.X509Certificate;
import java.security.spec.*;
import java.util.Collection;
import java.util.Iterator;
class VerSig {
    public static void main(String[] args) {
        /* Verify a DSA signature */
        if (args.length != 3) {
            System.out.println("Usage: VerSig publickeyfile signaturefile datafile");
        else try{
            InputStream inStream = new FileInputStream(args[0]);
            CertificateFactory cf = CertificateFactory.getInstance("X.509");
            Collection c = cf.generateCertificates(inStream);
            Iterator i = c.iterator();
            X509Certificate cert = null;
            while (i.hasNext()) {
                cert = (X509Certificate)i.next();
            inStream.close();
            PublicKey pubKey = null;
            if (cert != null)
                pubKey = cert.getPublicKey();
            // create a Signature object and initialize it with the public key
            Signature sig = Signature.getInstance("SHA1withDSA","SUN");
            sig.initVerify(pubKey);
            // Update and verify the data
            FileInputStream datafis = new FileInputStream(args[2]);
            BufferedInputStream bufin = new BufferedInputStream(datafis);
            byte[] buffer = new byte[1024];
            int len;
            while (bufin.available() != 0) {
                len = bufin.read(buffer);
                sig.update(buffer, 0, len);
            bufin.close();
            //input the signature bytes
            FileInputStream sigfis = new FileInputStream(args[1]);
            byte[] sigToVerify = new byte[sigfis.available()];
            sigfis.read(sigToVerify );
            sigfis.close();
            boolean verifies = sig.verify(sigToVerify);
            System.out.println("signature verifies: " + verifies);
        } catch (Exception e) {
            System.err.println("Caught exception " + e.toString());
} First of all :
1) I wrote "Signature sig = Signature.getInstance("SHA1withDSA","SUN");" because somewhere in the certificate, I saw Signature Algorithm: SHA1withDSA. Is this correct?
2)I am getting following exception after
Signature sig = Signature.getInstance("SHA1withDSA","SUN");"
sig.initVerify(pubKey);
Caught exception java.security.InvalidKeyException: not a DSA public key: algorithm = SHA1withDSA, params unparsed, unparsed keybits =
0000: 02 41 00 91 89 17 2D 83 2D 19 51 96 8F D3 A7 CE .A....-.-.Q.....
0010: 33 E7 B0 1F 6C 79 F4 91 3E B5 5E 81 92 42 65 BA 3...ly..>.^..Be.
0020: 56 F8 8B F4 FF 54 4F D6 ED 38 A4 71 BD BE D4 69 V....TO..8.q...i
0030: 21 02 E3 CD 48 96 BC B3 14 F4 42 90 4D 38 5C 78 !...H.....B.M8\x
0040: D3 26 58 .&X
what am I doing wrong?

Hi,
I am getting the same issue using JDK 1.4.2 regarding the "not a DSA public key" error.
I also tried using Bouncy Castle instead, but also fail at the verify step (although with a slightly different error):
"java.security.NoSuchAlgorithmException: no such algorithm: SHA
1with1.3.14.3.2.27 for provider BC"
My initial attempt using the Sun classes looks very much like the original example above. My Bouncy Castle implementation looks like:
Provider bc = new BouncyCastleProvider();
Security.insertProviderAt( bc, 1 );
try
// read PKCS#7 data from input stream
CMSSignedData sig = new CMSSignedData( request.getInputStream() );
CertStore certs = sig.getCertificatesAndCRLs( "Collection", "BC" );
SignerInformationStore signers = sig.getSignerInfos();
Collection c = signers.getSigners();
Iterator it = c.iterator();
while (it.hasNext())
SignerInformation signer = (SignerInformation)it.next();
Collection certCollection = certs.getCertificates( signer.getSID() );
Iterator certIt = certCollection.iterator();
X509Certificate cert = (X509Certificate)certIt.next();
logger.debug( "Cert = " + cert );
logger.debug( "Cert Sig Alg = " + cert.getSigAlgName() );
logger.debug( "Pub Key Alg = " + cert.getPublicKey().getAlgorithm() );
if ( signer.verify( cert, "BC" ) )
logger.debug( "Verified!" );
else
logger.debug( "Not verified." );
catch( Exception e )
e.printStackTrace();
return e.getMessage();
and provides the following output:
2006-04-26 14:06:46,882 - Cert =
[0] Version: 1
SerialNumber: 0
IssuerDN: CN=ID3
Start Date: Tue Sep 30 20:00:00 EDT 1997
Final Date: Thu Dec 31 19:00:00 EST 2037
SubjectDN: CN=ID3
Public Key: DSA Public Key
y: 9189172d832d1951968fd3a7ce33e7b01f6c79f4913eb55e81924265ba56f88bf4ff544fd6ed38a471bdbed4692102e3cd4896bcb314f442904d385c78d32658
Signature Algorithm: SHA1withDSA
Signature: 302c0214163774149d7a9ac672aa6beb0af7c5b1
bee965be02144c9bf7da70a24dc644f788a8096e
9ed1f1777741
2006-04-26 14:06:46,882 - Cert Sig Alg = SHA1withDSA
2006-04-26 14:06:46,882 - Pub Key Alg = DSA
06/04/26 14:06:46 java.security.NoSuchAlgorithmException: no such algorithm: SHA
1with1.3.14.3.2.27 for provider BC
06/04/26 14:06:46 at java.security.Security.getEngineClassName(Security.java:723)
06/04/26 14:06:46 at java.security.Security.getEngineClassName(Security.java:693)
06/04/26 14:06:46 at java.security.Security.getImpl(Security.java:1132)
06/04/26 14:06:46 at java.security.Signature.getInstance(Signature.java:218)
06/04/26 14:06:46 at org.bouncycastle.cms.CMSSignedHelper.getSignatureInst
ance(CMSSignedHelper.java:171)
06/04/26 14:06:46 at org.bouncycastle.cms.SignerInformation.doVerify(Signe
rInformation.java:261)
06/04/26 14:06:46 at org.bouncycastle.cms.SignerInformation.verify(SignerInformation.java:494)
...truncated...
I see that the original post is quite old. Was anyone able to figure out the issue? What am I missing?
Thanks,
Brian

Similar Messages

  • I have an ipod 2g , The keyboard won't work! Or at least some of it's letters and numbers won't. please help i'm stuck with emojis

    i have an ippd touch 2g , a part of my keyboard won't work , i can type letters but i can't type numbers . please help i'm stuck with emojis keyboard

    Try restarting the iPod by holding down the lock and home button together and then slide the power button to turn it off and then wait 10 seconds and start it up again. If it is not a reset issue then it may be a hardware issue. Is your iPod damaged or have you dropped it recently? If it is a hardware problem then you may not be able to fix it. If your iPod has multitasking options like the new iOS devices, close out the app and then try again, it should reset your device to letters instead of emojis.

  • HT201628 can someone please help .. my ipod is not recognized by itunes in windows XP .. i've uninstalled and re-installe i tunes about 10 times now to no avail ?? thank you .. dave

    can someone please help .. my ipod is not recognized by itunes in windows XP .. i've uninstalled and re-installe i tunes about 10 times now to no avail ?? thank you .. dave

    Start here:
    iOS: Device not recognized in iTunes for Windows

  • Can someone please help a friend of mine get a permanent registration key (not a trial key that expires in 30 days) to replace his lost registration key for Adobe Photoshop CS2? His previous hard drive crashed and he no longer has his registration key. Th

    Can someone please help a friend of mine get a permanent registration key (not a trial key that expires in 30 days) to replace his lost registration key for Adobe Photoshop CS2? His previous hard drive crashed and he no longer has his registration key. This is vital for his wedding business.

    Thanks to everyone for the tips on my CS2 question. It turns out in the end it was some plug-in filter software that was causing the glitch, not a lack of an Adobe registration key. As for why he still uses CS2, it does the job for him, so that's all he needs.

  • Hi, After I installed Mac Lion, I have problem with the tamil font while typing in Neo Office. Especially with the letters "e-Ex: தெ" and "ai-Ex:தை". Please help me I know its not bug from Apple It shd be some problem in neo.

    Hi, After I installed Mac Lion, I have problem with the tamil font while typing in Neo Office. Especially with the letters "e-Ex: தெ" and "ai-Ex:தை". Please help me I know its not bug from Apple It shd be some problem in neo.

    Is your problem due to the keyboard or to NeoOffice Characters? You have to change probably the font. Not all fonts are supporting all Unicode sets. Which font you have in your NeoOffice set to write Tamil? Try with Arial Unicode MS for example.
    Are the letter e-Ex and ai-Ex right in your posting? If they are right, how you inserted these letters in your posting? By copy and paste or by typing? If by typing, your question is related to NeoOffice. Probably you should reinstall or update NeoOffice? Or switch to OpenOffice?
    marek

  • HT1766 please help my ipad min is not working on the scren it says iPad disabled connect to itunes

    please help my ipad min is not working on the scren it says iPad disabled connect to itunes

    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

  • Please help i am stuck o this point for a long time now

    I have posted the same problem several time, sorry for bothering people here but i am really stuck here. If anybody needs more information please let me know.
    I have my project deployed on Godaddy.com, I uploaded the .war file and it exploded well too. it is deployed here,
    http://www.cynosuredev.com/njit/faces/index.jsp
    it returns null pointer when typed anything in the box. I am using a4j (ajax4jsf), when I see the error logs following is what i get. The project works perfectly on my own tomcat server.
    Please Help
    [Thu Jan 18 10:49:56 2007] [error] [client 64.253.48.104] File does not exist: /var/chroot/home/content/s/a/p/sapanaprikh18/html/njit/theme/com/sun/rave/web/u i/defaulttheme/javascript/formElements.js
    [Thu Jan 18 10:49:56 2007] [error] [client 64.253.48.104] File does not exist: /var/chroot/home/content/s/a/p/sapanaprikh18/html/missing.html
    [Thu Jan 18 10:49:56 2007] [error] [client 64.253.48.104] File does not exist: /var/chroot/home/content/s/a/p/sapanaprikh18/html/njit/theme/com/sun/rave/web/u i/defaulttheme/css/css_master.css
    [Thu Jan 18 10:49:56 2007] [error] [client 64.253.48.104] File does not exist: /var/chroot/home/content/s/a/p/sapanaprikh18/html/missing.html

    Mod_jk basically is the connector between Apache HTTPD server (can not handle JSP) and Apache TomCat (send outs JSP pages. Basically with Mod_jk you are setting Tomcat to listen to the HTTPD server for JSP requests. There are many manual and web sites avaiable for this.
    http://www.newmedialogic.com/tutorials/apache/mod_jk
    http://tomcat.apache.org/tomcat-5.0-doc/config/http.html
    http://tomcat.apache.org/connectors-doc/miscellaneous/faq.html
    http://tomcat.apache.org/faq/connectors.html
    Its a big undertaking but the results are great.
    Creating an Apache - Tomcat Connector
    Step 1:
         Have Fun...
    Step 2:
         Download the source from Apache's web site
         http://tomcat.apache.org/connectors-doc/index.html
    Step 3:
         Download Tomcat 5.5
         http://tomcat.apache.org/
    Step 4:
         Download Java
         http://java.sun.com/javase/downloads/index_jdk5.jsp
    Step 5:
         Use the source files from the apache connector download to build the mod_jk.so file.
         We do this by using the c++ command line compiler or the guey compiler
         The location is relative to where you installed or placed the download source code
         For example my location is as follows:
         C:\apache13\tomcat-connectors-1.2.20-src\native\apache-1.3 (the actual project file is,mod_jk.dsw)
         Through the guey is easy just select the rebuild from the build menu.
         It should build if you remebered to set your environmental variables
         For Example
              Java_home = C:\Program Files\Java\jdk1.5.0_10
              Apache1_home = C:\apache113\Apache (this would be apache2 for version 2 of Apache)
         I also had to even though my environmental variable was set,
         had to copy and past a file (jni.h) locally into the the following directory;
              C:\apache13\tomcat-connectors-1.2.20-src\native\apache-1.3
         Within the Apache Directory I had to change a couple of the library names of some of the files
         to relect what files the source compile was looking for
         I also downloaded the latest apache server and wehn i was building the connection in C++
         Linked to 2 files and changed there names as these files were not in the version of Apache I was using
         and that is why the names had to be changed of the following 2 files
         libaprutil-1 changed to libaprutil
         libapr-1 changed to libapr
    Step 6:
         Once successfully built move the mod_jk.so from this directory
         C:\apache13\tomcat-connectors-1.2.20-src\native\apache-1.3\Release
         to C:\apache113\Apache\modules\ directory
    Step 7:
         Use the Depends Tool (C:\Program Files\Microsoft Visual Studio\Common\Tools\depend.exe) to see if the
         .so files can find all of the associated .dlls. If the program cannot you may need to import (copy & paste) into the
         directory which the mod_jk.so is looking for it. .
         For Example the issue I had was the following 2 .dlls where in the wrong directory
         Win9xConHook.dll
         ApacheCore.dll
         The mod_jk.so was looking for this in its current directory (C:\apache113\Apache\modules)
    Step 8:
         You must modify the httpd.conf file (C:\apache113\Apache\conf directory) by adding the following line:
         Include "C:/Program Files/Apache Software Foundation/Tomcat 5.5/conf/auto/mod_jk.conf"
         This .conf file is created when Tomcat is started so dont fret if its not built...
    Step 9:
         In the Tomcat directory you must edit the server.xml file
         (C:\Program Files\Apache Software Foundation\Tomcat 5.5\conf)
         Right below the following tag add the listner tag
              <Server port="8005" shutdown="SHUTDOWN">
              <Listener className="org.apache.jk.config.ApacheConfig"
              modJk="C:/apache113/Apache/modules/mod_jk.so"/>
              **** This pathing must point to the mod_jk.so file***
         Right above the following tag add the listner tag
              </Host>
              <Listener className="org.apache.jk.config.ApacheConfig"
              modJk="C:/apache113/Apache/modules/mod_jk.so"/>
              **** This pathing must point to the mod_jk.so file***
              <Listener className="org.apache.jk.config.ApacheConfig"
              append="true"
              forwardAll="false"
              modJk="C:/apache113/Apache/modules/mod_jk.so"/>
              **** This pathing must point to the mod_jk.so file***
         Please create a folder in the conf directory and call it jk
         within this new directory you will create the following file
         workers.properties
              With in this file, please place the following code
                   worker.list=ajp13
                   worker.ajp13.port=8009
                   worker.ajp13.host=localhost
                   worker.ajp13.type=ajp13
    Step 10:
         Run Tomcat
         To see if its started and running properly
         http://localhost:8080/ (you should get the Tomcat webpage if you did it right)
    Step 11:
         Wait 30 Seconds and then start Apache
         To see if its started and running properly
         http://localhost
    Step 12:
         If both services are running then try this to ensure that the jsp are running correctly
         http://localhost:8080/jsp-examples/index.html (test tomcat)
         http://localhost/jsp-examples/index.html (test Apache)

  • PLEASE HELP ME MY IPOD WILL NOT SYNC !!!!!!!!!!!!!!

    OK SO I DID HAVE THREE THOUSAND SONGS IN MY ITUNES BUT A RECENT SOFTWARE UPDATE TO BY IPOD TOUCH BY ITUNES HAS COMPLETLY WIPED EVERYTHING FROM MY LIBRARY!!!!!! SOO I HAVE NOW DOWNLOADED ITUNES AGAIN ONTO A DIFF LAPTOP AND ONCE AGAIN DOWNLOADED SOME SONGS INTO MY LIBRARY...... HOWEVER WHEN I PLUG MY IPOD INTO USB ITS NOT SYNCING AND MY SONGS ARE NOT DOING ONTO IPOD !!!!!!!!!       I HAVE TRIED RESTORING TO FACTORY SETTINGS AND CLICKING THE AUTHORIZE COMPUTER TAB AND STILL NOTHING ...........                 PLEASE HELP                    !!!!!!!!!!!!!!!!!!!!!!!                
    ALL IT SAYS IS IMPORT PICTURES AND VIDEOS BUT DOESNT SAY ANYTHING ABOUT SYNCING MY SONGS .........................

    Firt make sure y ohave the right setting checked for syncing:
    iTunes 11 for Windows: Syncing overview
    iTunes 11 for Windows: Set up syncing for iPod, iPhone, or iPad
    Next try this:
    Syncing to a "New" Computer or replacing a "crashed" Hard Drive: Apple Support Communities
    The iPod does appear i iTunes right? If not:
    iOS: Device not recognized in iTunes for Windows
    You are really not giving us much information like what happens when you try to sync.

  • Itunes  please help with functions (possible or not???)

    Hello
    I´m sorry that my questions are a little long - but please please i´m new with IPod and ITunes - and well at the moment i feel like if i had known how unorganized ITunes is and that i can´t acces the data on my IPod directly i would perhaps not have bought the IPod at all... (but perhaps - i really really hope so - i just cant find out HOW to do all i want and it IS possible after all...) so please take the time and if you know the ansers tell me how to do that...
    Since yesterday i have an IPod classic but unfortunately my own computer has only Windows 2000 - so i have to sync/transfer the Data from my Mom´s PC and so i have to delete the data on her PC after i got them on the IPOD once (and the should stay there untill i´m ready to delete them...)
    1)
    a) what happens if i sync my ITunes/Ipod and i allready deletet most of the music on my moms PC - will the music on the IPod be deleted too? - If yes can i prevent that? (how?)
    b) can i manually choose which titles i want to add/remove to/from my Ipod? i can´t see any way at the moment !!!
    I can see a kind of inventory list of my IPod but i can´t find out how to move Data on/in the folders of the IPod - only by synchronisation - now i know i HAVE allready Data on the IPod but every folder in Itunes of my Ipod is Empty... so how can i acces these data please???
    2)
    My second Problem ist that i can´t find out how to "sort" my chaotic 10.0000 (ok ok not so many right now but getting there some time) different Music-Data into different folders - ok i could add them to diffrent playlists - but one of the main Problems is the fact that many of my data are not properly classified so i need to organize the music so that i "see" only the Music from one particulary folder of my harddisk (then uppdate those information like adding all data from that Folder to a personal "album" or similar...) and every time i add a folder to the mediathek all the songs (different artist, different albums, different everything or missing information) are then spread out all through the music folder and i have to manually search for every single on and then manually add it to a playlist which is more timeconsuming than it is worth it...
    So please help me - HOW DO i make new Folders (NOT PLAYLISTS!!!) in which to sort the music??? so i do not have only ONE Music-Folder but perhaps 2, oder 3 or later more subfolders under the music-Folder?
    If that is really not possible - can i then at least sort my music after path-name (haven´t found out how to do that either yet...)
    3) I have a folder audibooks (which is really really great since i´m an audible customer and have moren then 40 audiobooks allready...) and my audible audiobooks are all added to that folder...
    But i have a few Other Audiobooks in MP3-Format (from MP3 DVD/ and a few CD´s formated as MP3) and even after i uppdated the information so it say´s now audibook in Type - i just can´t find out how to transfer those audibooks to the audiobooks folder (they stay in music-folder and are not found by Ipod as audibooks - only accessible under music with type audibooks which really ***** because that is unnecessary complicated... )
    so how do i get thos books in the audiobooks folder please?
    I hope anyone can help me...
    best regards
    Skarinija
    Message was edited by: Skarinija

    Thanks very much that takes care o my Question 1:
    It really is a great relief so now i know can sync the IPod manually - basically i tried the right things but in the wrong order - lol so i accidently deletet everthing on the IPod again and then i was staring on the blank inventory of my Ipod and wondering why i could not access the music that should be there...
    Still anyone knows an answer to question 2 and 3
    2) is it possible to "sort" Itunes in subfolders - so i can acces only one folder at a time
    3) Is ist possible to somehow classify any type of MP3/similar Data as "audibook" so that Data will show up as audibook on the Ipod? (not as music with type audiobook)
    mfg
    Skarinija

  • Please help me out here-the Notes folder.

    Okay, the other day I decided to use the 'Notes' folder on my Apple iPod nano 4GB White English. I followed the instructions as given in the "iPod Features Guide."
    I dragged two text documents, "Why Does God Exist.doc" and "The Retrosexual Code.doc" into the folder.
    NOTE: This is not a storage capacity issue: text documents are in megabytes at the most, and I have at least 3GB left.
    Anyways, I unplugged my iPod and turned it on.
    I went to "Notes" and saw the three things, "Instructions" (obviously) and "Why Does God Exist.doc" and "The Retrosexual Code.doc". I open up "Why Does God Exist.doc" and lo and behold, only the following indecipherable meaningless (to me, at least) string of characters appears:
    Diaj+a, except each of them had the following weirdness:
    D -line through the straight part
    i - to dots
    a - tilly like this: \ over it
    + - it is sitting on top of a line
    a - tilly like this: / over it
    Anyways, if anyone knows what this means, how I can fix it, and how I can put the "Notes" folder to good use, please help.
    Thanks in advance!
    -Kevin_Ahab

    The iPod's Notes feature will only accept plain text files, which have an extension of .txt, not .doc. Use a program such as Notepad to create plain text documents. Only the first 4096 characters of any note will be recognized, and only 1000 notes will be displayed.
    (13729)

  • HELP!!!!...please help me...ipod not working

    my uncle bought me an ipod as a gift for me couple of months ago..and for about 5 months, i was able to upadte songs into my ipod using the MAC OSX...but now, i got a new labtop and has windows XP, i installed the CD and downloaded itunes 7.01..
    then when i connect my ipod with the USB, it reads the following:
    DO NOT DISCONNECT
    and my computer cannot read the ipod...i always have to reset it to listen to my songs, but i cannot update new songs..
    PLEASE HELP ME!!!!

    OK first see this article...
    http://docs.info.apple.com/article.html?artnum=61672
    One thing to note is that you can format the iPod as FAT32 (Windows format) and it "may" work on your Mac. So one thing you might try is plug it into the Windows machine and follow the directions here...
    http://docs.info.apple.com/article.html?artnum=60983
    Now that it is reformatted for Windows, go into the preferences and click on the iPod and click the box to "Enable Disk Mode". Now, take it and plug it into the Mac.
    It hopefully will show up on your Mac's desktop as a disk drive. You can grab your iTunes folder and drag it into the iPod to copy everything over onto the iPod's hard drive. Eject, move it back to the Laptop, open the iPod as a disk drive, and copy the iTunes folder onto your Laptop. You should now be able to add all your stuff to the iTunes library on that computer.
    Then delete that folder out of the iPod to free up room and then sync the iPod to iTunes on the laptop.
    How to use your iPod to move your music to a new computer
    http://docs.info.apple.com/article.html?artnum=300173
    Patrick

  • PLEASE HELP ME! Ipod touch not recognised!

    I have a white 20gb ipod and have been usin i-tunes for about 2 years.
    I bought a new itouch as an Xmas present and wanted to put my music on it so it was ready to go on Xmas morn.
    When I plug it into laptop, it recognises a device, then says my ipod camera is connected!!!!!!!!!
    NOTHING is happening in itunes.....there's no device recognised!
    Do I need a new version?
    If I download version 7.5 will I lose my current library of over 6,000 songs?
    Please help me someone!!!!!

    Hello and Welcome to Apple Discussions. 
    You should download the latest version of iTunes. This will not affect the contents of your library (but you should always have a backup of data that's important to you! )
    Cheers
    mrtotes

  • Please help me my phone will not do anything screen just blank was working 15min previous??

    Please help me!!!!! My phone was working went to it 15min later and screen blank wont do anything tried turning it on, battery was not flat????

    Try a reset by pressing and holding the sleep/wake button and the home button for 20 seconds (maybe longer) until the Apple logo appears, ignore the red slider.  Then turn back on. You won't lose any data doing the reset.

  • Please help!! Laptop is not working and needed for homework!!!

    I have a Toshiba laptop. The model is Satellite A215-S5837. The problem I have is this. Starting this morning when I turned on my laptop it was black for 10 minutes and then it starts loaing files. After it is finished loaing it goes to the regular Windows Vistas is loading screen. Then it goes black again and after 10 more minutes the mouse cursor shows up an nothing else. It nevr gets to the welcome screen where I can log on. It just stays black with a mouse cursor that responds when I move it. Please help quickly because I have homework ue soon for my summer class and I need to finish it tommorrow else I fail.
    P.S. Please don't tell me to restore my computer because I don't have my restore disk with me because I am currently studying abroad.

    Re: Please help, printer is not working "ink system failure" 
     12-13-2009 02:52 AM
    Please help, printer is not working "ink system failure" 
     13
    -12-2009 02:29 AM
    Hi,
    Any help appreciated.  My printer is Photosmart C7288 All-in-One Printer.
    As of 2 days ago my printer has not been working. It comes up with several error messages after I switch it on. The first one is "Ink system failure: Ink system has failed. Unable to copy, recieve faxes or print. Refer to printer documentation. Error: 0xc18a0105. Turn power off then on again." 
    However when I turn power off then on again via the 'power' button, ".ink system failure Then the same original error message comes up (0xc18a0105). This is the most frequent error message and won't go away. Then I also keep getting a message saying "Photo Tray Problem: Lift output tray up, verify the photo tray is pushed in until it stops, lower output tray". Despite the fact that I have not used the photo tray in several months and it is in the correct position. 
    So far I have tried switching the printer on and off several times using the power button. I also switched the printer off at the plug last night (after it had been properly shut down) and switched it back on this morning. I have looked through the printer documentation but could not find any troubleshooting advice for this kind of problem. I have updated the HP driver using software update on my mac, and the problem is still there. 
    I'm getting desperate now, I rely on my printer/scanner/photocopier a lot!
    Thanks
    karaman bera

  • Please help CS 4.2 will not import ANY video file

    I've been working for days to get this fixed. Everything installs fine software wise and I am using a
    Matrox RTX2 for capture/playback but Prem CS4.2 will not import any video file type.
    My system is up to spec.
    I've seen this problem discussed but none of the (many) suggested solutions have helped.
    I've uninstalled and re-installed the OS and clean install multiple times and still I get "file format not supported" with EVERY file type.
    Please help!
    Brian

    Brian,
    Welcome to the forum.
    When issues occur with Matrox cards, updating its drivers often fix things.
    If you create a non-Matrox Project, can you then Import AV files?
    Good luck,
    Hunt

Maybe you are looking for