Making jar files available to javac?

Sorry, this is probably just a dumb newbie question. I'm having a problem setting up a library jar file in a windows environment. I know that this is just an issue of setting up the PATH or CLASSPATH or something else correctly but I can't seem to get it right. Any hints, suggestions, nudges or outright handholding cheerfully welcomed.
Thanks,
Frank Vandenberg

Setting the classpath isn't the same in all Windowz version.
Win95/Win98/Win98 SE/Win ME:
Here you have a c:\autoexec.bat
so you can just add the following line:
path="%jdkdir%\bin\"
if there probely already is a "path-defenetion" in your autoexec.bat in that case just add it. i.e
before: path="c:\windows\"
after: path="c:\windows\;%jdkdir%\bin\"
az you probely understand is not suppose to say %jdkdir% it suppose to say where you have it installed..
I have jdk installed in "C:\jdk1.4\"
That would for me make.
path="C:\jdk1.4\bin\"
And now if you have
Windows NT 4.0/Windows NT 5.0(Win2000)/Windows NT 5.1(Windows XP)
Here you have no autoexec.bat!
So to permatetly add the path you need to use another way ->
Deskop -> My Computer -> Controlepanel -> System -> Adcanced -> EvorimentVariables.
Here you should already have some paths-defined, and you can easiely add the path you need..but be sure NOT do remove anything unless you know what/why your doing.
Notice that i translated the deskription above..becuase my Windows is in Swedish...so the names may differ but its the same button.
Good Lyck!

