Creating Multiple Windows

Hi,
I am trying to create a java applet that links to multiple windows when clicked. Basically I will have an applet with 2 buttons, one saying "show calculator," the other saying "mortgage." Upon clicking each one, it should open the corresponding window. The way I currently have it setup is first I have written the applet wiht the 2 buttons, right under it I have written the Mortgage application, then under that the calculator application. The problem I have now is that both the Mortgage and calculator applications have a main method, therefore, the filename must be named one of those application names (for example the mortgage is setup as: public class Mortgage; the calculator is setup as: public class calculator-both have different names-so I must save the file as Mortgage.java or Calculator.java), otherwise I will get an error. If I create each application in a different file, and for the button action if I set the corresponding file to
true (eg. mortgage.setVisible(true);) i.e if I click on Morttgage in the applet, will it know to look for the mortgage file in the directory then show it? Or am I misunderstanding this? Please help. Thanks in advance.

Thanks for the response. As s reference , this is what I have so far:
//Button Applet
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
import java.swing.border.TitledBorder;
public class ButtonAppletDemo extends JApplet implements ActionListener
     private JButton jbtCalculator, jbtMortgage;
     //Initialize Applet
     public void init()
          //Create Panel P1 for Button
          JPanel p1 = new JPanel();
          p1.setLayout(new FlowLayout());
          p1.add(jbtCalculator =      new JButton("Simple Calculator"));
          //Create Panel p2 for Button
          JPanel p2 = new JPanel();
          p2.setLayout(new FlowLayout());
          p2.add(jbtMortgage = new JButton("Mortgage"));
          //Add panels to applet
          getContentPane().add(p1, BorderLayout.WEST);
          getContentPane().add(p2, BorderLayout.EAST);
          //Register listeners
          jbtCalculator.addActionListener(this);
          jbtMortgage.addActionListener(this);
     //Handle the button actions
     public void actionPerformed(ActionEvent e)
          if (e.getSource() instanceof JButton)
               if ("Simple Calculator".equals(actionCommand))
               MortgageApplication.setVisible(true);
               else if("Mortgage".equals(actionCommand))
               MenuDemo.setVisible(true);
