2 Frames in one file

i'm trying to put this mass and temperature converter together just like two frames running simultaneously on the screen. i dont know exactly how to do it. what do you think is wrong with this? thanks :)
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public static void convertertogether extends JFrame implements Runnable()
//Mass Converter
public class MassConverter extends JFrame
  private JLabel ounceLabel;
  private JLabel gramLabel;
  private JLabel poundLabel;
  private JLabel kilogramLabel;
  private JTextField ounceTF;
  private JTextField gramTF;
  private JTextField poundTF;
  private JTextField kilogramTF;
  private JButton clearB, exitB;
  private OunceHandler ounceHandler;
  private GramHandler gramHandler;
  private PoundHandler poundHandler;
  private KgHandler kilogramHandler;
  private ClearButtonHandler cbHandler;
  private ExitButtonHandler ebHandler;
  private static final int WIDTH = 200;
  private static final int HEIGHT = 200;
  private static final double OTOG = 28.34952;
  private static final double GTOP = 453.59;
  private static final double PTOK = 2.20462;
  private static final double GTOKG = 1000;
  public MassConverter()
   //Set the Title of the Window
   setTitle("Mass Converter");
   //Get the container
   Container pane2 = getContentPane();
   //Set the layout
   pane2.setLayout(new GridLayout(5, 2));
   //Create the four Labels
   ounceLabel = new JLabel ("Ounce: ", SwingConstants.RIGHT);
   gramLabel = new JLabel ("Gram: ", SwingConstants.RIGHT);
   poundLabel = new JLabel ("Pound: ", SwingConstants.RIGHT);
   kilogramLabel = new JLabel ("Kilogram: ", SwingConstants.RIGHT);
   //Create Ounce Text Field
   ounceTF = new JTextField(7);
   ounceHandler = new OunceHandler();
   ounceTF.addActionListener(ounceHandler);
   //Create Gram Text Field
   gramTF = new JTextField(7);
   gramHandler = new GramHandler();
   gramTF.addActionListener(gramHandler);
   //Create Pound Text Field
   poundTF = new JTextField(7);
   poundHandler = new PoundHandler();
   poundTF.addActionListener(poundHandler);
   //Create Kilogram Text Field
   kilogramTF = new JTextField(7);
   kilogramHandler = new KgHandler();
   kilogramTF.addActionListener(kilogramHandler);
   //Create Clear Button
   clearB = new JButton("Clear");
   cbHandler = new ClearButtonHandler();
   clearB.addActionListener(cbHandler);
   //Create Exit Button
   exitB = new JButton("Exit");
   ebHandler = new ExitButtonHandler();
   exitB.addActionListener(ebHandler);
   //Place the components in the container
   pane2.add(ounceLabel);
   pane2.add(ounceTF);
   pane2.add(gramLabel);
   pane2.add(gramTF);
   pane2.add(poundLabel);
   pane2.add(poundTF);
   pane2.add(kilogramLabel);
   pane2.add(kilogramTF);
   pane2.add(clearB);
   pane2.add(exitB);
   //Set the size of the window and display it
   setSize(WIDTH, HEIGHT);
   setDefaultCloseOperation(EXIT_ON_CLOSE);
   setVisible(true);
  private class OunceHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double ounce, gram, pound, kilogram;
    ounce = Double.parseDouble(ounceTF.getText());
    gram = ounce * OTOG;
    gramTF.setText(String.format("%.5f", gram));
    pound = gram / GTOP;
    poundTF.setText(String.format("%.5f", pound));
    kilogram = pound / PTOK;
    kilogramTF.setText(String.format("%.5f", kilogram));
  private class GramHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double ounce, gram, pound, kilogram;
    gram = Double.parseDouble(gramTF.getText());
    ounce = gram / OTOG;
    ounceTF.setText(String.format("%.5f", ounce));
    pound = gram / GTOP;
    poundTF.setText(String.format("%.5f", pound));
    kilogram = pound / PTOK;
    kilogramTF.setText(String.format("%.5f", kilogram));
  private class PoundHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double ounce, gram, pound, kilogram;
    pound = Double.parseDouble(poundTF.getText());
    kilogram = pound / PTOK;
    kilogramTF.setText(String.format("%.5f", kilogram));
    gram = kilogram * GTOKG;
    gramTF.setText(String.format("%.5f", gram));
    ounce = gram / OTOG;
    ounceTF.setText(String.format("%.5f", ounce));
  private class KgHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double ounce, gram, pound, kilogram;
    kilogram = Double.parseDouble(kilogramTF.getText());
    gram = kilogram * GTOKG;
    gramTF.setText(String.format("%.5f", gram));
    ounce = gram / OTOG;
    ounceTF.setText(String.format("%.5f", ounce));
    pound = gram / GTOP;
    poundTF.setText(String.format("%.5f", pound));
  private class ClearButtonHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    ounceTF.setText(null);
    gramTF.setText(null);
    poundTF.setText(null);
    kilogramTF.setText(null);
  private class ExitButtonHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    System.exit(0);
