Starting Your Program

Well, i do not entirely wish to have an exe file of the java code, although obfuscating the class files a bit would be good (stupid java code too easy to decompile).
What i wish to have is a program that looks good (proffesional) and easy to start and use.
I want it to work like a normal program. Download a file, click it and use some install shield to pack it up and add it to desktop and start menus.
But now... i wish to have a nice looking icon for the program, and an "exe" file which you can click to start.
Using a .bat file to start the program looks really, really, really stupid and unproffesional.
How do i fix this? Any suggestions?

Decompiling java code can be very instructional. But let's not go there...
I assume you want something free, or else you wouldn't be posting here. You're in luck...I'm here tonight :)
Obfuscation: RetroGuard (http://www.retrologic.com/)
Installer: InstallAnywhere Now! (http://www.zerog.com)

Similar Messages

  • I have installed Adobe Premiere Pro cc on my laptop, but I cant find a way to start the program. No Icon, and it is not showing up in the start meny. It is showing up in add/remove programs, but nt anywhere else.

    I have installed Adobe Premiere Pro cc on my laptop, but I cant find a way to start the program. No Icon, and it is not showing up in the start meny. It is showing up in add/remove programs, but nt anywhere else.

    If you are using a Mac, simply hit Command-Spacebar to bring up Spotlight Search.  Begin typing the name of the application and when you see what you are looking for, press enter.  You should get a hit by the second or third letter you type.  Great way to launch apps on computers that you are not familiar with.
    Windows 7 and 8 should have something similar.  I think you simply press the Windows key and begin typing.  Press enter when you see a match.
    Both Mac and Windows search tools can be customized to search for applications, files, emails and so forth.  For Windows, look for Taskbar and Start Menu Properties.  For Mac, go to Preferences Spotlight.  Turn off items you know you won't need to speed up searches.
    Make Windows 7 Start Menu Search Find Your Applications Faster

  • What to do when your program doesn't work.

    A huge number of posts here seem to relate to code that has been written (one presumes by the poster), but which doesn't work.
    I get the impression that people don't know what to do next.
    It's really not that difficult. When you're writing your program you constantly have in mind what you expect will happen as a result of each bit of code that you put.
    If at the end of the day, the program as a whole doesn't behave as you expected, then somewhere in there there must be a point at which the program starts doing something that doesn't correspond to what you anticipated. So, you add some System.err.println statements to test your beliefs.
    Consider this program that tests whether a number is prime.
    public class Test
        public static void main(String args[])
            // Get the number to test.
            int number = Integer.parseInt(args[0]);
            // Try each possible factor.
            int factor;
            for(factor = 2; factor < number; factor++)
                // See whether it is really a factor.
                if(number / factor == 0)
                    break;
            if(factor == number)
                System.out.println("Number is not prime.");
            else
                System.out.println("Number is prime.");
    }Straight forward enough, but it doesn't actually work :( It seems to say that every number is not prime. (Actually, not quite true, but I didn't test it that carefully, since it didn't work).
    Now, I could scrutinise it for errors, and then, having failed to find the problem, I could post it here. But let's suppose I'm too proud for that.
    What might be going wrong. Well, how sure am I that I'm even managing to capture the number of interest, number. Let's put in a System.err.println() to test that.
    Is the program in fact trying the factors I expect? Put in System.err.println() for that.
    Is the program correctly determining whether a number is a factor? Need another System.err.prinln (or two) for that.
    public class Test
        public static void main(String args[])
            // Get the number to test.
            int number = Integer.parseInt(args[0]);
            System.err.println("Number to check is " + number);
            // Try each possible factor.
            int factor;
            for(factor = 2; factor < number; factor++)
                System.err.println("Trying factor " + factor);
                // See whether it is really a factor.
                if(number / factor == 0)
                    System.err.println(factor + " is a factor.");
                    break;
                System.err.println(factor + " is not a factor.");
            if(factor == number)
                System.out.println("Number is not prime.");
            else
                System.out.println("Number is prime.");
    }Let's try with on the number 6.
    The output is:
    Number to check is 6
    Trying factor 2
    2 is not a factor.
    Trying factor 3
    3 is not a factor.
    Trying factor 4
    4 is not a factor.
    Trying factor 5
    5 is not a factor.
    Number is not prime.
    Whoah! That's not right. Clearly, the problem is that it's not correctly deciding whether a number is a factor. Well, we know exactly where that test is done. It's this statement:
                if(number / factor == 0)Hmm.... let's try 6 / 3, 'cos 3 is a factor.
    6 / 3 = 2.
    But that's not zero. What the.... Oh - I see, it should have been number % factor.
    Ok - let's fix that, and run it again.
    Now the output is:
    Number to check is 6
    Trying factor 2
    2 is a factor.
    Number is prime.
    Not the right answer, but at least it's now figured out that 2 is a factor of 6. Let's try a different number.
    Number to check is 9
    Trying factor 2
    2 is not a factor.
    Trying factor 3
    3 is a factor.
    Number is prime.
    Again, got the right factor, but still the wrong answer. Let's try a prime:
    Number to check is 7
    Trying factor 2
    2 is not a factor.
    Trying factor 3
    3 is not a factor.
    Trying factor 4
    4 is not a factor.
    Trying factor 5
    5 is not a factor.
    Trying factor 6
    6 is not a factor.
    Number is not prime.
    Aagh! Obvious - the final test is the wrong way round. Just fix that, remove that System.err.println()s and we're done.
    Sylvia.

    Consider this program that tests whether a number is
    prime.
    [attempt to divide by each integer from 2 to n-1]At risk of lowering the signal to noise ratio, I
    should point out that the algorithm given is just
    about the worst possible.
    I know that the point was to illustrate debugging
    and not good prime test algorithms, and I disagree
    with the correspondent who thought the post was
    condescending.
    Anyway, the java libraries have good prime testing
    methods based on advanced number theory research that the
    non-specialist is unlikely to know. Looking at the java
    libraries first is always a good idea.
    Even with the naive approach, dramatic improvements
    are possible.
    First, only try putative divisors up to the square root
    of the number. For 999997 this is about 1000 times faster.
    Next only try dividing by prime numbers. This is about
    7 times faster again. The snag, of course, is to find the
    prime numbers up to 1000, so there might not be much
    advantage unless you already have such a list. The sieve
    of Erastosthenes could be used. This involves 31 passes
    through an array of 1000 booleans and might allow an
    improvement in speed at the expense of space.
    Sorry if I've added too much noise :-)

  • A new start-up program in my Win 8.1: I can't stop it!

    Hi fellows. What about this article?
    In the last couple of days I've been getting loads of email from WinPatrol customers asking what is this strange new start-up program?
    The name is only numbers and no matter how many times I try to block or disable it, it just keeps coming back.
    I noticed that on every machine the number was different. Even on my computer, the number was different every single time, almost like it was either trying to elude being blocked or was a tracking number of some kind.
    Then I received an email from a customer who had discovered this mysterious program is actually "Adobe Speed Launcher". I had not agreed to install this, so I was a bit confused as to it purpose.
    So, I took the plunge and let it run on one of my test machine.
    After letting it run, I saw the below entry for Adobe Speed Launcher was added as a "Run Once" start-up program. Considering this is a RunOnce, my assumption was it would be installing the full-blown "Adobe Speed Laucher" on next system start-up. Now I was curoius.
    I have come this far, lets reboot and see what happens.
      After rebooting, I was waiting for a pop-up installing some new software, but nothing.
    Nothing at all... Interesting.
    While waiting I did some investigation and realized that my local copy of Adobe Reader had been upgraded the day before. Now the pieces are all falling into place.
    I was allowing Adobe to automatically update itself in an effort to protect my system better because as we all know, Adobe has had quite a few vunerabilities over the years.
    Giving Adobe the benefit if the doubt, I was thinking to myself that one pop-up is not that bad.
    Then up came 2 more.
    This time for a new number.
    Frustrated at this, I opened Adobe Reader to see if there was a setting for disabling Adobe Speed Launcher.
    I could not find one.
    Now I was becoming annoyed with Speed Launcher, so I did some research online.
    From what I have read Adobe Speed Launcher was created in order to make Adobe Reader start-up more quickly when you use it. On the surface this sounds good, but I only use Adobe Reader once a month, if that.
    Why do I want it to take up system resources in pre-loading files every single time I start my computer when I will most likely not be using it anyway?
    Now, if they had accomplished the restart of Speed Launcher in a better, more non-obtrusive way, I may not have even noticed it for a while. But, adding new RunOnce keys every time a computer is restarted is a somewhat questionable practice more fitting for adware than a product I want installed on my computer.
    Therefore, because I could not figure out a way of easily disabling Adobe Speed Launcher, I decided to complete remove Adobe Reader XI instead.
    The annoying pop-ups have stopped.
    The next time I need to read a PDF, I will find a reader that is written in a more user-friendly way.
      Thank you for reading, Bret

    Hi,
    We have rolled out a fix for this issue.
    Please log off and log back in to your machine and the issue should be resolved automatically. In case that does not work, please manually run the msi installer posted here (may require reboot).
    For details, please refer to the KB article here: Multiple RunOnce keys created 11.0.10 and 10.1.13 Acrobat | Reader
    Please let us know if you still face any issues.
    Thanks,
    Ashu Mittal

  • When I start the program I instantly see this message:  "Adobe Bridge encountered a problem and is unable to read the cache, please try purging the central cache in cache preferences to correct the situation".  I have tried this and it only results in a s

    When I start the program I instantly see this message:  "Adobe Bridge encountered a problem and is unable to read the cache, please try purging the central cache in cache preferences to correct the situation".  I have tried this and it only results in a stalled/locked program.  I have tried restarting my machine multiple times and tried reconfiguring how the cache is managed.  Do you have anyone who could walk me through each step to correct this problem which just started two days ago.  I have owned this program for at least a year now...

    BOILERPLATE TEXT:
    Note that this is boilerplate text.
    If you give complete and detailed information about your setup and the issue at hand,
    such as your platform (Mac or Win),
    exact versions of your OS, of Photoshop (not just "CS6", but something like CS6v.13.0.6) and of Bridge,
    your settings in Photoshop > Preference > Performance
    the type of file you were working on,
    machine specs, such as total installed RAM, scratch file HDs, total available HD space, video card specs, including total VRAM installed,
    what troubleshooting steps you have taken so far,
    what error message(s) you receive,
    if having issues opening raw files also the exact camera make and model that generated them,
    if you're having printing issues, indicate the exact make and model of your printer, paper size, image dimensions in pixels (so many pixels wide by so many pixels high). if going through a RIP, specify that too.
    etc.,
    someone may be able to help you (not necessarily this poster, who is not a Windows user).
    a screen shot of your settings or of the image could be very helpful too.
    Please read this FAQ for advice on how to ask your questions correctly for quicker and better answers:
    http://forums.adobe.com/thread/419981?tstart=0
    Thanks!

  • Itunes will no longer work on my Windows 8 PC. When I attempt to start the program a message says: A problem caused the program to stop working correctly.  Windows will close the program and notify you if a solution is available.

    Itunes will no longer work on my Windows 8 PC. When I attempt to start the program a message says: A problem caused the program to stop working correctly.  Windows will close the program and notify you if a solution is available.  I have tried to uninstall iTunes but the Windows uninstaller will not delete the program I get a message that says: A network error occurred while attempting to read file: C:\Windows|Installer|iTunes.msi.  How do I get iTunes to work again?

    Whentrying to uninstall iTunes (the first program that must be uninstalled per the instructions) I get a message:  A network error occurred while attempting to read file: C:\Windows|Installer|iTunes.msi. I can't even uninstall iTunes?
    (1) Download the Windows Installer CleanUp utility installer file (msicuu2.exe) from the following Major Geeks page (use one of the links under the "DOWNLOAD LOCATIONS" thingy on the Major Geeks page).
    http://majorgeeks.com/download.php?det=4459
    Here's a screenshot showing the particular links on the page that you should be clicking:
    After clicking one of the circled links, you should be taken to another page, and after a few seconds you should see a download dialog appear for the msicuu2.exe file. Here's a screenshot of what it looks like for me in Firefox:
    Choose to Save the file. If the dialog box does not appear for you, click the link on the page that says "CLICK HERE IF IT DOES NOT". Here's a screenshot of the page with the relevant link circled:
    When the dialog appears, choose to save the file.
    (2) Go to the Downloads area for your Web browser. Doubleclick the msicuu2.exe file and follow the prompts to install the Windows Installer CleanUp utility. (If you're on a Windows Vista or Windows 7 system and you get a Code 800A0046 error message when doubleclicking the msicuu2.exe file, try instead right-clicking on the msicuu2.exe file and selecting "Run as administrator".)
    (3) In your Start menu click All Programs and then click Windows Install Clean Up. The Windows Installer CleanUp utility window appears, listing software that is currently installed on your computer.
    (4) In the list of programs that appears in CleanUp, select any iTunes entries and click "Remove", as per the following screenshot:
    (5) Quit out of CleanUp, restart the PC and try another iTunes install. Does it go through properly this time?

  • Had to restore my iMac from Time Machine. After the restoration all programs are functioning except my Adobe Creative Suite 4 Design Premium. When I start any program in the suite the error message, "Licensing for this product has stopped working." I rest

    I had to restore my iMac from Time Machine. After the restoration all programs are functioning except my Adobe Creative Suite 4 Design Premium. When I start any program in the suite the error message, "Licensing for this product has stopped working." I restarted the computer and tried again to run Photoshop and the same error message appeared. The message was followed by a message that stated that I needed to contact Adobe technical support and mention Error: 150.30. I need Adobe technical support to provide me a solution for my problem so I can continue using my Adobe products installed on my computer.

    Unfortunately when Adobe products are restored from backup, especial CS4 and especially Mac, it breaks licensing.
    There is a python script included in the license recovery kit that should work if you are familiar with Terminal.
    If not, you must reinstall your CS4 suite.  You don't need to delete your preferences, so it should be the same as before.
    Error "Licensing has stopped working" | Mac OS
    Gene

  • I have the new version of iMovie, and when i try to start the program, i can't because it says that it is looking for some movie files from the Iphoto, so all the program is locked up... how can i do to restart the program??

    i have the new version of iMovie, and when i try to start the program, i can't because it says that it is looking for some movie files from the Iphoto, so all the program is locked up... how can i do to restart the program??

    Hi
    Did You ever use - iPhoto ?
    Did You may be direct iPhoto to a different Photo Library
    As iMovie tries to find the appropriate photo library - it can get lost if iPhoto direct it into a Library on a not connected external hard disk or to a strange location - And iMovie HANGS.
    Do - When no other program is running that might interfere
    • Start iPhoto - BUT NOW KEEP alt-key (option key) DOWN during the full Start-Up process
    • Now iPhoto let's You select Photo Library
    • Select the one in Your Account / Home folder / Pictures ! !
    • Then iPhoto should start up OK
    • Now Quit iPhoto
    • START iMovie
    Does it still hangs - then I would suspect - iMovie Pref. file
    If it Run's OK - Then HURRAY !
    Yours Bengt W

  • "Unable to start your subscription for Adobe Muse CC". Anyone get this message?

    I tried to launch Adobe Muse CC and I received the message "Unable to start your subscription for Adobe Muse CC". Why is this happening? I am connected to the internet, I've paid for my subscription so what is the problem?

    Hi
    Please try some steps below,
    Windows
    Click on the "Start" menu. Select "All Programs" and then "Accessories"
    Right-click on "Notepad" and select "Run as Administrator"
    Click "Continue" on the "Windows needs your permission" dialog
    When Notepad opens, click File and select Open
    In the filename field type the following:
    C:\Windows\System32\Drivers\etc\hosts
    If any entries in the host file include keywords such as "adobe," ask the user to delete those entries. These are used for Adobe Licensing.
    From the "File" menu select "Save" after making changes
    Restart Muse
    Macintosh
    Click on the "Finder" icon. Select the "Applications" folder
    Open the "Utilities" folder and select "Terminal"
    Type the following:
    sudo nano /etc/hosts
    Enter the OS user's associated password when prompted
    If any entries in the host file include keywords such as "adobe," ask the user to delete those entries. These are used for Adobe Licensing.
    Press control+o to save the file
    Press control+x to close the file
    Restart Muse
    Let me know if it works

  • Error : RFC Partner does not allow to start the Program.

    Hello Guys,
         I have a requirement where in  BAPI_DOCUMENT_CHECKOUTVIEW2  need to be  called from the front end (JAVA).
         When i run this BAPI in SAP it works fine ,when i run the same form front end it throws the error saying
              "RFC Partner does not allow to start the Program."( I have checked the error in debug mode).
             SAPGUI is installed at the JAVA developers desktop,still am facing this error.
            The error is thrown at the below code:
                      CALL FUNCTION 'RFC_PING'
                                                    DESTINATION 'SAPGUI'
                     EXCEPTIONS: communication_failure = 1 MESSAGE lf_msg_text
                                                  system_failure        = 2 MESSAGE lf_msg_text.
    Please suggest.
    Regards,
    Najam

    HI,
    You need a RFC path in this case.You can check SM59 and contact your basis team regarding this.

  • Error while trying to run the project. Unable to start the program. the address is not valid for current context.

    I am trying to debug the 64 bit application using any cpu. I've tried using x86 also. but still couldn't start the program.

    "Debug x64 bit app" What do you mean by that?  If you have a project open and you click Debug (F5) and the platform is set to Any CPU then the app will run based upon your bitness.  
    When do you get this error? 
    What is your OS bitness?
    What type of app is it? 
    What platform are you using? 
    Can you at least get to the entry point of your app?  Do you have any interop code?
    Michael Taylor
    http://blogs.msmvps.com/p3net

  • Is it possible to hav a RUN botton in the main window that start the program?

    Hello!
    I am developing an user interface and have made a program in labview that I am now testing on users. They all have problems understanding that the user interface is not running when they open the program...and ask if it is possible to place a run botton in the main VI instead of the white arrow in the menu-bar.... is this possible to implement(it is possible to stop the program from running, but why is it not possible to do the same thing with start running?)
    -Mari

    Are you open it from the file explorer or open dialog, or from within a labview project?
    (If you open it from within a LabVIEW project (LabVIEW 8.0 only), it won't run automatically! ).
    How long does your program run? Maybe it runs immedately and finishes in an instant?
    Message Edited by altenbach on 07-08-2006 11:03 AM
    LabVIEW Champion . Do more with less code and in less time .

  • Error message-The installer has insufficent privileges to modify this file:C:\Program Data\microsoft\windows\start menu\programs\iTunes\.iTunes.ink

    error message-The installer has insufficent privileges to modify this file:C:\Program Data\microsoft\windows\start menu\programs\iTunes\.iTunes.ink     
    How do I correct this to download iTunes so it will run?

    That one's consistent with disk/file damage. The first thing I'd try with that is running a disk check (chkdsk) over your C drive.
    XP instructions in the following document: How to perform disk error checking in Windows XP
    Vista instructions in the following document: Check your hard disk for errors
    Windows 7 instructions in the following document: How to use CHKDSK (Check Disk)
    Select both Automatically fix file system errors and Scan for and attempt recovery of bad sectors, or use chkdsk /r (depending on which way you decide to go about doing this). You'll almost certainly have to schedule the chkdsk to run on startup. The scan should take quite a while ... if it quits after a few minutes or seconds, something's interfering with the scan.
    Does the chkdsk find/repair any damage? If so, can you get an install to go through properly afterwards?

  • Really stuck on how to start this program

    Okay, I know I should be posting some code here and showing where I've started and such, but I'm pretty lost as to how to start this program. Here's the problem:
    2. Making Change:
    This application, named ChangeMaker, will take as input a product price and an amount paid,
    both floating-point numbers representing euro and cent amounts. The application computes and prints the amount of change due the user, and also expresses the change amount in number of 2-euros, 1-euro, 20-cent, 10-cent, 5-cent, 2-cent, and1-cent coins.
    (Assume no change is given in bills, only in coins.)
    For example:
    Enter product price: 2.32
    Enter amount paid: 5.00
    Your change is 2.68 euros
    1 x 2 euro
    3 x 20-cent
    1 x 5 cent
    1 x 2 cent
    1 x 1 cent
    You can assume that the amount paid is greater than the product price, and that both inputs are
    "euro and cent" amounts: positive numbers with at most two decimal places.3
    Now, I know how to print the line asking for product price and enter amount paid, but I cannot figure out how to set up the rest of the code when switching from american USD dollars/coins to euros. I looked up the conversions and they are just intimidating as all get out when trying to take the equivalency of euros to each dollar thats entered and then taking the rest of the USD remainders and represent that in USD coinage. >.< Help is much appreciated thank you.

    thomas.behr wrote:
    random0munky wrote:
    ... when switching from american USD dollars/coins to euros. I looked up the conversions and they are just intimidating as all get out when trying to take the equivalency of euros to each dollar thats entered and then taking the rest of the USD remainders and represent that in USD coinage.Uhm, your requirement doesn't say anything about converting between USD and EUR. For starters, just write the program without any currency information at all. (That is only flavour anyways.)
    For example:
    Enter product price: 2.32
    Enter amount paid: 5.00
    Your change is 2.68
    1 x 2
    3 x 0.2
    1 x 0.05
    1 x 0.02
    1 x 0.01That deception would never fly in a Red State -- 20 cent piece? 2 cent piece? 2 dollar coin? All this smacks of Socialism!

  • Datasource problem - error 8 when starting extraction program

    Hello,
    we are using a datasource (data mart) to write data from one cube to another.
    When running the infopackage we get the 2 errors below. When testing with the extractor checker, everything was fine. Datasource was replicated, transfer rules are active.
    1. Message no. R3019 - Error 8 when starting extraction program
    2. Message no. RSM340 - Errors in source system
    more error info...
    " Error message from the source system
    Diagnosis
    An error occurred in the source system.
    System response
    Caller 09 contains an error message.
    Further analysis:
    The error occurred in Service API ."
    Has anybody any ideas?
    Thank you,
    Ruairi

    Hi Friend,
    Check the following OSS notes
    947690
    511475
    23538
    Even though the note 947690 is for process chain the steps mentioned in this note could cause Error 8 when scheduling a package for extraction. I think in your case the server name or the host name is incorrect. Check the host and the server name in TCODE SM51 and ask basis to look for the same in RFC entries using SM59 as well.
    Regards,
    varun.

Maybe you are looking for

  • Upgrading my parent's Mac....?? I have a PC and don't know what to  :(

    I am trying to get a newer version of iTunes on my parent's computer (currently Mac OS X 10.2.8) and apparently need to upgrade to 10.3.9 or 10.4.7 to get iTunes 7.6 (we have iTunes v3.0.1 which came with the computer). I know little about computers

  • MIGRATING FROM JSF 1.2 TO JSF 2.0.1 WITH PRIMEFACES

    HELLO! I'm migrating to JSF 2.0.1 (mojarra 2.0.1) using PrimeFaces 2.0. As I'm comming from JSF 1.2, I still have some libs in my project as jsf-facelets.jar, jstl.jar. With JSF 1.2 I was using Tomcat v6 1.4, but I upgrated to Tomcat v6 2.0 I decided

  • Can anyone help me with Error Message 3036??

    I tried to contact tech support about this. Well, that was a dead end. They told me I had a firewall that was blocking the downloads to resume and sending up an error message, but no cigar, because guess what?? I don't have Firewalls!!! Anyone older,

  • Thread 1 cannot allocate new log, sequence in Alert log

    Could someone help, I am getting the below message in my alert log System: AIX6.1 - Oracle 11r2 GROUP#     THREAD#     MEMBER                                  ARCHIVED     STATUS             MB 1     1     +DATA01/mydb/redolog_group1_member1     NO  

  • Activating HTML Help and MS Help

    What I like to know is : What do I need to call HTML pages in some application from my Forms ? That is : - what steps should be taken - what settings do I need - what are the necessity registrations If possible I sshould like a short overview. Thanks