//Mortgage Application
public class MortgageApplication extends JFrame implements ActionListener
//Declare and create fields for interest rate, year, loan amount, monthly
payment, and total payment
private JTextField jtfAnnualInterestRate = new JTextfield(10);
private JTextField jtfNumOfYears = new JTextfield(10);
private JTextField jtfLoanAmount = new JTextfield(10);
private JTextField jtfMonthlyPayment = new JTextfield(10);
private JTextField jtfAnnualTotalPayment = new JTextfield(10);
//Declare and create a Compute Mortgage Button
private JButton jbtComputeMortgage = new JButton("Compute Mortgage");
//Constructor
public MortgageApplication()
     //Set propertied on the text fields
     jtfMonthlyPayment.setEditable(false);
     jtfTotalPayment.setEditable(false);
     //Right Align text fields
     jtfAnnualInterestRate.setHorizontalAlignment(JTextField.RIGHT);
     jtfNumOfYears.setHorizontalAlignment(JTextField.RIGHT);
     jtfLoanAmount.setHorizontalAlignment(JTextField.RIGHT);
     jtfMonthlyPayment.setHorizontalAlignment(JTextField.RIGHT);
     jtfAnnualTotalPayment.setHorizontalAlignment(JTextField.RIGHT);
     //Panel P1 to hold labels and text fields
     JPanel p1 = new JPanel();
     p1.setLayout(new GridLayout(5,2));
     p1.add(new Label("Interest Rate"));
     p1.add(jtfAnnualInterestRate);
     p1.add(new Label("Years"));
     p1.add(jtfNumOfYears);
     p1.add(new Label("Loan Amount"));
     p1.add(jtfLoanAmount);
     p1.add(new Label("Monthly Payment"));
     p1.add(jtfMonthlyPayment);
     p1.add(new Label("Total Payment"));
     p1.add(jtfTotalPayment);
     p1.setBorder(new TitledBorder("Enter interest rate, year, and loan
amount"));
     //Panel P2 to hold button
     JPanel p2 = new JPanel();
     p2.setLayout(new FlowLayout(FlowLayout.Right));
     p2.add(jbtComputeMortgage);
     //Add the components to the applet
     getContentPane().add(p1, BorderLayout.CENTER);
     getContentPane().add(p2, BorderLayout.SOUTH);
     //Register Listner
     jbtComputeMortgage.addActionListener(this);
//Main Method
public static void main(String[] args)
     MortgageApplication frame = new MortgageApplication();
     frame.setTitle("Mortgage Application");
     frame.setSize(400, 200);
     frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
     frame.setVisible(true);
//Handler for Button
public void actionPerformed(ActionEvent e)
     if(e.getSource() == jbtComputeMortgage)
          //Get values from text fields
          double interest =
(Double.valueOf(jtfAnnualInterestRate.getText())).doubleValue();
          int year = (Integer.valueOf(jtfNumOfYears.getText())).intValue();
          double loan = (Double.valueOf(jtfLoanAmount.getText())).doubleValue();
          //Create a mortgage object
          Mortgage m = new Mortgage(interest, year, loan);
          //Display monthly and total payment
          jtfMonthlyPayment.setText(String.valueOf(m.monthlyPayment()));
          jtfTotalPayment.setText(String.valueOf(m.totalPayment()));
// MenuDemo Application
public class MenuDemo extends JFrame implements ActionListener
// Text fields for Number 1, Number 2, and Result
private JTextField jtfNum1, jtfNum2, jtfResult;
// Buttons "Add", "Subtract", "Multiply" and "Divide"
private JButton jbtAdd, jbtSub, jbtMul, jbtDiv;
// Menu items "Add", "Subtract", "Multiply","Divide" and "Close"
private JMenuItem jmiAdd, jmiSub, jmiMul, jmiDiv, jmiClose;
// Main method
public static void main(String[] args)
MenuDemo frame = new MenuDemo();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.pack();
frame.setVisible(true);
// Default constructor
public MenuDemo()
setTitle("Menu Demo");
// Create menu bar
JMenuBar jmb = new JMenuBar();
// Set menu bar to the frame
setJMenuBar(jmb);
// Add menu "Operation" to menu bar
JMenu operationMenu = new JMenu("Operation");
operationMenu.setMnemonic('O');
jmb.add(operationMenu);
// Add menu "Exit" in menu bar
JMenu exitMenu = new JMenu("Exit");
exitMenu.setMnemonic('E');
jmb.add(exitMenu);
// Add menu items with mnemonics to menu "Operation"
operationMenu.add(jmiAdd= new JMenuItem("Add", 'A'));
operationMenu.add(jmiSub = new JMenuItem("Subtract", 'S'));
operationMenu.add(jmiMul = new JMenuItem("Multiply", 'M'));
operationMenu.add(jmiDiv = new JMenuItem("Divide", 'D'));
exitMenu.add(jmiClose = new JMenuItem("Close", 'C'));
// Set keyboard accelerators
jmiAdd.setAccelerator(
KeyStroke.getKeyStroke(KeyEvent.VK_A, ActionEvent.CTRL_MASK));
jmiSub.setAccelerator(
KeyStroke.getKeyStroke(KeyEvent.VK_S, ActionEvent.CTRL_MASK));
jmiMul.setAccelerator(
KeyStroke.getKeyStroke(KeyEvent.VK_M, ActionEvent.CTRL_MASK));
jmiDiv.setAccelerator(
KeyStroke.getKeyStroke(KeyEvent.VK_D, ActionEvent.CTRL_MASK));
// Panel p1 to hold text fields and labels
JPanel p1 = new JPanel();
p1.setLayout(new FlowLayout());
p1.add(new JLabel("Number 1"));
p1.add(jtfNum1 = new JTextField(3));
p1.add(new JLabel("Number 2"));
p1.add(jtfNum2 = new JTextField(3));
p1.add(new JLabel("Result"));
p1.add(jtfResult = new JTextField(4));
jtfResult.setEditable(false);
// Panel p2 to hold buttons
JPanel p2 = new JPanel();
p2.setLayout(new FlowLayout());
p2.add(jbtAdd = new JButton("Add"));
p2.add(jbtSub = new JButton("Subtract"));
p2.add(jbtMul = new JButton("Multiply"));
p2.add(jbtDiv = new JButton("Divide"));
// Add panels to the frame
getContentPane().setLayout(new BorderLayout());
getContentPane().add(p1, BorderLayout.CENTER);
getContentPane().add(p2, BorderLayout.SOUTH);
// Register listeners
jbtAdd.addActionListener(this);
jbtSub.addActionListener(this);
jbtMul.addActionListener(this);
jbtDiv.addActionListener(this);
jmiAdd.addActionListener(this);
jmiSub.addActionListener(this);
jmiMul.addActionListener(this);
jmiDiv.addActionListener(this);
jmiClose.addActionListener(this);
// Handle ActionEvent from buttons and menu items
public void actionPerformed(ActionEvent e)
String actionCommand = e.getActionCommand();
// Handle button events
if (e.getSource() instanceof JButton)
if ("Add".equals(actionCommand))
calculate('+');
else if ("Subtract".equals(actionCommand))
calculate('-');
else if ("Multiply".equals(actionCommand))
calculate('*');
else if ("Divide".equals(actionCommand))
calculate('/');
else if (e.getSource() instanceof JMenuItem)
// Handle menu item events
if ("Add".equals(actionCommand))
calculate('+');
else if ("Subtract".equals(actionCommand))
calculate('-');
else if ("Multiply".equals(actionCommand))
calculate('*');
else if ("Divide".equals(actionCommand))
calculate('/');
else if ("Close".equals(actionCommand))
System.exit(0);
// Calculate and show the result in jtfResult
private void calculate(char operator)
// Obtain Number 1 and Number 2
int num1 = (Integer.parseInt(jtfNum1.getText().trim()));
int num2 = (Integer.parseInt(jtfNum2.getText().trim()));
int result = 0;
// Perform selected operation
switch (operator) {
case '+': result = num1 + num2;
break;
case '-': result = num1 - num2;
break;
case '*': result = num1 * num2;
break;
case '/': result = num1 / num2;
// Set result in jtfResult
jtfResult.setText(String.valueOf(result));

Similar Messages

  • Best way to create multiple windows

    Just for a learning experience i am trying to make an application that starts out as a window with a button.When you click the button it creates another window of the same size but with the no decorations. What would the best way to go about this be?
    I tried making a class which extends Stage, but i cannot set the style property in it.

    Just for a learning experience i am trying to make an application that starts out as a window with a button.When you click the button it creates another window of the same size but with the no decorations. What would the best way to go about this be?
    I tried making a class which extends Stage, but i cannot set the style property in it.

  • What's the best way to create multiple windows?

    I'm trying to write a program with Text fields and buttons on it which will open a completely different window with Text Fields and Buttons. The best thing I can find is JInternalFrame which creates a Frame inside of the window I'm working with. What do I need to use in order to make them separate?

    Exception occurred during event dispatching:
    java.lang.IllegalArgumentException: adding a window to a container
         at java.awt.Container.addImpl(Container.java:336)
         at java.awt.Container.add(Container.java:228)
         at beve.Frame5.actionPerformed(Frame5.java:181)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1450)
         at javax.swing.AbstractButton$ForwardActionEvents.actionPerformed(AbstractButton.java:1504)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:378)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:250)
         at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(BasicButtonListener.java:216)
         at java.awt.Component.processMouseEvent(Component.java:3715)
         at java.awt.Component.processEvent(Component.java:3544)
         at java.awt.Container.processEvent(Container.java:1164)
         at java.awt.Component.dispatchEventImpl(Component.java:2593)
         at java.awt.Container.dispatchEventImpl(Container.java:1213)
         at java.awt.Component.dispatchEvent(Component.java:2497)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:2451)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:2216)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:2125)
         at java.awt.Container.dispatchEventImpl(Container.java:1200)
         at java.awt.Window.dispatchEventImpl(Window.java:914)
         at java.awt.Component.dispatchEvent(Component.java:2497)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:339)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:131)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:98)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:93)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:85)
    I need to take off now but I'll check back later tonight. Thanks for the help everyone :)

  • Reg:working with multiple windows in webdynpro-abap

    Hi ,
    How can we create multiple windows and how can we link them...
    suppose we have 3 fields on first screen .how to move the data from the first screen to second screen..
    Thanks & Regards
    Suman Puthadi

    Hi
    As per your Subject you are looking for "working with multiple windows in webdynpro-abap" and for abap there is a different forum. Web Dynpro ABAP
    Hope its clear to you...
    Even you can read this post when ever you get time Read before posting
    Regards
    Ayyapparaj

  • Multiple windows issue

    We at Glendale Community College had our authentication script working and were starting to develop our site. Then, in August, the site became unavailable and when it became available again every time we logged in it would just create multiple windows endlessly until shut down. I downloaded woolamaloo and tried that and it did the same. Do you have any solutions?

    We at Glendale Community College had our authentication script working and were starting to develop our site. Then, in August, the site became unavailable and when it became available again every time we logged in it would just create multiple windows endlessly until shut down. I downloaded woolamaloo and tried that and it did the same. Do you have any solutions?

  • Multiple Windows external Databases?

    I want to utilise NAP's si I can authenticate Wireless Users on same server I use for general remote access.
    The General remote users are required to have Windows Dial In Permissions set before they can access the network remotely.
    I need to be able to authenticate the Wireless Users(in-house wireless)but not require they have Dial=-In permission set on their Windows accounts.
    Try to find out if there are any plans to provide this facility in the future?

    can create multiple windows on one page
    Reward points..

  • JAWT, JNI, OpenGL...Multiple Windows

    Hi.
    I'm new here so forgive me if this is in the wrong place.
    I am working on an app which uses JNI/Jawt to call through from java to native c++ calls to use OpenGL. Currently this works fine when only one window is open.
    I'm having problems when trying to create multiple windows. I can't seem to render to the new window. Both windows are running on the same thread and for each window created I initialise its own DC and RC. Then whenever a drawing method is called I make sure the correct DC/RC is made active/wglMakeCurrent.
    Any thoughts on what I might be missing out here?
    Any help or sugestions greatly appreciated

    Hi, MadSpringy,
    I have the same problem? How did you fix it?
    Harry
    [email protected]

  • How can I create multiple libraries on a windows 8 HP computer?

    I just got the newest generation Ipod Touch, and the itunes is not supported on my iMac G5. My parents have a Windows 8 HP computer. My dad's itunes account is on that computer. So what I want to do is use my external hardrive to sync it to my Windows 8 computer. I am trying to find out how to create multiple libraries.
    Please help me out.

    These all have drm so i cannot read them without a i-Device. 
    Correct.  If you do not have an iOS device or a Mac running Mavericks, do not buy Apple iBooks.  They will be unreadable.

  • How do you create multiple execution windows for a custom opterator interface

    I am starting to create a custom operator interface for TestStand 3.5 using Labview 8.0.  This is my first exposure to custom operator interfaces (and ActiveX).  The example operator interfaces have only one execution window that changes based on the executions combo box.  My sequence is going to be run with the parallel sequence model (2 test sockets).  So I want my custom operator interface to have 2 execution windows, one for each test socket.  How can I do this?  I created a second execution window but it just mirrors the first execution window. 

    Hi, All:
     With the similar approach, I create a multiple window user interface with CVI. Although it can run, the Execution view doesn't display
    anything while execution. In my user interface, there is an applicaiton manager resident in Parent form, and every child forms has
    itsown Exection view and Manager.
     Referred to the C# sample, in the function rivate void DisplayExecution(Execution execution)
       if (executionForm == null) // execution is not in a form, make a new form
        executionForm = new ExecutionForm(this, this.axApplicationMgr, execution);
        this.mChildFormsKeyedByViewMgr.Add(executionForm.GetViewMgr().GetOcx(), executionForm);
        SetNewChildFormLocation(executionForm);
     I guess the execution form "hook" the exectuion view manager via Add(), so the exectuion view can be updated properly.
    And according to reference manual of teststand, it mentions that "The application sets the ExecutionViewMgr.UserData property to
    attach a handle, reference, or pointer that represents the window." But when I try to utilize this method, I got 2 problems:
    1. How to get a window handle of a CVI panel? As execution view are resident in child panels, so I may need the window handle of
     individual child panels.
    2. Even the window hanlde is gotten, how can I convert it to a VARIANT Type? According to the function panle of
    TSUI_ExecutionViewMgrSetUserData (, NULL, ), the last parameter is a "VARIANT".
    Any comments or instructions for my assumption?
    Thank you for your help.

  • How to Create Multiple Partitions in Windows?

    I have just carried out a clean install of Lion then used Boot Camp to install Windows.
    With Snow Leopard I had the ability to create multiple partitions in Windows but this seems impossible in Lion for whatever reason.
    Can anyone please tell me how to achieve this?

    If you're using Boot Camp, I'd post your question on the Boot Camp section:
    http://discussions.apple.com/category.jspa?categoryID=237

  • Trying to create multiple sequence window

    I'm new to swing, and I have a project in which I need to create multiple sequence frame swing program.
    To give you a better idea, I'm trying to create something that's similar to a self checkout shopping cart expect there is a frame where I need users to login. I already have a MySQL database setup for that.
    Once the user passes the login frame, I need another frame that will show up to displace information, and multiple other frames to come and go.
    I learn really well by examples, so are there any place I can find example of this. Thank you

    What I need is a transition between different layout. I need a layout say a login layout to finish (run successfully) and it transition to a different layout.
    I looked through the totorials and didn't see anything about transitions.
    I don't need need something like a desktop with multiple frames being displated at the same time. I need a sequence of frames
    Ah never mind.. cardmanager is what I need
    Message was edited by:
    d1sturbanc3

  • ITunes setup on a NAS with multiple windows users - how?

    iTunes setup on a NAS with multiple windows users?
    I am very confused on what is the best way to handle this setup for my friends family.  Any help would be appreciated.  Sorry in advance as I know this is a long winded post - I have a feeling this will help others faced with the same issues or questions.
    CURRENT SETUP
    I have three new Windows 7 machines networked (two desktops and one laptop) that have four users on each - as busy family with children who need the computers for homework, projects, games, etc...  The goal of this setup is that any user can log onto any computer and have there documents available to them no matter computer was free to use.  I set this up using the library function in Windows 7 and seems to work pretty well.
    I have put a Buffalo Linkstation NAS on the system as well.  This was going to serve two purposes 1)  run some backup software to protect the computers and 2) consolidate the iTunes content in one place for all users.  There is also an iPad in the home that I should would be better served by accessing the content on the NAS without requiring any of the computers being on.  Dave is thinking about getting some other playback devices like Apple TV so thought a NAS would be a good way to go.
    CURRENT ITUNES SETUP - I have created a new iTunes library on the NAS by holding the SHIFT button down while starting iTunes and pointed to that folder on a Share on the NAS.  There was no music on the system at the time as we are planning to copy this over from an OLD machine that is now not being used.  I have also authorized all the computers and turned on the home sharing feature (although I am not sure what good that does).
    This “shift” button trick seesm to also point the default directory there without point to it in the advanced setup tab of iTunes.
    I then synced one of the iPods with purchased content on it and synced that to the library after asking me to do so before an update.  All the content showed up in the library and was playable - awesome.
    I then logged into each user on each machine (yikes) and installed iTunes  and used the “shift” trick to connect each users iTunes to the database on the NAS.  Everything seems to work - but I have not tested it thoroughly.
    SUMMARY
    3 new Windwos 7 networked machines
    4 identical users on each machine
    1 TB Buffalo linkstation
    iTunes setup with the folder on a SHARE
    all user’s itunes connected to the iTunes folder on the NAS
    all computers authorized with home sharing turned on.
    one iTunes user account signed in on each machine
    multiple iPods and one iPad in the system
    QUESTIONS/CONCERNS
    Is there a better way to do this on a NAS?
    Would home sharing be better in some way?
    I understand the NAS should show up under the shared section in iTunes - I assume that would mean that would mean each user has an iTunes library on their documents?
    I have read that there may be corruption issues if users on the different machines try to access iTunes at the same time.
    Will there be any issues syncing that various iPods with?
    Ugh - sorry for the long post and all the questions.  I am just trying to find the best way to do this.  I wish Apple would put out a best practices document for setups like this.  Thanks in advance.

    This is a user to user support forum. Your fellow users can offer solutions or workarounds based on their experience with the application. If you think it should work differently drop a line to iTunes Feedback.
    For reasons unknown Apple haven't chosen to allow iTunes to be suspended in one profile and active in another. My recollection is that this applies even if each profile has a different library, although it is some time since I've committed a personal test.
    I'm not sure why my suggestion make less sense that your current approach?. As I understand it currently everybody is either signed into their own account when they can do something other than work with iTunes, or they sign into the special iTunes account where they can't access any of their other stuff. You don't have to disable fast user switching. Follow exactly the same steps, but make sure everyone closes iTunes before turning the computer over to another user. Disabling fast user switching helps to enforce that action.
    tt2

  • How to create popup window with radio buttons and a input field

    Hi Guys,
    Can somebody give some directions to create a stand alone program to create a window popup with 2 radio button and an input field for getting text value. I need to update the text value in a custom table.
    I will call this stand alone program from an user exit. 
    Please give me the guidance how go about it or please give any tutorial you have.
    Thanks,
    Mini

    Hi,
    There are multiple aspects of your requirements. So let's take them one at a time.
    You can achieve it in the report program or you can use a combination of the both along.
    You can create a standalone report program using the ABAP Editor (SE38). In the report program you can call the SAP Module pool program by CALL Screen <screen number>. And then in the module pool program you an create a subscreen and can handle the window popup with 2 radio button and an input field for getting the text.
    For help - Module Pool programs you can search in ABAP Editor with DEMODYNPRO* and you will ge the entire demo code for all dialog related code.
    For Report and other Module pool help you can have a look at the following:
    http://help.sap.com/saphelp_nw70/helpdata/en/47/a1ff9b8d0c0986e10000000a42189c/frameset.htm
    Hope this helps. Let me know if you need any more details.
    Thanks,
    Samantak.

  • How i can create multiple users at a time (User Administration) in EP

    Hi
    I need to create multiple users at a time. How can i do that through User Administration in EP.
    Please also tell me about import option in User Administration

    Hi,
    1.  First of all create a master user based on which you can create multiple users.
    2.  when you are done with it  export (by selecting the option at user creation) it.
    3.  you can see some text in a window copy it create  a txt file with it, and add as many users as you want
         by cpoy pasting the text multiple times and making necessary change as per the names etc...
    4. save the txt file.
    5. goto import option you were talking about and import the text file and update it.
    6. As it gets updated you are done with the creation of multiples users.
    If you  get stuck somewhere  feel free to  let me know.
    if  this answer satisfies your need, award points and close the thread.
    Edited by: ali alia on Feb 10, 2009 6:21 AM

  • When saving a File OS Is Creating Multiple Folders With The Same File Name

    Not sure what I changed but, now when I save a any file (ppt. word, Keynote,Pages e.g.,) to the desktop or any other location the OS will also create multiple file folders with the same file name as the file I'm saving. Inside the folders are what appears to be files locating the saved files. What can I do to fix this problem?
    I'm using the 10.7.2 version
    MacBook Pro

    Misio wrote:
    It looks like a finder bug. To replicate, I surf to any website, I right-click on a jpg image, select "Save Image As" and in the window that pops up I type in the filename "000.jpg", I select the folder Pictures, and click on Save.
    BTW, I don't know why, but the file was saved only as "000" without the file extension ".jpg". Does anybody know why?
    the extension is simply hidden. go to the get info panel for the file and uncheck the option to hide the extension.
    Then I surf to another image, and again I save it as "000.jpg" and now it asks me if I want to replace the existing filename, although the existing one is "000" and I try to save as "000.jpg", so I say yes, and then magically the file is saved with the full filename including the extension "000.jpg"
    When I did it a couple of times, always saving image as "000.jpg" from various sources, I ended up with two distinct files named "000" and both in the same folder Pictures.
    Please advise.
    it sounds to me like you saved one file as 000.jpg and the other and 000.jpg.jpg.
    check the info panels for the files for full names to verify if this is the case.