//Temperature Converter
public class TempConverter extends JFrame
  private JLabel celsiusLabel;
  private JLabel fahrenheitLabel;
  private JLabel kelvinLabel;
  private JTextField celsiusTF;
  private JTextField fahrenheitTF;
  private JTextField kelvinTF;
   private JButton clearB, exitB;
  private CelsHandler celsiusHandler;
  private FahrHandler fahrenheitHandler;
  private KelvHandler kelvinHandler;
   private ClearButtonHandler cbHandler;
  private ExitButtonHandler ebHandler;
  private static final int WIDTH = 250;
  private static final int HEIGHT = 200;
  private static final double FTOC = 5.0/9.0;
  private static final double CTOF = 9.0/5.0;
  private static final int OFFSET = 32;
  private static final double K = 273.15;
  public TempConverter()
   //Set the Title of the Window
   setTitle("Temperature Converter");
   //Get the container
   Container c = getContentPane();
   //Set the layout
   c.setLayout(new GridLayout(4, 2));
   //Create the three Labels
   celsiusLabel = new JLabel ("Celsius: ", SwingConstants.RIGHT);
   fahrenheitLabel = new JLabel ("Fahrenheit: ", SwingConstants.RIGHT);
   kelvinLabel = new JLabel ("Kelvin: ", SwingConstants.RIGHT);
   //Create Celsius Text Field
   celsiusTF = new JTextField(7);
   celsiusHandler = new CelsHandler();
   celsiusTF.addActionListener(celsiusHandler);
   //Create Fahrenheit Text Field
   fahrenheitTF = new JTextField(7);
   fahrenheitHandler = new FahrHandler();
   fahrenheitTF.addActionListener(fahrenheitHandler);
   //Create Kelvin Text Field
   kelvinTF = new JTextField(7);
   kelvinHandler = new KelvHandler();
   kelvinTF.addActionListener(kelvinHandler);
   //Create Clear Button
   clearB = new JButton("Clear");
   cbHandler = new ClearButtonHandler();
   clearB.addActionListener(cbHandler);
   //Create Exit Button
   exitB = new JButton("Exit");
   ebHandler = new ExitButtonHandler();
   exitB.addActionListener(ebHandler);
   //Place the components in the container
   c.add(celsiusLabel);
   c.add(celsiusTF);
   c.add(fahrenheitLabel);
   c.add(fahrenheitTF);
   c.add(kelvinLabel);
   c.add(kelvinTF);
   c.add(clearB);
   c.add(exitB);
   //Set the size of the window and display it
   setSize(WIDTH, HEIGHT);
   setDefaultCloseOperation(EXIT_ON_CLOSE);
   setVisible(true);
  private class CelsHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double celsius, fahrenheit, kelvin;
    celsius = Double.parseDouble(celsiusTF.getText());
    fahrenheit = celsius * CTOF + OFFSET;
    fahrenheitTF.setText(String.format("%.5f", fahrenheit));
    kelvin = celsius + K;
    kelvinTF.setText(String.format("%.5f", kelvin));
  private class FahrHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double celsius, fahrenheit, kelvin;
    fahrenheit = Double.parseDouble(fahrenheitTF.getText());
    celsius = (fahrenheit - OFFSET) * FTOC;
    celsiusTF.setText(String.format("%.5f", celsius));
    kelvin = celsius + K;
    kelvinTF.setText(String.format("%.5f", kelvin));
  private class KelvHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    double celsius, fahrenheit, kelvin;
    kelvin = Double.parseDouble(kelvinTF.getText());
    celsius = kelvin - K;
    celsiusTF.setText(String.format("%.5f", celsius));
    fahrenheit = celsius * CTOF + OFFSET;
    fahrenheitTF.setText(String.format("%.5f", fahrenheit));
  private class ClearButtonHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    celsiusTF.setText(null);
    fahrenheitTF.setText(null);
    kelvinTF.setText(null);
  private class ExitButtonHandler implements ActionListener
   public void actionPerformed(ActionEvent e)
    System.exit(0);