Similar Messages

  • Making jar files using API

    hello!
    I m trying to make a jar file using the API. When the jar tool is used for the same manifest file, it is correctly written and an executable jar is created. When I use the API, the jar file is made but it is nor executable. Here is that part of code:
    jar = new File(parent, jarName);
    System.out.println("Executing jar command...");
    //create jar file here
    Manifest mf = new Manifest(new FileInputStream(manifest));
    fos = new FileOutputStream(jar);
    jos = new JarOutputStream(new BufferedOutputStream(fos), mf);
    BufferedInputStream reader = null;
    byte[] data = new byte[BUFFER];
    int byteCount = 0;
    for(int i = 0; i < fileNames.length; i++)
    System.out.println("Adding " + fileNames);
    FileInputStream fis = new FileInputStream(fileNames);
    reader = new BufferedInputStream(fis, BUFFER);
    JarEntry entry = new JarEntry(new ZipEntry(fileNames));
    jos.putNextEntry(entry);
    while((byteCount = reader.read(data,0,BUFFER)) != -1)
    jos.write(data, 0, byteCount);
    }//end while
    reader.close();
    }//end for
    jos.close();//close jar output stream
    fos.close();
    I m sure someone will be kind and intelligent enough to solve the problem. Thank you!
    Umer

    A jar file is simply a Zip file. So the two API's are quite similar. First, you create a CRC - that is a way to make sure that the file isn't corrupted and that all the bytes are there (it's a polynominal algorithm that returns a number which is written in the Zip(Jar) file as well). Each entry is a file or directory. Before writing any data to the Zip(Jar) file, you have to write info on the actual file (like name, path, length etc). That's why you use putNextEntry(). Each file can have it's storing methods, although the most common is to use the "default" methods (built in the ZipOutputStream/JarOutputStream)
    But in this example you set the storing methods on the entry. You use the setMethod() method to switch between either storing or compression (don't know why, but in this example you don't compress the file - you should). I myself don't use the setSize() and setCompressedSize() methods at all (and it works fine). Don't know exactly what are the implications of using them. Neither do I use the setCrc() method (If I think a little, I've only used this API once - I don't use it that much), but it's quite straightforward. It's used to check that the data is ok, and since the CRC number is the result of an algorithm, it needs to know the bytes of UNCOMPRESSED data: that's why you use crc.update() on the bytes. After that you actually write all the info set before to the Zip (Jar) file using putNextEntry(). But remember that a ZipEntry doesn't have any data. You'll have to write it yourself: thus the need for the write method: Here are two small programs I used for Zipping and Unzipping. Changing them to work for Jar files is extremely simple:
    //Zip.java
    import java.io.*;
    import java.util.zip.*;
    public class Zip
         public static void main(String[] arg)
              try
                   if (arg.length < 3)
                        System.out.println("Usage: java Zip <0-9> <zip file> <file 1> [file 2] [file 3] ...");
                        System.exit(0);
                   System.out.println("Compressing files into file " + arg[1]);
                   ZipOutputStream out = null;
                   try
                        out = new ZipOutputStream(new FileOutputStream(arg[1]));
                   catch (FileNotFoundException ex)
                        System.out.println("Cannot create file " + arg[1]);
                        System.exit(1);
                   try
                        out.setLevel(Integer.parseInt(arg[0]));
                   catch (IllegalArgumentException ex)
                        System.out.println("Illegal compression level");
                        new File(arg[1]).delete();
                        System.exit(1);
                   for (int i=2; i<arg.length; i++)
                        System.out.println("\tCompressing file " + (i-1));
                        FileInputStream read = null;
                        try
                             read = new FileInputStream(arg);
                        catch (FileNotFoundException ex)
                             System.out.println("\tCannot find file " + arg[i]);
                             continue;
                        out.putNextEntry(new ZipEntry(arg[i]));
                        int av = 0;
                        while ((av = read.available()) != 0)
                             byte[] b = new byte[av < 64 ? av : 64];
                             read.read(b);
                             out.write(b);
                        out.closeEntry();
                        read.close();
                        System.out.println("\tDone compressing file " + i);
                   System.out.println("Done compressing");
                   out.finish();
                   out.close();
              catch (Exception e)
                   new File(arg[1]).delete();
                   e.printStackTrace(System.err);
    And the unzipping app:
    //UnZip.java
    import java.io.*;
    import java.util.*;
    import java.util.zip.*;
    public class UnZip
         public static void main(String[] arg)
              try
                   if (arg.length < 1)
                        System.out.println("Usage: java UnZip <zip file> [to dir]");
                        System.exit(0);
                   String dir = "";
                   if (arg.length > 1)
                        dir = arg[1] + System.getProperty("file.separator");
                        File f = new File(arg[1]);
                        if (!f.exists()) f.mkdirs();
                   System.out.println("Decompressing files from file " + arg[0]);
                   ZipFile read = null;
                   try
                        read = new ZipFile(arg[0]);
                   catch (ZipException ex)
                        System.err.println("Zip error when reading file " + arg[0]);
                        System.exit(1);
                   catch (IOException ex)
                        System.err.println("I/O Exception when reading file " + arg[0]);
                        System.exit(1);
                   Enumeration en = read.entries();
                   while (en.hasMoreElements())
                        ZipEntry entry = (ZipEntry) en.nextElement();
                        System.out.println("\tDecompressing file " + entry.getName());
                        FileOutputStream out;
                        try
                             out = new FileOutputStream(dir + entry.getName());
                        catch (FileNotFoundException ex)
                             System.err.println("\tCannot write down to file " + dir + entry.getName());
                             continue;
                        InputStream re = read.getInputStream(entry);
                        int nRead = 0;
                        for (byte[] buffer = new byte[1024]; (nRead = re.read(buffer)) != -1; out.write(buffer, 0, nRead));
                        out.close();
                        System.out.println("\tDone decompressing file " + entry.getName());
                   read.close();
                   System.out.println("Done decompressing files");
              catch (Exception e)
                   new File(arg[1]).delete();
                   e.printStackTrace(System.err);

  • Making jar file in folder other than the working directory

    Hello!
    I am trying to make jar files by using a program. I execute jar commands at runtime. The problem is that when a command is given like this
    jar cvmf C:\HTTPS\Manifest.txt C:\HTTPS\khalid.jar C:\HTTPS\client.cer
    C:\HTTPS\Client.jar C:\HTTPS\client.keys C:\HTTPS\HelloRunnableWorld.class C:\HT
    TPS\HelloRunnableWorld.java C:\HTTPS\keytool interaction commands.txt C:\HTTPS\M
    akeJarRunnable.class C:\HTTPS\MakeJarRunnable.java C:\HTTPS\MakeJarRunnable.zip
    C:\HTTPS\Manifest.txt C:\HTTPS\myjar.jar C:\HTTPS\myjar_r.jar C:\HTTPS\Problem s
    cenario.txt C:\HTTPS\Run.bat C:\HTTPS\scompressed.jar C:\HTTPS\Security.jar C:\H
    TTPS\Server.jar C:\HTTPS\server.keys C:\HTTPS\serverexport.cer C:\HTTPS\Starter.
    class C:\HTTPS\Starter.java C:\HTTPS\Umer Farooq - What I did.ppt C:\HTTPS\Umer.jar
    The jar file is created but it has 0 bytes in it. No data is written into it, despite all the files being there.
    Thank You

    That is not the way to create jar files. Here is how you do it.
    Under say c:\ create directory "utils".
    Copy all of the *.java" files which will be part of this jar file "utils.jar". After moving files into c:\utils , make sure every single file has the first line of code as "package utils;" (without the quotes though)
    Type in "javac *.java" to compile all of the files at once.
    cd over to the parent directory and then type in
    jar cvf utils.jar c:\utils\*.class
    This will create utils.jar file under c:\

  • Making jar file for java application with third party (Crystal Report)

    Hi all,
    I'm writing a java program that integrate with Crystal Report, I can run it in JBuilder fine, but when I try to make a jar file with JBuilder and run it, it either doesn't work or give me error.
    Case 1: If i only include the "dependencies", the program run but it woun't call the report when I open it. It give me the following error:
    com.businessobjects.reports.sdk.JRCCommunicationAdapter
    com.crystaldecisions.sdk.occa.report.lib.ReportSDKException: com.businessobjects.reports.sdk.JRCCommunicationAdapter---- Error code:-2147215357 Error code name:internal
         com.crystaldecisions.sdk.occa.report.lib.ReportSDKException.throwReportSDKException(ILjava.lang.String;)V(Unknown Source)
         com.crystaldecisions.proxy.remoteagent.z.a(Ljava.lang.String;)Lcom.crystaldecisions.proxy.remoteagent.ICommunicationAdapter;(Unknown Source)
         com.crystaldecisions.sdk.occa.report.application.ReportAppSession.int()V(Unknown Source)
         com.crystaldecisions.sdk.occa.report.application.ReportAppSession.initialize()V(Unknown Source)
         com.crystaldecisions.sdk.occa.report.application.ClientDocument.for()V(Unknown Source)
         com.crystaldecisions.sdk.occa.report.application.ReportClientDocument.for()V(Unknown Source)
         com.crystaldecisions.sdk.occa.report.application.ClientDocument.open(Ljava.lang.Object;I)V(Unknown Source)
         com.crystaldecisions.reports.sdk.ReportClientDocument.open(Ljava.lang.Object;I)V(Unknown Source)
         GOV.NE.REVENUE.LB775.CRYSTALREPORT.JRCViewReport.launchApplication(JRCViewReport.java:43)
         GOV.NE.REVENUE.LB775.LB775$5.actionPerformed(LB775.java:1114)</message>
    case 2: if I include the "dependence and resources" when create jar file, then the program won't run. It gives me a message:
    Cannot find main class. Program will exit.
    But I do have the manifest.mf file that contain the main class.
    Thank you very much for any help.

    Hello, I have the same problem, did you solved it?
    Thanks

  • Making jar file for the project

    Hello Everybody,
    I have a project which has hibernate capability on and also have postgresql facility in the back-end. I have used Myeclipse to make the project which imports all the necessary libraries. Now I want to make an executable jar which will run the whole project without any compilation by only clicking the jar file. And I also want to maintain the main file as I have about 30 files.
    I need urgent help.
    Tinni

    As you are new to these forums, possibly you do not know:
    DO NOT duplicated your posts:
    http://forum.java.sun.com/thread.jspa?threadID=5262912&messageID=10094981#10094981

  • How to define new classpath of libraries while making jar files with ant

    I am useing eclipse and ant and trying to make a jar file. I have used some external jar files. I have managed to add external jar files to my jar. But Still I have a problem. In my project all libraries in lib folder. But when I put them into jar file. They are in the root folder.Classpath has changed and It couldn't find the class path.
    Is there any body knows how to define a new class path for external libraries with ANT. or How can I put my libraries into a lib folder in jar ?? I think both of them would solve my problem.
    thanks in advance.
    My code is like that, I think it requires a little modification
    <target name="jar">
            <mkdir dir="build/jar"/>         
            <jar destfile="build/jar/Deneme.jar" basedir="build/classes" >             
                <manifest>
                    <attribute name="Main-Class" value="${main-class}"/>                    
                </manifest>             
                 <fileset  dir="${lib.dir}" includes="**/*.jar"/>           
            </jar>
        </target>

    I can see why your other "question" was likely deleted. You need to drop the editorial comments and just ask a question. I believe what you want to know is how to configure something using php on your Apache server so that it can be read. If that's your question, here's a couple of places that discuss the topic:
    http://www.webmasterworld.com/linux/3345459.htm
    http://forums.macrumors.com/showthread.php?t=427742
    http://en.allexperts.com/q/PHP5-3508/configuring-installing-permissions.htm
    For a general introduction to 'nix permissions, take a look at this:
    http://www.osxfaq.com/Tutorials/LearningCenter/UnixTutorials/ManagingPermissions /index.ws
    And here's a whole book on the subject of Leopard permissions:
    http://my.safaribooksonline.com/9780321579331
    Try doing a Google search on "leopard permissions php apache" and see if you find what you are looking for.
    Francine
    Francine
    Schwieder

  • Errors in making jar file

    Hi all,
    The following is the simple bean I try to make
    import java.awt.*;
    import java.io.Serializable;
    public class SimpleBean extends Canvas
    implements Serializable {
    private Color color = Color.green;
    //getter method
    public Color getColor() {
         return color;
    //setter method
    public void setColor(Color newColor) {
         color = newColor;
         repaint();
    //override paint method
    public void paint (Graphics g) {
         g.setColor(color);
         g.fillRect(20,5,20,30);
    //Constructor: sets inherited properties
    public SimpleBean() {
         setSize(60,40);
         setBackground(Color.red);
    It is compile without problem. Now I try to make a jar file. First, I made a manifest file as follow:
    Name:SimpleBean.class
    Java-Bean:True
    and I had a carriage return at end of the file. Next, I issue
    jar cfm SimpleBean.jar manifest.tmp SimpleBean.class
    at the command line, but I got:
    java.io.IOException: invalid header field
    at java.util.jar.Attributes.read(Attributes.java:353)
    at java.util.jar.Manifest.read(Manifest.java:159)
    at java.util.jar.Manifest.<init>(Manifest.java:59)
    at sun.tools.jar.Main.run(Main.java:124)
    at sun.tools.jar.Main.main(Main.java:778)
    What did I do wrong? Please help,
    Wei

    check this http://java.sun.com/docs/books/tutorial/jar/basics/manifest.html

  • Making JAR File association under Win32

    Hi,
    Due to an agressive installation of a software on my system, I have lost my file association with jar files.
    May someone help me setting it up again without having to reinstall the jdk by giving the correct parameters. I would appreciate.
    Thank you

    * open my computer
    * select view | folder options
    * select file types
    * locate entry "Executable Jar File", and select edit
    * select actions: open, then press edit
    * browse for javaw.exe
    * After you have browsed for javaw.exe, append to the end of the path the following: -jar "%1" so it looks something like this:
    "C:\Program Files\JavaSoft\JRE\1.3.1\bin\javaw.exe" - jar "%1"
    * click OK, and your done.
    -Ron

  • Making Aperture files available in FCPX

    In FCPX  tool bar under the camera icon files that are stored in iPhoto libraries are available.  I am taking the Lynda.com tutorial by Abba Sappiro on FCPX and he states that both iPhoto and Aperture files are available in FCPX. I have Aperture on my system and it does not show up.  Any suggestions on how to make Aperture files available for import into FCPX?
    Thank you
    Kent

    Thanks Ben;
    Took your advise and downloaded the Digital Rebellion "Preference Manager".  My iPhoto icon appears but not the Aperture in my tool bar under the camera icon. 
    Any other suggestions?
    Thanks
    Kent

  • Windows 7 Offline files behaviour - automatically making 'shortcutted' files available

    I am a sysadmin with a few Windows 7 Professional machines in our network.
    The current setup for our users is folder-redirection, with offline files enabled for users with laptops (some of which are said Win7 users).
    This works fine, just, any shortcut files that are in the users profile (that are made available offline) make the target of the shortcut available offline aswell. Though I see the benefit of this, it is not a behaviour we want.
    For example if user 'dave' has a shortcut on \\server1\users\dave\desktop, that points to \\server2\files\shortcut_target.doc (i.e. a directory we don't want to have offline file behaviour with) - it will make both files available offline.
    I'm positive it is related to shortcuts, as the files are always shortcutted somewhere in the users profile and the majority of these files come from word's recent documents folder, and other similar folders for different program.
    If theres anyway to change this behaviour please let me know, even if it is just a registry edit.
    Thanks Dan

    Hi,
    “For example if user 'dave' has a shortcut on
    \\server1\users\dave\desktop, that points to
    \\server2\files\shortcut_target.doc (i.e. a
    directory we don't want to have offline file behaviour with) - it will make both files available offline.”
    Based on my knowledge, Windows only synchronous the shortcut in this offline folder. What do you mean “it will make both files available offline.”
    For further research, I suggest you may enable sync log and try to repro this problem. Then move to Event Viewer -> Applications and Service Logs ->
    Microsoft -> Windows -> OfflineFiles, right click SyncLog and chose “Save all event as…” to export these event log.  Here is my e-mail:
    [email protected].  You could contact me, then
    I would assist you for this problem.
    Please refer following to enable SyncLog:
    How to enable the "SyncLog Channel"
    ===========================================
    Offline Files defines four event channels through the Windows Event Viewer.
    The channels are listed under the following hierarchy in the left-most pane of the viewer,
    Event Viewer -> Applications and Service Logs -> Microsoft -> Windows -> OfflineFiles
    If you see only one channel in the event viewer it will be the "Operational" channel. The remaining channels are known as Analytic or Debug
    channels. The Windows Event Viewer does not display these additional channels by default. They must first be enabled.
    To enable Analytic and Debug logs, highlight the "OfflineFiles" entry in the Event Viewer left pane. Select the "View" menu and check the
    option titled "Show Analytic and Debug Logs".
    While four channels are defined, only two are currently in use in Windows 7.
    SyncLog Channel
    ================
    This channel is of the "Analytic" type as defined by the Windows Event viewer. Because this is an "Analytic" channel, you must enable the
    channel before events are generated to the associated log. To enable this channel, right click on the "SyncLog" entry in the left pane of the Event Viewer. Select the "Enable Log"
    option.
    This may also be configured using the channel’s Properties page, also accessible through the Event Viewer. When you no longer want
    to collect SyncLog events, disable the channel using the same method ("Disable Log" option).
    The purpose of this channel is to generate events specific to synchronization activities within the Offline Files service.
    This may be helpful when questions arise about why a particular item is or is not being synchronized or questions about why a particular
    sync operation is failing.
    Please remember to click “Mark as Answer” on the post that helps you, and to click “Unmark as Answer” if a marked post does not actually answer your question. This can be beneficial to other community members reading the thread. ”

  • Making JAR file visible to code in JDeveloper

    Hi. We're using JDeveloper 9.0.5 (planning soon to upgrade to latest version) and need to get a JAR file visible to code in a Java file. The JAR file is for the Java Advanced Imaging API, JAI_WINDOWS-I586.JAR
    What do we need to do to get this working? Thank you.

    Thanks, Frank. Finally got it working. The issue was this: The JAI API has 4 different JAR files for each platform. I'd downloaded one that contained an exe; I needed the one for the CLASSPATH installation.

  • Problem in making "jar" file

    Hi ,
    I have to compile , preverify and make jar file using a set of J2ME files.
    And i have completed the first 2 steps (compiling and preverifying).
    I used this code to make jar file:
    jar cvfm F:\Mobile_Magazine_IDE\xxx_test3\Magazine.jar F:\Mobile_Magazine_IDE\xxx_test3\src\MANIFEST.MF  -C  F:\Mobile_Magazine_IDE\xxx_test3\preveryclasses\  . -C F:\Mobile_Magazine_IDE\xxx_test3\src\images\  .
      boolean compile_n_print_output_to_console(String command){
        boolean isCompiled = false;
        try {
          txa_console_output.setText("");
          Runtime runtime = Runtime.getRuntime();
          Process proc = runtime.exec(command);
          InputStream stderr = proc.getErrorStream();
          InputStreamReader isr = new InputStreamReader(stderr);
          BufferedReader br = new BufferedReader(isr);
          String line = null;
          while ( (line = br.readLine()) != null)
            txa_console_output.append(line + new_line);
          int exitVal = proc.waitFor();
          //If this returns any value other than zero ... compilation failed
          if(exitVal!=0){
            call_error_message("Compilation failed ");
          //If this returns zero ... compilation is successful
          else if(exitVal==0){
            isCompiled = true;
            call_info_message("Build successful !");
        catch (Exception ex) {
          isCompiled = false;
          System.out.println(ex);
          com.zone.logger.LoggerClass.log_output(ex);
        return isCompiled;
      }The program is generating the jar file but it does not return a boolean value.
    I think it's because it has not completed the process.
    But no exception is shown.
    I used the same code to compile and preverify , and they work fine.
    And one more thing when i use the same source code and compile those using well known IDE it compiles and works without a problem.
    Can anyone tell me where i have done the mistake ?
    Thanks in advance !

    http://www.javaworld.com/javaworld/jw-12-2000/jw-1229-traps.html

  • Making a file available once e-learning has been published

    Hi,
    I am using Captivate 5.5 to make e-learning. I'd like to include a PDF file but once I publish it to our MOODLE system the PDF file is no longer accessible. What am I doing wrong/what should I be doing?
    Thanks,
    Emma

    Hi,
    In the e-learning I am inserting a button, which when clicked is meant to 'open URL or File'. What I would like to happen, is when this button is clicked it opens up a PDF document (which will be a certificate).
    When I then publish the e-learning to a zip file (ready for uploading to our MOODLE VLE platform), I don't know what to do with the PDF to ensure that it opens once the e-learning is viewed in the VLE.
    It appears I have to save it somewhere, but where would that be? I've tried saving it in the zip file which is the e-learning package, but it says the document cannot be found. I've tried putting the e-learning package and the PDF in a folder but when I try to upload it to our VLE I get told ' imsmanifest.xml or AICC structure'
    Thanks,
    Emma

  • Runtime.exe() is not working from within a jar file.

    Hi All,
    I have a jar file which have classes and a package in it.
    One of these classes is calling another class which is present in the package.
    The code i am using it is as follows:
    Runtime r=Runtime.getRuntime();
    Process p=null;
    p=r.exec("java deep.slideshow.PlayShow");It is working fine when i am executing it without making jar file.
    But when i make a jar file of all these things , this exec() is not working.
    I have tried a lot.
    If any body has any idea suggest me.
    Thanks

    thanks a lot for your reply friend.
    I tried the same you tell me to do by using the cmd;
    java -cp my.jar package.class  And then tried to make the jar file with the help of eclipse,
    after adding my jar file into classpath of my project in eclipse.
    Its working fine on my local system.
    But when i put this jar file on some other system it does not call my jar file(obviously bcz it will not the find the jar file according to the classpath set on my local system. )
    Is there any way that i can keep this jar into my project and then can give the classpath dynamically
    so that it can pick the file from my project automatically.?
    Later on i will pack this whole thing into a full jar file and it will work on a single click.
    Is it possible or not ?
    Please suggest me.
    Thanks

  • Problem while creating JAR file for my swing application

    Hi...
    Using my swings application I am trying to Run different software�s .
    My program is Running fine from command prompt. If I create JAR file
    It is giving error like �Failed to load Main-Class manifest attribute from .jar�
    Can anybody help me to creating JAR file
    Thanks in advance
    Cheers
    Mallik

    hi,
    User following command
    jar-cmf textfile_name.txt Jarfile_name *
    here you have to make manifest file
    and making jar file you have reach there by command promt
    and manifest file have some constraint also as well as format
    format are
    Manifest-Version: 1.0
    Class-path: jar file name which are using in app separed by space
    Created-By: 1.5.0 (Sun Microsystems Inc.)
    Main-Class: Main class name
    and end of file is not have carriage return

Maybe you are looking for

  • Measuring 3d profile of wrinkles

    I have an experiment where I generate wrinkles on the sureface of thin elastomer sheets. I am currently researching methods by which I can measure the 3d profile of the wrinkles. Does LabView have the capability of doing this? What do I need to get s

  • Reg: PO Change Items

    Hi, I have the requirement to display Only changed Purchase order details including Header and line items. 1.Get all the line items number for the given PO. 2.Get what are the changes that have been made before and after to the PO.  2. Change order a

  • Data Source Password

    Hi, is there any way to hide datasource password?. If I see the file data-source.xml I can see the user, password and database host/sid. For client pilicies I can have clear password in files. Thanks. Carlos

  • Load and display image using CDC

    Hi everyone, Please help. I'm new to java. I need a simple routine to load and display an image from the file system into a CDC app on windows mobile 5. I'm usin creme 4.1. Thanx in advance

  • Ipad 2 Microphone is BROKEN !!!

    As plenty of poeple out there,after just 2 years of life the microphone of my iPAD 2 32 Gigabytes DIED. No privacy settings issues, just hardware damage. The vacuum cleaner workaround fixes it for just a few hours then has to be redone. And just for