Maybe you are looking for

  • Can't install bootcamp 2.1 on windows vista 64

    Hi, I'm trying to install bootcamp 2.1 on vista 64, I've tried through ASU (Apple Software Update) and Downloaded the version avaliable on apple support page. ASU says it can't install it. And the downloaded version simply crashes with no message. I

  • HT201269 My Itunes store will not allow me to ADD a new device - a new phone!!  it keeps bring up my husbands name, I want to add my phone & MY device . . . help!!

    I got a new iphone (& today a new iPad) both come up when attached to my laptop as another persons name in my household.  I want to add my phone & Ipad to the devices, but it doen'st give me that option to add this phone or ipad - they are listed und

  • Need An SQL Query

    Hello, Kindly have a look at two tables… Item_Master Item_Code Item_Name     1          ParentA     2          ChildA          3          ChildB          4          ChildC          5          ParentB     BOM_Relation Parent_ID Child_ID Quantity 1    

  • Batch determination reg.

    Hi dudes, 1.if we want batch determination for components for prod/process order, whether we need inventory management settings for batch determination or for production/process order. 2. if we maintain settings for production/process order, then we

  • OracleDataAdapter with IN or IN-OUT parameters is not supported

    We are getting this message when we are trying to preview the data when creating an OracleDataAdapter with a SQL statement that has a parameter. What does this mean and is there a work-around for it as I'd really like to create a typed dataset from a