public static void main(String[] args)
  MassConverter massConv = new MassConverter();
  TempConverter tempConv = new TempConverter();
}

han_jaeryul wrote:
i'm trying to put this mass and temperature converter together just like two frames running simultaneously on the screen. i dont know exactly how to do it. what do you think is wrong with this? thanks :)
public static void convertertogether extends JFrame implements Runnable()
Also, you need to reread the basics if you think that this is how you start a class. You need to define a class as a class. It doesn't have a return type, and it's not static (unless it's an inner class). There are too many errors of basic java to know where to begin correcting. Thus I recommend scuttling the whole thing. By the way, are these your TempConverter and MassConverter classes or did you get them from online?

Similar Messages

  • Drag and drop picture frames in Photoshop Elements 11 from one file to another?

    Hello,
    I am a digital scrapbooker.
    I recently started using Adobe Photoshop Elements 11. I previously had been using Elements 7. I make extensive use of Picture Frames i.e "Basic Black 10px", and in Elements 7, it was very easy to drag and drop a picture frame from one file to another. (I use a separate file for each scrapbook page, and I often move pictures between  pages as I scrap them)
    In Photoshop Elementa 11,  I can drag and drop a picture frame from one file to another, but ONLY if there is no picture in it. If there is a picture, I cannot drag and drop - the circle-slash icon appears showing that it won't land. I was able to do this in Photoshop Elements 7, whether or not there was a picture in the frame.
    Any ideas of what I might be doing wrong, or did Photoshop Elements change this functionality?
    Thank you!

    I think this might be a bug in pse 11, at least on the windows version.
    You might try right clicking on the frame layer in the layers panel, choose Duplicate Frame Layer and pick your other document as the destination.

  • How do i load several large movies in one file?

    Hi folks -- need help desperately here...
    I have four very large Flash movies with audio, a couple of
    which are approaching the 16,000-frame limit. I need them all to
    play one after the other, in a loop, unattended. I can't copy and
    paste all the frames into one file because Flash movies stop
    playing at 16,000 frames. After many web searches I've found that I
    can supposedly set up a movie that plays all four other movies,
    using loadmovie, but I can't seem to find out how exactly.
    By the way, I was hoping to play this in a projector file,
    but if it must be done in a browser that should be OK, as long as
    the browser in question has a full screen mode.
    Can anybody give me instructions on how to set this up?
    Thanks in advance -- and by the way, I'm not good with
    Actionscript, so please go easy on me...

    Actually just in trying to find a solution I ended up
    creating a movie with just one frame -- it loaded the first SWF
    into Level 0. I put script in the last frame of the first movie to
    load the second movie into Level 0, and so on until the last movie
    loaded the first one in again. So far I have had it running in a
    loop with no problem. I'm going to leave it running overnight to
    see if there are any memory issues, etc, but so far it's rocking
    just fine.
    Thanks for your help anyhow!

  • Can I copy one frame of a movie using iMove and save the frame as a file that can be printed like a picture?

    Can I copy one frame of a movie using iMovie and save the frame as a file that can be printed like a picture?  If so, how do I do that?

    You could if you want a postcard sized print.
    Printers need a lot more "dots" per inch and even a 1920X1080 video doesn't have enough "dots" to make more than a postcard.
    Look at the "More Like This" links at the right side of this page for instructions.

  • How to get audio and video in one file

    hi...I am "premiere beginner user" and I have a simple question , I think..:)...Every time when I am trying to export media out from my premiere (using media encoder) I get video file and some audio files, but what I need is only ONE file, that contains both (audio and video)..for example , I have edited film in hd quality and I want it to export, I choose h.264 format(make some settings,pal,audio quality...) and when it´s "all done", only "result" I get is one video file and two audio files and they are not together :).....so please help mme anyone..ok and as you can see I am not from english speaking country, so sorry for my english...thanks for help....

    There is no indication that something is out-of-sync or the ability to move/slip into sync like in FCE/FCP.
    To the best of my knowledge, using match frame and overwriting the video with video+audio (or attaching it as a connected clip if you don't want to overwrite the video, which might have effects applied) is the best way to do this.
    You can use the blade tool first in the timeline to get just the section you want to get back into sync. Make cuts so that you have a single clip that needs the audio resynced, select it, and use shift-F to select the original synced clip in the Event Browser. Make sure your play head is at the beginning of this video clip in the timeline. Press option-2, then 'q', and now you have the audio back in your timeline, synced with the video.  Delete the old, no-longer-synced audio and you should be set.

  • How to copy-paste frames from one document to other with there respective layers intact?

    Hi All,
         I am facing an issue while copy paste frames from one document to other. I have a 3 frames in first documents each one on different layer. First document has 3 layers. The second document too have 3 layers , I am copying frames from first document to scrapdata using 'ICopyCmdData ' and 'kCopyCmdBoss'. I have 'Paste Remembers Layers' menu 'Checked' on Layer panel. I am using following function to copy frames to scrapdata.
    bool16 copyStencilsFromTheTemplateDocumentIntoScrapData(PMString & templateFilePath)
         bool16 result = kFalse;
        do
            SDKLayoutHelper sdklhelp;
            PMString filePathItemsToBeCopiedFrom(templateFilePath);  //("c:\\test\\aa.indt");
            IDFile templateIDFile(filePathItemsToBeCopiedFrom);
            UIDRef templateDocUIDRef = sdklhelp.OpenDocument(templateIDFile);
            if(templateDocUIDRef == UIDRef ::gNull)                 
                break;
            ErrorCode err = sdklhelp.OpenLayoutWindow(templateDocUIDRef);
            if(err == kFailure)                 
                break;
            InterfacePtr<IDocument> templatedoc(templateDocUIDRef,UseDefaultIID());
            if(templatedoc == nil)               
                break;
            InterfacePtr<ISpreadList>templateSpreadUIDList(templatedoc,UseDefaultIID());
            if(templateSpreadUIDList == nil)                  
                break;
            IDataBase * templateDocDatabase = templateDocUIDRef.GetDataBase();
            if(templateDocDatabase == nil)                  
                break;
            UIDRef templateDocFirstSpreadUIDRef(templateDocDatabase, templateSpreadUIDList->GetNthSpreadUID(0));
            InterfacePtr<ISpread> templateSpread(templateDocFirstSpreadUIDRef, IID_ISPREAD);
            if(templateSpread == nil)                 
                break;
            UIDList templateFrameUIDList(templateDocDatabase);
            if(templateSpread->GetNthPageUID(0)== kInvalidUID)                  
                break;      
            templateSpread->GetItemsOnPage(0,&templateFrameUIDList,kFalse,kTrue);  
            InterfacePtr<ICommand> copyStencilsCMD(CmdUtils::CreateCommand(kCopyCmdBoss));
            if(copyStencilsCMD == nil)                
                break;
            InterfacePtr<ICopyCmdData> cmdData(copyStencilsCMD, IID_ICOPYCMDDATA);
            if(cmdData == nil)                 
                break;
            // Copy cmd will own this list
            UIDList* listCopy = new UIDList(templateFrameUIDList);
            InterfacePtr<IClipboardController> clipboardController(gSession,UseDefaultIID());
            if(clipboardController == nil)              
                break;
            ErrorCode status = clipboardController->PrepareForCopy();
            if(status == kFailure)                  
                break;
            InterfacePtr<IDataExchangeHandler> scrapHandler(clipboardController->QueryHandler(kPageItemFlavor));
            if(scrapHandler == nil)                 
                break;
            clipboardController->SetActiveScrapHandler(scrapHandler);
            InterfacePtr<IPageItemScrapData> scrapData(scrapHandler, UseDefaultIID());
            if(scrapData== nil)                
                break;
            UIDRef parent = scrapData->GetRootNode();
            cmdData->Set(copyStencilsCMD, listCopy, parent, scrapHandler);
            if(templateFrameUIDList.Length() == 0)       
                return kFalse;      
            else      
                status = CmdUtils::ProcessCommand(copyStencilsCMD);    
            if(status != kFailure)
              result = kTrue;
            sdklhelp.CloseDocument(templateDocUIDRef,kFalse,K2::kSuppressUI, kFalse);
        }while(kFalse);
        return result;
    After this I need to close first document. Now I am opening the second document from indt file which has same number of layers as first document. I am trying to paste frames from scrap data to second document using '' 'ICopyCmdData ' and 'kPasteCmdBoss' as shown in follwoing function
    bool16 pasteTheItemsFromScrapDataOntoOpenDocument(UIDRef &documentDocUIDRef )
        bool16 result = kFalse;
        do
               InterfacePtr<IClipboardController> clipboardController(gSession,UseDefaultIID());
                if(clipboardController == nil)
                    break;
               InterfacePtr<IDataExchangeHandler> scrapHandler(clipboardController->QueryHandler(kPageItemFlavor));
               if(scrapHandler == nil)               
                    break;
               InterfacePtr<IPageItemScrapData> scrapData(scrapHandler, UseDefaultIID());
                if(scrapData == nil)
                   break;
                     //This will give the list of items present on the scrap
                UIDList* scrapContents = scrapData->CreateUIDList();
                if (scrapContents->Length() >= 1)
                    InterfacePtr<IDocument> dataToBeSprayedDocument(documentDocUIDRef,UseDefaultIID());
                    if(dataToBeSprayedDocument == nil)
                       break;
                    InterfacePtr<ISpreadList>dataToBeSprayedDocumentSpreadList(dataToBeSprayedDocument,UseDef aultIID());
                    if(dataToBeSprayedDocumentSpreadList == nil)
                         break;
                    IDataBase * dataToBeSprayedDocDatabase = documentDocUIDRef.GetDataBase();
                    if(dataToBeSprayedDocDatabase == nil)
                         break;    
                    UIDRef spreadUIDRef(dataToBeSprayedDocDatabase, dataToBeSprayedDocumentSpreadList->GetNthSpreadUID(0));               
                    SDKLayoutHelper sdklhelp;
                    UIDRef parentLayerUIDRef = sdklhelp.GetSpreadLayerRef(spreadUIDRef);
                    InterfacePtr<IPageItemScrapData> localScrapData(scrapHandler, UseDefaultIID());
                    if(localScrapData == nil)
                        break;
                    if(parentLayerUIDRef.GetUID() == kInvalidUID)
                        break;
                    InterfacePtr<ICommand> pasteToClipBoardCMD (CmdUtils::CreateCommand(kPasteCmdBoss));
                    if(pasteToClipBoardCMD == nil)
                        break;
                    InterfacePtr<ICopyCmdData> cmdData(pasteToClipBoardCMD, UseDefaultIID());
                    if(cmdData == nil)
                        break;
                    if(scrapContents == nil)
                        break;               
                    PMPoint offset(0.0, 0.0);
                    cmdData->SetOffset(offset);
                    cmdData->Set(pasteToClipBoardCMD, scrapContents, parentLayerUIDRef );
                    ErrorCode status = CmdUtils::ProcessCommand(pasteToClipBoardCMD);
                    if(status == kSuccess)
                        CA("result = kTrue");
                        result = kTrue;
                }//end if (scrapContents->Length() >= 1)       
        }while(kFalse);
        return result;
         Here in above function its required to set Parent Layer UIDRef and because of this all frames are getting paste in one layer.
    Is there any way we can paste frame in there respective layers?
         Also I need to work this code with CS4 server and desktop indesign.
    Thanks in advance,
    Rahul Dalvi

    Try,
    // dstDoc must be FrontDocument
    InterfacePtr<ILayoutControlData> layoutData(Utils<ILayoutUIUtils>()->QueryFrontLayoutData());
    InterfacePtr<ICommand> createMasterFromMasterCmd(CmdUtils::CreateCommand(kCreateMasterFromMasterCmdBoss));
    createMasterFromMasterCmd->SetItemList(UIDList(srcMasterSpreadUIDRef));
    InterfacePtr<ILayoutCmdData> layoutCmdData(createMasterFromMasterCmd, UseDefaultIID());
    layoutCmdData->Set(::GetUIDRef(layoutData->GetDocument()), layoutData);
    CmdUtils::ProcessCommand(createMasterFromMasterCmd);

  • HT1347 I have an mp3 DVD with episodes of Gunsmoke.  iTunes imports them, but does not sort them correctly by date or episode.  One file name is GS 52-04-26 001 Billy the Kid.mp3

    I have an mp3 DVD with episodes of Gunsmoke.  iTunes imports them, but does not sort them correctly by date or episode.  One file name is GS 52-04-26 001 Billy the Kid.mp3.  iTunes sorts them by month/day/year.  How can I fix that?

    The weird thing is, it worked before. I encoded all the videos previously and had them all listed and didn't encounter this problem, but I noticed I'd forgotten to decomb/detelecine the videos so I deleted everything and re-encoded it all. AFter filling the tags out and setting poster frames again I was thinking of making life easier by just pasting the same artwork for every episode, so I did, but didn't like the results so I deleted it again (I selected every video, used Get Info and pasted the artwork that way).
    I think it was after this that the problem started to occur. In any case I've been through every episode and made sure the name, series, episode and episode id fields are all filled in with incremental values and they are. I even made sure the Sort Name field was filled in on every video. But this didn't work either.
    So, thinking another restart was needed I deleted every video again. Re-encoded them all, again. Set the tags for every video and poster frame again. Finished it all off nicely, checked cover flow and was highly annoyed to find it was STILL showing the same two pieces of art work for every video as shown in that image I posted.
    Ultimately, I wouldn't care so much that cover flow is screwing up like this as I always intended to sort by program anyway so it would only ever display one piece of artwork for an entire series of videos, however where-as when it was working it picked the artwork for the first episode of a series to display, its instead picking one of the latter episodes. I can't seem to find any way of choosing what artwork I want displayed.

  • Select each page's text frame in one shot and resize them

    Hello, I want to make a 400 page text book. How can I select each page's text frame in one shot and change their size simultaneusly? (each text frame has same size per page)

    Make a backup copy of the file incase something goes wrong, then:
    Make sure the frames snap to the margins on all sides -- change the margins on the applied master page to achieve this, if necessary.
    Enable Layout Adjustment (Layout > Layout Adjustment...)
    On the master page change the margins to be the size you want the new text frame dimensions to be.
    If, for some strange reason, you don't want to use these margin settings in the layout, turn OFF layout adjustment and reset them on the master page again to what you want.

  • Can I convert a DVD video to Quicktime, and edit the frames in .jpg files?

    I received a DVD of my wedding. It plays well as a movie on my Windows laptop, running Windows 8.1.
    I would like to remove differents frames, as .jpg files, to send people.
    Can this be done by converting the DVD movie into Quicktime, removing the desired frames, and saving as .jpg files?

    gotalmud wrote:
    Unfortunately, one can not create a screen dump of a frame from a program like Windows' Snipping Tool. Rather, the frame appear blank (black).
    Is there any program that can create an editable image file, like most screen dumps, from a movie frame?
    Yes: iMovie
    You need to convert the VOB files in the TS-Folder of the DVD back to DV which iMovie is designed to handle. For that you need mpegStreamclip:
    http://www.squared5.com/svideo/mpeg-streamclip-mac.html
    which is free, but you must also have the  Apple mpeg2 plugin :
    http://store.apple.com/us/product/D2187Z/A/quicktime-mpeg-2-playback-component-f or-mac-os-x
    (unless you are running Lion in which case see below))
    which is a mere $20.
    Another possibility is to use DVDxDV:
    http://www.dvdxdv.com/NewFolderLookSite/Products/DVDxDV.overview.htm
    which costs $25.
    For the benefit of others who may read this thread:
    Obviously the foregoing only applies to DVDs you have made yourself, or other home-made DVDs that have been given to you. It will NOT work on copy-protected commercial DVDs, which in any case would be illegal.
    And from the TOU of these forums:
    Keep within the Law
    No material may be submitted that is intended to promote or commit an illegal act.
    Do not submit software or descriptions of processes that break or otherwise ‘work around’ digital rights management software or hardware. This includes conversations about ‘ripping’ DVDs or working around FairPlay software used on the iTunes Store.
    If you are running Lion or later:
    From the MPEG Streamclip homepage
    The installer of the MPEG-2 Playback Component may refuse to install the component in Lion. Apple states the component is unnecessary in Lion onwards, however MPEG Streamclip still needs it. See this:
    http://support.apple.com/kb/HT3381
    To install the component in Lion, please download MPEG Streamclip 1.9.3b7 beta above; inside the disk image you will find the Utility MPEG2 Component Lion: use it to install the MPEG-2 Playback Component in Lion. The original installer's disk image (QuickTimeMPEG2.dmg) is required.
    The current versions of MPEG Streamclip cannot take advantage of the built-in MPEG-2 functionality of Lion. For MPEG-2 files you still need to install the QuickTime MPEG-2 Playback Component, which is not preinstalled in Lion. (The same applies to Mountain Lion even though that has it preinstalled.) You don't have to install QuickTime 7.

  • Different Scroll bars in one file

    I've manually customized the look and feel of the scroll bars for scroll pane component and it works fine. I've two different files that have different visual styles for scroll bars. Now I want to merge these two files meaning I want to have one file with two different styles of scrollbars co-existing. I can resolve the naming conflicts but both of the them are using same asset names and action scripts (I think in the class definition).
    So basically my question if how can I have two different scroll bars implemented in one file?
    Many thanks

    You can make the clip that you want to play at 2 fps seem
    that way by just making it longer. Alternately, you could use a
    timed tween.

  • I have two different itunes music files on my computer.  How do I combine them into one file?

    I have two different itunes music files on my computer.  How do I combine them into one file?

    I don't think so. The only other ID I have is a developer id, and I didn't get that until several months after I got the phone. In addition purchases I made from the App Store onthe phone would sync up with It unes on the Mac meaning it would be the same id.
    However I looked at the AppStore on my phone while it was connected to the Mac with iTunes open, and now the balance has changed to the same as the others.

  • I have three websites in one file. How do I separate them into three individual files?

    I have three websites in one file (Domain.Sites2). How do I separate them into three individual files without taking the site down or loosing files?

    Duplicate the domain file 3 times (keeping the orignal as a backup).  Name each domain file for the website you want it to contain.  Then open each domain file and delete the two sites you don't want it it. 
    Since you're running Mt. Lion you'll need to read the following in order to be able to open the different domain files.
    In Lion and Mountain Lion the Home/Library folder is now invisible. To make it permanently visible enter the following in the Terminal application window: chflags nohidden ~/Library and hit the Enter button - 10.7: Un-hide the User Library folder.
    To open your domain file in Lion or Mountain Lion or to switch between multiple domain files Cyclosaurus has provided us with the following script that you can make into an Applescript application with Script Editor. Open Script Editor, copy and paste the script below into Script Editor's window and save as an application. 
    do shell script "/usr/bin/defaults write com.apple.iWeb iWebDefaultsDocumentPath -boolean no"delay 1
    tell application "iWeb" to activate
    You can download an already compiled version with this link: iWeb Switch Domain.
    Just launch the application, find and select the domain file in your Home/Library/Application Support/iWeb folder that you want to open and it will open with iWeb. It modifies the iWeb preference file each time it's launched so one can switch between domain files.
    WARNING: iWeb Switch Domain will overwrite an existing Domain.sites2 file if you select to create a new domain in the same folder.  So rename your domain files once they've been created to something other than the default name.
    OT

  • Can not color label more than one file at a time

    Hi,
    I've had this problem since 10.6.6-ish, i can not color label more than one file at a time in the Finder.
    Wether i select two, twenty or twohundred only one file gets color labeled.
    It doesn't seem to matter if i assign a color label through the File menu or right click > label.
    Figured a re-install might fix this but it hasn't (even a clean install without restoring any kind of backup).
    Does anyone else have this issue and/or a fix for it?
    Thanks,
    Jay

    Aaaaanyone ?

  • Scanning multiple pages into one file using MAC

    How do I scan multiple pages and save them into one file or document using a MacBook Pro laptop?  My printer is an HP Photosmart 7520.  When I use this printer and scan from my PC, it does allow me to scan multiple copies and save as one document by just adding pages as I scan.  When I scan with my MacBook Pro, it scans each page, however, I don't get any option or choice to save as one document.  It automatically saves each page as a separate document.

    Try scanning from your Mac. Use Image Capture app in your Applications folder.
    Click once on the scanner on the left side, then click on Show Details along the bottom. Along the right side you will see LOTS of options for scanning and saving.
    One of those is Format, make the Format PDF.  Just below that will be a check box allowing you to scan multiple pages to one file.
    Say thanks by clicking "Kudos" "thumbs up" in the post that helped you.
    I am employed by HP

  • Scanning multiple pages into one file

    I am scanning several pages that need to be in one file so that I can email that file. My printer has a flatbed where you can place only one page to be scanned at a time. A friend of mine said that it should ask if I want to scan another page but it doesn't.  It simple imports it to "My scans."  There are too many pages to try to email one at a time. I need it in one file. Can anyone help?

    NGB2008
    Welcome to the HP Community Forum.
    Are you talking about PDF files?
    If yes:
    Suggested by our Povost Expert banhien
    PDFSAM – Split and Merge PDF documents – Free, open source, platform independent
    See the Page:
    Merge pdf
    ==================================================​=========
    Further Reference - may not be relevant; you did say your Software / printer does not support combining PDF files using the Full Feature Software:
    Scan_Multiple_Documents-Combine
    Click the Kudos Thumbs-Up to say Thank You!
    And...Click Accept as Solution when my Answer provides a Fix or Workaround!
    I am pleased to provide assistance on behalf of HP. I do not work for HP. 
    Kind Regards,
    Dragon-Fur

Maybe you are looking for

  • HT4432 slow mac mini

    slow mini mac

  • Cannot Access XML Data : Error # 2032

    Hi All, I am getting the above error when I am passing the URL parameters ( 4 of them) to child swf which receives them and based on it , it will access 6 other XMLs. When I use flash parameters the child swf shows the error message, while if I do it

  • Table for flag STLKZ in CS03 transaction

    Hi Guru, in the transaction CS03 for some materials I see in the column (ASM ASSEMBLY STLKZ field) who wants a flag to indicate that this material is related to a bom. In which table can I see the flag STLKZ? Thank for all !

  • Image uploading and saving to database

    hi ,            I am developing application for summer placement . i want to upload image with candidate's details and save it to database. How to do this? I hv got tutorials for uploading image but want to know how to save it to database table along

  • Firefox does not display MobileMe pages correctly. Is this something you are working on fixing?

    Mac OS 10.5.8 Mac Book Pro, Side bar in mail scroll bars are missing and bar will not expand fully. Clicking on an email does not display it on the same page, it requires double clicking and opens in a new page. Side bar in Gallery also not expanding