Need help merging these two files togehter

I have the following class files one reads in a file another creates a file, Can somebody help me put the two class files together so i have one file which creates a file and reads it in, as i am stuck as to which bits need to be copied and which bits i only need once.
/////////////////////////////////////////////////Code to create and save data in to file////////////////
import java.io.*;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import bank.BankUI;
import bank.*;
public class CreateSequentialFile extends JFrame {
   private ObjectOutputStream output;
   private BankUI userInterface;
   private JButton enterButton, openButton;
   private Store store;
   private Employee record;
   // set up GUI
   public CreateSequentialFile()
      super( "Creating a Sequential File of Objects" ); // appears in top of gui
      // create instance of reusable user interface
      userInterface = new BankUI( 9 );  // number of textfields
      getContentPane().add( userInterface, BorderLayout.CENTER );
      // configure button doTask1 for use in this program
      openButton = userInterface.getDoTask1Button();
      openButton.setText( "Save to file" );
      // register listener to call openFile when button pressed
      openButton.addActionListener(
         // anonymous inner class to handle openButton event
         new ActionListener() {
            // call openFile when button pressed
            public void actionPerformed( ActionEvent event )
               openFile();
         } // end anonymous inner class
      ); // end call to addActionListener
      // configure button doTask2 for use in this program
      enterButton = userInterface.getDoTask2Button();
      enterButton.setText( "Save to file..." );
      enterButton.setEnabled( false );  // disable button
      // register listener to call addRecord when button pressed
      enterButton.addActionListener(
         // anonymous inner class to handle enterButton event
         new ActionListener() {
            // call addRecord when button pressed
            public void actionPerformed( ActionEvent event )
               addRecord();
         } // end anonymous inner class
      ); // end call to addActionListener
      // register window listener to handle window closing event
      addWindowListener(
         // anonymous inner class to handle windowClosing event
         new WindowAdapter() {
            // add current record in GUI to file, then close file
            public void windowClosing( WindowEvent event )
                         if ( output != null )
                            addRecord();
                              closeFile();
         } // end anonymous inner class
      ); // end call to addWindowListener
      setSize( 600, 500 );
      setVisible( true );
     store = new Store(100);
   } // end CreateSequentialFile constructor
   // allow user to specify file name
   private void openFile()
      // display file dialog, so user can choose file to open
      JFileChooser fileChooser = new JFileChooser();
      fileChooser.setFileSelectionMode( JFileChooser.FILES_ONLY );
      int result = fileChooser.showSaveDialog( this );
      // if user clicked Cancel button on dialog, return
      if ( result == JFileChooser.CANCEL_OPTION )
         return;
      File fileName = fileChooser.getSelectedFile(); // get selected file
      // display error if invalid
      if ( fileName == null || fileName.getName().equals( "" ) )
         JOptionPane.showMessageDialog( this, "Invalid File Name",
            "Invalid File Name", JOptionPane.ERROR_MESSAGE );
      else {
         // open file
         try {
            output = new ObjectOutputStream(
               new FileOutputStream( fileName ) );
            openButton.setEnabled( false );
            enterButton.setEnabled( true );
         // process exceptions from opening file
         catch ( IOException ioException ) {
            JOptionPane.showMessageDialog( this, "Error Opening File",
               "Error", JOptionPane.ERROR_MESSAGE );
      } // end else
   } // end method openFile
   // close file and terminate application
   private void closeFile()
      // close file
      try {
int storeSize = store.getCount();
for (int i = 0; i<storeSize;i++)
output.writeObject(store.elementAt(i));
         output.close();
         System.exit( 0 );
      // process exceptions from closing file
      catch( IOException ioException ) {
         JOptionPane.showMessageDialog( this, "Error closing file",
            "Error", JOptionPane.ERROR_MESSAGE );
         System.exit( 1 );
   } // end method closeFile
   // add record to file
   public void addRecord()
      int employeeNumber = 0;
      String fieldValues[] = userInterface.getFieldValues();
      // if account field value is not empty
      if ( ! fieldValues[ BankUI.IDNUMBER ].equals( "" ) ) {
         // output values to file
         try {
            employeeNumber = Integer.parseInt(
               fieldValues[ BankUI.IDNUMBER ] );
                    String dob = fieldValues[ BankUI.DOB ];
                    String[] dateofBirth = dob.split ("-"); // what used to put between number
                    String sDate = fieldValues[ BankUI.START ];
                    String[] startDate = sDate.split ("-");
                    String sex = fieldValues[ BankUI.GENDER ];
                    char gender = (sex.charAt(0));
if ( employeeNumber >= 0 ) {
                record  = new Employee(
                fieldValues[ BankUI.NAME ],
                    gender,
                new Date(     Integer.parseInt(dateofBirth[0]),
                          Integer.parseInt(dateofBirth[1]),
                          Integer.parseInt(dateofBirth[2])),
                    fieldValues[ BankUI.ADDRESS ],
                    fieldValues[ BankUI.NATINTNO ],
                    fieldValues[ BankUI.PHONE ],
                    fieldValues[ BankUI.IDNUMBER ],
          new Date(     Integer.parseInt(startDate[0]),
                          Integer.parseInt(startDate[1]),
                          Integer.parseInt(startDate[2])),
          Float.parseFloat( fieldValues[ BankUI.SALARY ] ));
                    if (!store.isFull())
                         store.add(record);
                    else
                    JOptionPane.showMessageDialog( this, "The Store is full you cannot add\n"+
                     "anymore employees. \nPlease Save Current File and Create a New File." );
                         System.out.println("Store full");
                    store.displayAll();
                    System.out.println("Count is " + store.getCount());
                              // output record and flush buffer
                    //should be written to fuile in the close file method.
               output.flush();
            else
                JOptionPane.showMessageDialog( this,
                   "Account number must be greater than 0",
                   "Bad account number", JOptionPane.ERROR_MESSAGE );
            // clear textfields
            userInterface.clearFields();
         } // end try
         // process invalid account number or balance format
         catch ( NumberFormatException formatException ) {
            JOptionPane.showMessageDialog( this,
               "Bad ID number, Date or Salary", "Invalid Number Format",
               JOptionPane.ERROR_MESSAGE );
         // process exceptions from file output
         catch ( ArrayIndexOutOfBoundsException ArrayException ) {
             JOptionPane.showMessageDialog( this, "Error with Start Date or Date of Birth",
                "IO Exception", JOptionPane.ERROR_MESSAGE );
                  // process exceptions from file output
         catch ( IOException ioException ) {
             JOptionPane.showMessageDialog( this, "Error writing to file",
                "IO Exception", JOptionPane.ERROR_MESSAGE );
            closeFile();
      } // end if
   } // end method addRecord
   public static void main( String args[] )
      new CreateSequentialFile();
} // end class CreateSequentialFile
/////////////////////////////Code to read and cycle through the file created above///////////
import java.io.*;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import bank.*;
public class ReadSequentialFile extends JFrame {
   private ObjectInputStream input;
   private BankUI userInterface;
   private JButton nextButton, openButton, nextRecordButton ;
   private Store store = new Store(100);
     private Employee employeeList[] = new Employee[100];
     private int count = 0, next = 0;
   // Constructor -- initialize the Frame
   public ReadSequentialFile()
      super( "Add Employee" );
      // create instance of reusable user interface
      userInterface = new BankUI( 9 ); 
      getContentPane().add( userInterface, BorderLayout.CENTER );
      // get reference to generic task button doTask1 from BankUI
      openButton = userInterface.getDoTask1Button();
      openButton.setText( "Open File" );
      // register listener to call openFile when button pressed
      openButton.addActionListener(
         // anonymous inner class to handle openButton event
         new ActionListener() {
            // close file and terminate application
            public void actionPerformed( ActionEvent event )
               openFile();
         } // end anonymous inner class
      ); // end call to addActionListener
      // register window listener for window closing event
      addWindowListener(
         // anonymous inner class to handle windowClosing event
         new WindowAdapter() {
            // close file and terminate application
            public void windowClosing( WindowEvent event )
               if ( input != null )
                         closeFile();
               System.exit( 0 );
         } // end anonymous inner class
      ); // end call to addWindowListener
      // get reference to generic task button doTask2 from BankUI
      nextButton = userInterface.getDoTask2Button();
      nextButton.setText( "Next Record" );
      nextButton.setEnabled( false );
      // register listener to call readRecord when button pressed
      nextButton.addActionListener(
         // anonymous inner class to handle nextRecord event
         new ActionListener() {
            // call readRecord when user clicks nextRecord
            public void actionPerformed( ActionEvent event )
               readRecord();
         } // end anonymous inner class
      ); // end call to addActionListener
      //get reference to generic task button do Task3 from BankUI
      // get reference to generic task button doTask3 from BankUI
      nextRecordButton = userInterface.getDoTask3Button();
      nextRecordButton.setText( "Get Next Record" );
      nextRecordButton.setEnabled( false );
      // register listener to call readRecord when button pressed
      nextRecordButton.addActionListener(
         // anonymous inner class to handle nextRecord event
         new ActionListener() {
            // call readRecord when user clicks nextRecord
            public void actionPerformed( ActionEvent event )
               getNextRecord();
         } // end anonymous inner class
      ); // end call to addActionListener
      pack();
      setSize( 600, 300 );
      setVisible( true );
   } // end ReadSequentialFile constructor
   // enable user to select file to open
   private void openFile()
      // display file dialog so user can select file to open
      JFileChooser fileChooser = new JFileChooser();
      fileChooser.setFileSelectionMode( JFileChooser.FILES_ONLY );
      int result = fileChooser.showOpenDialog( this );
      // if user clicked Cancel button on dialog, return
      if ( result == JFileChooser.CANCEL_OPTION )
         return;
      // obtain selected file
      File fileName = fileChooser.getSelectedFile();
      // display error if file name invalid
      if ( fileName == null || fileName.getName().equals( "" ) )
         JOptionPane.showMessageDialog( this, "Invalid File Name",
            "Invalid File Name", JOptionPane.ERROR_MESSAGE );
      else {
         // open file
         try {
            input = new ObjectInputStream(
               new FileInputStream( fileName ) );
            openButton.setEnabled( false );
            nextButton.setEnabled( true );
         // process exceptions opening file
         catch ( IOException ioException ) {
            JOptionPane.showMessageDialog( this, "Error Opening File",
               "Error", JOptionPane.ERROR_MESSAGE );
      } // end else
   } // end method openFile
   // read record from file
   public void readRecord()
      Employee record;
      // input the values from the file
      try {
              record = ( Employee ) input.readObject();
               employeeList[count++]= record;
               store.add(record);
          store.displayAll();
          System.out.println("Count is " + store.getCount());
         // create array of Strings to display in GUI
         String values[] = {
                    String.valueOf(record.getName()),
                        String.valueOf(record.getGender()),
                    String.valueOf( record.getDateOfBirth()),
                    String.valueOf( record.getID()),
                         String.valueOf( record.getStartDate()),
                    String.valueOf( record.getSalary()),
                    String.valueOf( record.getAddress()),
                       String.valueOf( record.getNatInsNo()),
                    String.valueOf( record.getPhone())
// i added all those bits above split onto one line to look neater
         // display record contents
         userInterface.setFieldValues( values );
      // display message when end-of-file reached
      catch ( EOFException endOfFileException ) {
         nextButton.setEnabled( false );
      nextRecordButton.setEnabled( true );
         JOptionPane.showMessageDialog( this, "No more records in file",
            "End of File", JOptionPane.ERROR_MESSAGE );
      // display error message if class is not found
      catch ( ClassNotFoundException classNotFoundException ) {
         JOptionPane.showMessageDialog( this, "Unable to create object",
            "Class Not Found", JOptionPane.ERROR_MESSAGE );
      // display error message if cannot read due to problem with file
      catch ( IOException ioException ) {
         JOptionPane.showMessageDialog( this,
            "Error during read from file",
            "Read Error", JOptionPane.ERROR_MESSAGE );
   } // end method readRecord
   private void getNextRecord()
           Employee record = employeeList[next++%count];//cycles throught accounts
      //create aray of string to display in GUI
      String values[] = {String.valueOf(record.getName()),
         String.valueOf(record.getGender()),
          String.valueOf( record.getStartDate() ), String.valueOf( record.getAddress()),
     String.valueOf( record.getNatInsNo()),
     String.valueOf( record.getPhone()),
         String.valueOf( record.getID() ),
           String.valueOf( record.getDateOfBirth() ),
     String.valueOf( record.getSalary() ) };
     //display record contents
     userInterface.setFieldValues(values);
     //display record contents
  // again i nicked these write them on one line
  // close file and terminate application
   private void closeFile()
      // close file and exit
      try {
         input.close();
         System.exit( 0 );
      // process exception while closing file
      catch ( IOException ioException ) {
         JOptionPane.showMessageDialog( this, "Error closing file",
            "Error", JOptionPane.ERROR_MESSAGE );
         System.exit( 1 );
   } // end method closeFile
   public static void main( String args[] )
      new ReadSequentialFile();
} // end class ReadSequentialFile

I tired putting both codes together and got this, it runs but does not do what i want can anybody help me put the above two codes together as one
import java.io.*;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import bank.BankUI;
import bank.*;
public class togehter extends JFrame {
   private ObjectOutputStream output;
   private BankUI userInterface;
   private JButton enterButton, openButton;
   //private Store store; wont work if i un comment this
   private Employee record;
// from read
     private ObjectInputStream input;
     private JButton nextButton, openButton2, nextRecordButton ;
        private Store store = new Store(100);
     private Employee employeeList[] = new Employee[100];
     private int count = 0, next = 0;
// end of read
   // set up GUI
   public togehter()
      super( "Creating a Sequential File of Objects" ); // appears in top of gui
      // create instance of reusable user interface
      userInterface = new BankUI( 9 );  //  textfields
      getContentPane().add( userInterface, BorderLayout.CENTER );
      // configure button doTask1 for use in this program
      openButton = userInterface.getDoTask1Button();
      openButton.setText( "Save to file" );
      // register listener to call openFile when button pressed
      openButton.addActionListener(
         // anonymous inner class to handle openButton event
         new ActionListener() {
            // call openFile when button pressed
            public void actionPerformed( ActionEvent event )
               openFile();
         } // end anonymous inner class
      ); // end call to addActionListener
// from read
      // get reference to generic task button doTask1 from BankUI
      openButton2 = userInterface.getDoTask1Button();
      openButton2.setText( "Open File" );
      // register listener to call openFile when button pressed
      openButton2.addActionListener(
         // anonymous inner class to handle openButton2 event
         new ActionListener() {
            // close file and terminate application
            public void actionPerformed( ActionEvent event )
               openFile();
         } // end anonymous inner class
      ); // end call to addActionListener
// from read end
// from read
// register window listener for window closing event
      addWindowListener(
         // anonymous inner class to handle windowClosing event
         new WindowAdapter() {
            // close file and terminate application
            public void windowClosing( WindowEvent event )
               if ( input != null )
                         closeFile();
               System.exit( 0 );
         } // end anonymous inner class
      ); // end call to addWindowListener
//from read end
// from read
   // get reference to generic task button doTask2 from BankUI
      nextButton = userInterface.getDoTask2Button();
      nextButton.setText( "Next Record" );
      nextButton.setEnabled( false );
      // register listener to call readRecord when button pressed
      nextButton.addActionListener(
         // anonymous inner class to handle nextRecord event
         new ActionListener() {
            // call readRecord when user clicks nextRecord
            public void actionPerformed( ActionEvent event )
               readRecord();
         } // end anonymous inner class
      ); // end call to addActionListener
      //get reference to generic task button do Task3 from BankUI
      // get reference to generic task button doTask3 from BankUI
      nextRecordButton = userInterface.getDoTask3Button();
      nextRecordButton.setText( "Get Next Record" );
      nextRecordButton.setEnabled( false );
      // register listener to call readRecord when button pressed
      nextRecordButton.addActionListener(
         // anonymous inner class to handle nextRecord event
         new ActionListener() {
            // call readRecord when user clicks nextRecord
            public void actionPerformed( ActionEvent event )
               getNextRecord();
         } // end anonymous inner class
      ); // end call to addActionListener
// from read end
      // configure button doTask2 for use in this program
      enterButton = userInterface.getDoTask2Button();
      enterButton.setText( "Save to file..." );
      enterButton.setEnabled( false );  // disable button
      // register listener to call addRecord when button pressed
      enterButton.addActionListener(
         // anonymous inner class to handle enterButton event
         new ActionListener() {
            // call addRecord when button pressed
            public void actionPerformed( ActionEvent event )
               addRecord();
         } // end anonymous inner class
      ); // end call to addActionListener
      // register window listener to handle window closing event
      addWindowListener(
         // anonymous inner class to handle windowClosing event
         new WindowAdapter() {
            // add current record in GUI to file, then close file
            public void windowClosing( WindowEvent event )
                         if ( output != null )
                            addRecord();
                              closeFile();
         } // end anonymous inner class
      ); // end call to addWindowListener
      setSize( 600, 500 );
      setVisible( true );
     store = new Store(100);
   } // end CreateSequentialFile constructor
   // allow user to specify file name
   private void openFile()
      // display file dialog, so user can choose file to open
      JFileChooser fileChooser = new JFileChooser();
      fileChooser.setFileSelectionMode( JFileChooser.FILES_ONLY );
      int result = fileChooser.showSaveDialog( this );
      // if user clicked Cancel button on dialog, return
      if ( result == JFileChooser.CANCEL_OPTION )
         return;
      File fileName = fileChooser.getSelectedFile(); // get selected file
      // display error if invalid
      if ( fileName == null || fileName.getName().equals( "" ) )
         JOptionPane.showMessageDialog( this, "Invalid File Name",
            "Invalid File Name", JOptionPane.ERROR_MESSAGE );
      else {
         // open file
         try {
            output = new ObjectOutputStream(
               new FileOutputStream( fileName ) );
            openButton.setEnabled( false );
            enterButton.setEnabled( true );
         // process exceptions from opening file
         catch ( IOException ioException ) {
            JOptionPane.showMessageDialog( this, "Error Opening File",
               "Error", JOptionPane.ERROR_MESSAGE );
      } // end else
   } // end method openFile
// from read
public void readRecord()
      Employee record;
      // input the values from the file
      try {
              record = ( Employee ) input.readObject();
               employeeList[count++]= record;
               store.add(record);/////////ADDS record to Store
          store.displayAll();
          System.out.println("Count is " + store.getCount());
         // create array of Strings to display in GUI
         String values[] = {
                    String.valueOf(record.getName()),
                        String.valueOf(record.getGender()),
                    String.valueOf( record.getDateOfBirth()),
                    String.valueOf( record.getID()),
                         String.valueOf( record.getStartDate()),
                    String.valueOf( record.getSalary()),
                    String.valueOf( record.getAddress()),
                       String.valueOf( record.getNatInsNo()),
                    String.valueOf( record.getPhone())
         // display record contents
         userInterface.setFieldValues( values );
      // display message when end-of-file reached
      catch ( EOFException endOfFileException ) {
         nextButton.setEnabled( false );
      nextRecordButton.setEnabled( true );
         JOptionPane.showMessageDialog( this, "No more records in file",
            "End of File", JOptionPane.ERROR_MESSAGE );
      // display error message if class is not found
      catch ( ClassNotFoundException classNotFoundException ) {
         JOptionPane.showMessageDialog( this, "Unable to create object",
            "Class Not Found", JOptionPane.ERROR_MESSAGE );
      // display error message if cannot read due to problem with file
      catch ( IOException ioException ) {
         JOptionPane.showMessageDialog( this,
            "Error during read from file",
            "Read Error", JOptionPane.ERROR_MESSAGE );
   } // end method readRecord
//from read end
// from read
private void getNextRecord()
           Employee record = employeeList[next++%count];//cycles throught accounts
      //create aray of string to display in GUI
      String values[] = {String.valueOf(record.getName()),
         String.valueOf(record.getGender()),
          String.valueOf( record.getStartDate() ), String.valueOf( record.getAddress()),
     String.valueOf( record.getNatInsNo()),
     String.valueOf( record.getPhone()),
         String.valueOf( record.getID() ),
           String.valueOf( record.getDateOfBirth() ),
     String.valueOf( record.getSalary() ) };
     //display record contents
     userInterface.setFieldValues(values);
     //display record contents
// from read end
   // close file and terminate application
   private void closeFile()
      // close file
      try {
                                        int storeSize = store.getCount();
                                        for (int i = 0; i<storeSize;i++)
                                        output.writeObject(store.elementAt(i));
         output.close();
input.close(); // from read
         System.exit( 0 );
      // process exceptions from closing file
      catch( IOException ioException ) {
         JOptionPane.showMessageDialog( this, "Error closing file",
            "Error", JOptionPane.ERROR_MESSAGE );
         System.exit( 1 );
   } // end method closeFile
   // add record to file
   public void addRecord()
      int employeeNumber = 0;
      String fieldValues[] = userInterface.getFieldValues();
      // if account field value is not empty
      if ( ! fieldValues[ BankUI.IDNUMBER ].equals( "" ) ) {
         // output values to file
         try {
            employeeNumber = Integer.parseInt(
               fieldValues[ BankUI.IDNUMBER ] );
                    String dob = fieldValues[ BankUI.DOB ];
                    String[] dateofBirth = dob.split ("-"); // what used to put between number chnage to /
                    String sDate = fieldValues[ BankUI.START ];
                    String[] startDate = sDate.split ("-");
                    String sex = fieldValues[ BankUI.GENDER ];
                    char gender = (sex.charAt(0)); // check if m or f prob check in employee
if ( employeeNumber >= 0 ) {
                record  = new Employee(
                fieldValues[ BankUI.NAME ],
                    gender,
                new Date(     Integer.parseInt(dateofBirth[0]),
                          Integer.parseInt(dateofBirth[1]),
                          Integer.parseInt(dateofBirth[2])),
                    fieldValues[ BankUI.ADDRESS ],
                    fieldValues[ BankUI.NATINTNO ],
                    fieldValues[ BankUI.PHONE ],
                    fieldValues[ BankUI.IDNUMBER ],
          new Date(     Integer.parseInt(startDate[0]),
                          Integer.parseInt(startDate[1]),
                          Integer.parseInt(startDate[2])),
          Float.parseFloat( fieldValues[ BankUI.SALARY ] ));
                    if (!store.isFull())
                         store.add(record);
                    else
                    JOptionPane.showMessageDialog( this, "The Store is full you cannot add\n"+
                     "anymore employees. \nPlease Save Current File and Create a New File." );
                         System.out.println("Store full");
                    store.displayAll();
                    System.out.println("Count is " + store.getCount());
                         output.flush();
            else
                JOptionPane.showMessageDialog( this,
                   "Account number must be greater than 0",
                   "Bad account number", JOptionPane.ERROR_MESSAGE );
            // clear textfields
            userInterface.clearFields();
         } // end try
         // process invalid account number or balance format
         catch ( NumberFormatException formatException ) {
            JOptionPane.showMessageDialog( this,
               "Bad ID number, Date or Salary", "Invalid Number Format",
               JOptionPane.ERROR_MESSAGE );
         // process exceptions from file output
         catch ( ArrayIndexOutOfBoundsException ArrayException ) {
             JOptionPane.showMessageDialog( this, "Error with Start Date or Date of Birth",
                "IO Exception", JOptionPane.ERROR_MESSAGE );
                  // process exceptions from file output
         catch ( IOException ioException ) {
             JOptionPane.showMessageDialog( this, "Error writing to file",
                "IO Exception", JOptionPane.ERROR_MESSAGE );
            closeFile();
      } // end if
   } // end method addRecord
   public static void main( String args[] )
      new togehter();
} // end class CreateSequentialFileI GOT IT WORKING BUT THERE WAS A WEIRD ERROR I GET WHEN TRYING TO READ A FILE I JUST WROTE THE THREAD FOR THAT CAN BE FOUND:
http://forum.java.sun.com/thread.jspa?threadID=5147209
Message was edited by:
ajrobson

Similar Messages

  • I need help with these two crash IDs nsStyleContext::FindChildWithRules(nsIAtom const*, nsRuleNode*) and DFusionWebPlugin@0x86b5

    I need help with these two crashes...
    PL_DHashTableOperate | GCGraphBuilder::NoteRoot(unsigned int, void*, nsCycleCollectionParticipant*)
    DFusionWebPlugin@0x86b5
    The first one happened a couple of days ago, a few times and not on any specific website.
    The second one only happens on the site below.

    The second one indicates a problem with the DFusionWebPlugin that shows in your More system details list.
    # D'Fusion Web Plug-In for Safari 64 bits (3.00.13774.0)
    # D'Fusion Web Plug-In (3.00.13774.0)
    What you posted are crash signatures.<br />
    It might help if you post the actual crash IDs (bp-xxxxxxxx-xxxxxxxxx-xxxx-xxxxxxxxxxxx).<br />
    You can find the IDs of the submitted crash reports on the <i>about:crashes</i> page.
    See http://kb.mozillazine.org/Breakpad (Mozilla Crash Reporter)

  • HT4528 I am trying to sync iTunes and download ringtones from Apple store.  I am not able to on my iPhone.  need help with these two issues

    I am having issues with several areas on my iPhone:
    1. When I am trying to update my iTunes on my phone from my laptop I have trouble syncing to my iPhone. How do I get my songs from iTunes transfered to my iPhone?
    2. I am not able to purchase/download ring tones to my iPhone.  Am I able to purchase ringtones?
    3. My daughter has an iPhone also, and it appears that we have to share contacts?  My phone was populated with her contacts and vice versa.  How do I seperate the contacts?

    If it's an iPhone 4S or earlier, download iTunes 10.6.3. This requires Mac OS X 10.5.8.
    If it's an iPhone 5, you need to buy a Mac OS X 10.6 DVD, run the Mac OS X 10.6.8 combo updater, and then install iTunes 11.
    (80456)

  • Could I have some help with making these two files merge?

    Copyright - Trademarking - Prohibiting further use of these files (Unless you are helping me) - Etc..
    Hello, I'm back with another problem and if you read the last post you would have realized that I shortened the code. My goal is to replace my spacer and header with a single header that I based my design around. I just can not get this too work with the rest of the document I have had too many attempts. I will post my header files in 'RED' to begin with and the files I need to combine in 'BLUE'
    Preview of Header:
    Link to the Header HTML Coding:
    Expertpcguides.com
    Link to CSS Coding of the Header:
    http://www.expertpcguides.com/css/header-styling.css
    Example of one of the Html pages that I need to merge:
    /* This Html file is part of the ExpertComputerGuides.com Website Copyright - Trademarked etc.*/
    <!DOCTYPE HTML>
    <html>
        <head>
            <meta charset="UTF-8">
            <meta name="viewport" content="width=device-width, initial-scale=1.0">
            <title>About Us</title>
            <link rel="stylesheet" href="css/merging-reset.css" type="text/css" media="screen" />
            <link rel="stylesheet" href="css/merging-style.css" type="text/css" media="screen" />
            <link href='http://fonts.googleapis.com/css?family=Open+Sans%7CBaumans%7CArvo%7CRoboto' rel='stylesheet' type='text/css' />
            <link rel="shortcut icon" href="customfavicon.ico" type="image/x-icon" />
            <!--[if lt IE 9]>
                <style>
                    header
                        margin: 0 auto 20px auto;
                    #four_columns .img-item figure span.thumb-screen
                        display:none;
                </style>
            <![endif]-->
    </head>
      <body>
    <header>           
                <h1 class="style5">Expertpcguides.com</h1>
              <p class="style6">Technology Explained.</p>
    <select id="alternative_menu" size="1">
                    <option>Home</option>
                    <option>About</option>
                    <option>Contact us</option>
                    <option>Login/Register</option>
                    <option>Forums</option>
    <option>Privacy Policy</option>
                    <option>Disclaimer</option>
                    <option>Legal Notice</option>
                </select>
                <nav>
                <h2 class="hidden">Our navigation</h2>
                    <ul>
                        <li><a href="index.php" class="style19">Home</a></li>
                      <li><a href="about-us.html" class="style19">About</a></li>
                      <li><a href="contact-us.html" class="style19">Contact us</a></li>
                      <li><a href="javascript:void(0)" class="style19">Login/Register</a></li>
                      <li><a href="forums/index.php" class="style19">Forums</a></li>
                  </ul>
              </nav>
            </header>
                    <section id="spacer"> 
            <h2 class="hidden">Dolor sit amet</h2>         
                <p><span class="class3"><a href="articles/dictionary.html" class="style22">Dictionary </a></span><span class="style19">|</span><span class="class4"> <a href="articles/articles.html">Articles </a></span><span class="style19">|</span><span class="class5"> <a href="articles/computerhistory.html">History of the PC</a></span><span class="style19"> |</span><span class="class6"> <a href="articles/freedownloads.html">Free Downloads</a></span></p>
              <div class="search">
    <form id="searchbox_000429658622879505763:gczdzyghogq" action="https://www.google.com/cse/publicurl?cx=000429658622879505763:gczdzyghogq">
    <input value="000429658622879505763:gczdzyghogq" name="cx" type="hidden"/>
    <input value="FORID:11" name="cof" type="hidden"/>
    <input id="q" style="width:150px;" name="q" size="70" type="text" />
    <input value="Search" name="sa" type="submit"/>
    </form>
    </div>
        </section>
    <section id="boxcontent">
    <section id="four_columns">
                <h2 class="style20">
                    About Us</h2>   
                <p class="style10">We are an online non-profit organisation who are continously increasing in numbers, thanks to you guys. With multiple articles providing information into PC personalisation, Problem removal, Tips &amp; tweaks and general help you are sure to find something helpful to you. </p>
                <p class="style10">We have a motto 'Technology Explained.' and this is exactly what we wish to stand by. We offer in-depth tutorials that focus on providing that little-bit of information which no other site will include. </p>
                <p class="style10">Our goal is to combine multiple sites, so that you can receive more specific information which no other site will provide. In saying this, we certainly don't just copy and paste other peoples articles, but may use some of the concepts from other sites with our own wording or interpretation. If some of our wording alligns up with another website this is likely because the topic was broad and every website will have similar information.</p>
                <p class="style10"> </p>
        <div><h2 class="style20">General Questions and Answers:</h2></div>
                <p class="style12"> </p>
                <p class="style17">Can I email you guys?</p>
        <p class="style14">You certainly can. But on a busy day you should probably post your thoughts in the forums. We aim to answer every relevant email within 24 hours. In the forums we generally rely on other users to help eachother out, but we may step in if we know the answer.</p>
                <p class="style14"> </p>
                <p class="style17">When and why did you start this site?</p>
        <p class="style13"><span class="style14">This site was started on the 12th of the 7th, 2014. The intention behind this development was to create a website that would be functional with a variety of articles for many users. Worst case scenario, the authour would have a neat offline guide for all of his problems.</span></p>
        <p class="style13"> </p>
                <p class="style17">Would  you be able to write articles for us?</p>
        <p class="style13"><span class="style14">More than likely, just contact us and we will consider your inquiry.</span></p>
                <p class="style13"> </p>
                <p class="style17">Can I write articles for you?</p>
        <p class="style13"><span class="style14">Less than likely, the articles on this site are in the copy of one person making access to others difficult. Pointing out clear influencies and spelling errors is appreciated, more information about this is </span><a href="create-a-page.html" class="style60">here.</a></p>
        <p class="style13"> </p>
                <p class="style17">Can I republish your articles?</p>
        <p class="style13"><span class="style14">No way. Making this website took ages and because of that substancial amount of time spent, every single sentence on this sight is copyright. In saying this though some topics may be broad, and there may be only one way to word the situation at hand for example opening the start menu is generally something which will sound exactly the same on multiple sites.</span></p>
        <p class="style13"> </p>
                <p class="style17">Where do you guys get these ideas from?</p>
        <p class="style13"><span class="style14">Most of these ideas come from what we had once searched up, user suggestions, or what we think other people might search up. This was done with the intention of linking multiple searches into one site, that many people would have the ability to  access. </span></p>
                <p class="style13"> </p>
                <p><span class="style17">How many people are making this site?</span></p>
        <p><span class="style14">At this point in time, there is one person developing on the site. Which is why all helpful contribution made by internet strangers is appreciated.</span></p>
                <p> </p>
                <p><span class="style17">What program did you use to make this website?</span></p>
        <p><span class="style14">Adobe Dreamweaver CS3.</span></p>
      </section>
    </section>
    <section id="text_columns">
    <section class="column2"></section>
            </section>
    <footer>
      <h2 class="hidden">Our footer</h2>
          <section id="copyright">
            <h3 class="hidden">Copyright notice</h3>
            <div class="wrapper">
              <div class="social"> <a href="index.html"><img src="img/G.png" alt="G" width="25"/></a> <a href="index.html"><img src="img/U.png" alt="U" width="25"/></a> <a href="index.html"><img src="img/I.png" alt="I" width="25"/></a> <a href="index.html"><img src="img/D.png" alt="D" width="25"/></a> <a href="index.html"><img src="img/E.png" alt="E" width="25"/></a> <a href="index.html"><img src="img/S.png" alt="S" width="25"/></a> </div>
            &copy; Copyright 2014 by Expertpcguides.com. All Rights Reserved. </div>
    </section>
          <section class="wrapper">
            <h3 class="hidden">Footer content</h3>
            <article class="column hide">
              <h4>Site Links</h4>
                <div class="class2">
                  <p><a href="web-contributors.html" class="style18">Developers/Contributors</a></p>
              </div>
              <div class="class2">
                  <p><a href="create-a-page.html" class="style18">Create a page</a></p>
                </div>
              <div class="class2">
                <p><a href="point-system.html" class="style18">Rewards System</a></p>
              </div>
              <div class="class2">
                <p><a href="privacy" class="style18">Privacy</a></p>
              </div>
                                 <div class="class1">
                <p><a href="site-map.html" class="style18">Site Map</a></p>
              </div>
            </article>
            <article class="column midlist2">
              <h4 class="style4">Follow Us</h4>
              <ul class="style4">
      <li><div class="class2">
        <p><img src="img/Facebook-logo.png" alt="Facebook Image" width="32" height="34"/><span class="style31"><a href="https://www.facebook.com/expertpcguides" class="style31"> Facebook</a></span></p></div></li>
    <li><div class="class2">
                  <p><img src="img/Twitter-Logo.jpg" alt="Twitter Image" width="30" height="33"/><a href="https://twitter.com/ExpertPcGuides" class="style31"> Twitter</a></p></div>
    <li>
         <li><div class="class2">
        <p><img src="img/Google+Logo.jpg" alt="Google + Image" width="31" height="35"/><a href="https://plus.google.com/115474035983654843441" class="style31"> Google Plus</a></p></div></li>
      <li><div class="class2">   
        <p><img src="img/Pininterest-Logo.png" alt="Pininterest Image" width="33" height="34" ><a href="http://www.pinterest.com/expertpcguides/" class="style31"> Pininterest</a></p></div>
      <li>
              </ul>
            </article>
            <article class="column rightlist">
              <h4>Interested in Exclusive Articles?</h4>
                <div class="class2">
                  <p><a href="login.html" class="style18">All you need to do is login/register</a></p>
              </div>
            </article>
          </section>
    <section class="wrapper"><h3 class="hidden">If you are seeing this, then the site is losing stability</h3></section>
            </footer>
    </body>
    </html>
    'Merging-Style.css' File:
    http://www.expertpcguides.com/css/merging-style.css
    'Merging-Reset.css' File:
    http://www.expertpcguides.com/css/merging-reset.css
    Thanks for the help in advance.

    You're not getting any help because your HTML & CSS code is pretty messy.  It's like asking an interior designer to make over a very untidy bedroom.  It's not going to happen until you clean things up.
    I would start with just the basic HTML code like this.  Avoid those redundant style10, style19, style108 tags.    You really don't need them.  HTML selectors provide you with all the hooks you need for most things.  Also, you should run a spell check.  I saw errors but I didn't fix them.
    <!DOCTYPE HTML>
    <html>
    <head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>About Expert PC Guides</title>
    <link href='http://fonts.googleapis.com/css?family=Open+Sans%7CBaumans%7CArvo%7CRoboto' rel='stylesheet' type='text/css' />
    <link rel="shortcut icon" href="customfavicon.ico" type="image/x-icon" />
    <style>
    /**CSS RESET**/
        -moz-box-sizing: border-box;
        -webkit-box-sizing: border-box;
        box-sizing: border-box;
    img { vertical-align: bottom }
    ol, ul { list-style: none; }
    /**LAYOUT STYLES**/
    body {margin:0;}
    header {margin:0; }
    header h1 {}
    header h2 {}
    /**top nav**/
    nav { margin: 4% }
    nav li { display: inline }
    nav li a {
        margin: 1%;
        padding: 1%;
        text-decoration: none;
    nav li a:visited { }
    nav li a:hover, nav li a:active, nav li a:focus { }
    /**search bar**/
    section.top {
        background: #1A3BE5;
        overflow: hidden;
    section.top li {
        float: left;
        margin: 1.5%;
    section.top li a { color: #FFF }
    section.top li:after {content: '| ';}
    .search { float: right; }
    /**main content**/
    article { }
    article h3 {margin:0; padding:0 }
    article p { }
    /**Q&A definition lists**/
    dl { margin: 2%; }
    dt {
        font-size: 125%;
        color: #1A3BE5;
        font-weight: bold;
    dd {
        font-size: 90%;
        color: #333;
        margin-left: 4%
    footer {
        background: #333;
        color: #CCC
    /**3 columns**/
    footer aside {
        width: 33%;
        float: left;
        padding: 0 2%
    /**footer links**/
    footer a {
        color: #EAEAEA;
        text-decoration: none
    footer a:hover {text-decoration: underline}
    footer ul li { line-height: 1.5 }
    footer h4 {margin:0 }
    footer p { }
    /**clear floats**/
    .clearing {
        clear: both;
        display: block
    </style>
    </head>
    <body>
    <header>
    <h1>Expertpcguides.com</h1>
    <h2>Technology Explained</h2>
    <!--top menu-->
    <nav>
    <ul>
    <li><a href="index.php">Home</a></li>
    <li><a href="about-us.html">About</a></li>
    <li><a href="contact-us.html">Contact us</a></li>
    <li><a href="javascript:void(0)">Login/Register</a></li>
    <li><a href="forums/index.php">Forums</a></li>
    </ul>
    </nav>
    </header>
    <!--search bar-->
    <section class="top">
    <h3>Search Bar</h3>
    <ul>
    <li><a href="articles/dictionary.html">Dictionary</a></li>
    <li><a href="articles/articles.html">Articles</a></li>
    <li><a href="articles/computerhistory.html">History of the PC</a></li>
    <li><a href="articles/freedownloads.html">Free Downloads</a> </li>
    </ul>
    <form class="search" id="searchbox_000429658622879505763:gczdzyghogq" action="https://www.google.com/cse/publicurl?cx=000429658622879505763:gczdzyghogq">
    <input value="000429658622879505763:gczdzyghogq" name="cx" type="hidden"/>
    <input value="FORID:11" name="cof" type="hidden"/>
    <input id="q" style="width:150px" name="q" size="70" type="text" />
    <input value="Search" name="sa" type="submit"/>
    </form>
    <!--end search bar-->
    </section>
    <article>
    <h2>About Us</h2>
    <p>We are an online non-profit organisation who are continously increasing in numbers, thanks to you guys. With multiple articles providing information into PC personalisation, Problem removal, Tips &amp; tweaks and general help you are sure to find something helpful to you. </p>
    <p>We have a motto 'Technology Explained.' and this is exactly what we wish to stand by. We offer in-depth tutorials that focus on providing that little-bit of information which no other site will include. </p>
    <p>Our goal is to combine multiple sites, so that you can receive more specific information which no other site will provide. In saying this, we certainly don't just copy and paste other peoples articles, but may use some of the concepts from other sites with our own wording or interpretation. If some of our wording alligns up with another website this is likely because the topic was broad and every website will have similar information.</p>
    <h2>General Questions and Answers:</h2>
    <!--Q&A definition lists-->
    <dl>
    <dt>Can I email you guys?</dt>
    <dd>You certainly can. But on a busy day you should probably post your thoughts in the forums. We aim to answer every relevant email within 24 hours. In the forums we generally rely on other users to help each other out, but we may step in if we know the answer.</dd>
    </dl>
    <dl>
    <dt>When and why did you start this site?</dt>
    <dd>This site was started on the 12th of the 7th, 2014. The intention behind this development was to create a website that would be functional with a variety of articles for many users. Worst case scenario, the authour would have a neat offline guide for all of his problems. </dd>
    </dl>
    <dl>
    <dt>Would  you be able to write articles for us?</dt>
    <dd>More than likely, just contact us and we will consider your inquiry.</dd>
    </dl>
    <dl>
    <dt>Can I write articles for you?</dt>
    <dd>Less than likely, the articles on this site are in the copy of one person making access to others difficult. Pointing out clear influencies and spelling errors is appreciated. <a href="create-a-page.html" class="style60">Click here for more information.</a></dd>
    </dl>
    <dl>
    <dt>Can I republish your articles?</dt>
    <dd>No way. Making this website took ages and because of that substancial amount of time spent, every single sentence on this sight is copyright. In saying this though some topics may be broad, and there may be only one way to word the situation at hand for example opening the start menu is generally something which will sound exactly the same on multiple sites.</dd>
    </dl>
    <dl>
    <dt>Where do you guys get these ideas from?</dt>
    <dd>Most of these ideas come from what we had once searched up, user suggestions, or what we think other people might search up. This was done with the intention of linking multiple searches into one site, that many people would have the ability to  access. </dd>
    </dl>
    <dl>
    <dt>How many people are making this site?</dt>
    <dd>At this point, there is one person developing the site, which is why all helpful contributions made by internet strangers is appreciated.</dd>
    </dl>
    <!--end article-->
    </article>
    <!--begin footer-->
    <footer>
    <p> <a href="index.html"><img src="img/G.png" alt="G" width="25"/></a> <a href="index.html"><img src="img/U.png" alt="U" width="25"/></a> <a href="index.html"><img src="img/I.png" alt="I" width="25"/></a> <a href="index.html"><img src="img/D.png" alt="D" width="25"/></a> <a href="index.html"><img src="img/E.png" alt="E" width="25"/></a> <a href="index.html"><img src="img/S.png" alt="S" width="25"/></a> </p>
    <!--begin 3 columns-->
    <aside>
    <h4>Site Links:</h4>
    <ul>
    <li><a href="web-contributors.html" class="style18">Developers/Contributors</a></li>
    <li><a href="create-a-page.html" class="style18">Create a page</a></li>
    <li><a href="point-system.html" class="style18">Rewards System</a></li>
    <li><a href="privacy" class="style18">Privacy</a></li>
    <li><a href="site-map.html" class="style18">Site Map</a></li>
    </ul>
    </aside>
    <aside>
    <h4>Follow Us</h4>
    <ul>
    <li><img src="img/Facebook-logo.png" alt="Facebook Image" width="32" height="34"/><a href="https://www.facebook.com/expertpcguides" class="style31"> Facebook</a></li>
    <li><img src="img/Twitter-Logo.jpg" alt="Twitter Image" width="30" height="33"/><a href="https://twitter.com/ExpertPcGuides" class="style31"> Twitter</a>
    <li><img src="img/Google+Logo.jpg" alt="Google + Image" width="31" height="35"/><a href="https://plus.google.com/115474035983654843441" class="style31"> Google Plus</a> </li>
    <li><img src="img/Pininterest-Logo.png" alt="Pininterest Image" width="33" height="34" ><a href="http://www.pinterest.com/expertpcguides/" class="style31"> Pininterest</a> </li>
    </ul>
    </aside>
    <aside>
    <h4>Interested in Exclusive Articles?</h4>
    <ul>
    <li><a href="login.html">Login/Register</a></li>
    </ul>
    </aside>
    <!--end 3-columns-->
    <p class="clearing">&copy; 2014 by Expertpcguides.com. All rights reserved. </p>
    </footer>
    </body>
    </html>
    Once you've got all your HTML pages cleaned up, it should be a simple matter to style.
    Nancy O.

  • Color differences between these two files?

    Could someone please tell me the color differences between these two files? What are the differences in general of these two files and how do I make a file identical to the blue cancel button?
    I am working with signature pads and the BLUE CANCEL image works, but the other GREEN image does not. Both are 8-bit .bmp files... HELP!

    #1, obviously, would be to connect a mic that doesn't require phantom power.
    And #2 comes with a 6 ft. USB cable, so you may not need a bunch more cables. Maybe just one standard XLR to connect a mic to it.
    Message was edited by: p o'flynn

  • I need help with controlling two .swf's from third.

    Hi, thanks for reading!
    I need help with controlling two .swf's from third.
    I have a problem where I need to use a corporate designed
    .swf in a digital signage solution, but have been told by the legal
    department that it can not be modified in any way, I also can't
    have the source file yada yada. I pulled the .swfs from their
    website and I decompiled them to see what I was up against.
    The main swf that I need to control is HCIC.swf and the
    problem is it starts w/ a preloader, which after loading stops on a
    frame that requires user input (button press) on a play button,
    before the movie will proceed and play through.
    What I have done so far is to create a container swf,
    HCIC_container.swf that will act as Target for the HCIC.swf, and
    allow me to send actionscript to the file I'm not allowed to
    modify.
    I managed to get that done with the help of someone on
    another forum. It was my hope that the following script would just
    start HCIC.swf at a frame past the preloader and play button, and
    just play through.
    var container:MovieClip = createEmptyMovieClip("container",
    getNextHighestDepth());
    var mcLoader:MovieClipLoader = new MovieClipLoader();
    mcLoader.addListener(this);
    mcLoader.loadClip("MCIC.swf", container);
    function onLoadInit(mc:MovieClip) {
    mc.gotoAndPlay(14);
    But unfortunately it didn't solve my problem. Because there
    is a media-controller.swf, that is being loaded by HCIC.swf that
    has the controls including the play button to start HCIC.swf.
    Here's a link to a .zip file with all 3 .swf files, and all 3
    .fla files.
    http://www.axiscc.com/temp/HCIC.zip
    What I need to do is automatically start the HCIC.swf file
    bypassing the pre-loader and play button without editing it or the
    media-controller.swf in anyway. So all the scripting needs to be
    done in HCIC_container.swf.
    I know this is confusing, and its difficult to explain, but
    if you look at the files it should make sense.
    ActionScripting is far from my strong point, so I'm
    definitely over my head here.
    Thanks for your help.

    Got my solution on another forum.
    http://www.actionscript.org/forums/showthread.php3?t=146827

  • Need help to pair two iPhones?

    Need help to pair two iPhones 3GS. Both have Bluetooth turned on but only one shows the other phone. Please help?

    What are you trying to accomplish?
    Iphones support bluetooth for stereo speakers/headsets, hadsfree telephone devices/headsets, some peer-to-peer apps from the app store, some keyboards and internet tethering where provided by the carrier.
    Other than this it will not connect to another phone/device/computer.
    File transfer is not supported at all.

  • [svn] 4214: * Revert revision 4208 for these two files, because I had incorrectly

    Revision: 4214
    Author: [email protected]
    Date: 2008-12-02 13:12:35 -0800 (Tue, 02 Dec 2008)
    Log Message:
    * Revert revision 4208 for these two files, because I had incorrectly
    assumed that a SourcePath always existed.
    tests Passed: checkintests
    Needs QA: YES
    Needs DOC: NO
    Bug fixes: SDK-18282
    API Change: NO
    Ticket Links:
    http://bugs.adobe.com/jira/browse/SDK-18282
    Modified Paths:
    flex/sdk/trunk/modules/compiler/src/java/flex2/compiler/as3/EmbedUtil.java
    flex/sdk/trunk/modules/compiler/src/java/flex2/compiler/mxml/rep/AtEmbed.java

    Revision: 4214
    Author: [email protected]
    Date: 2008-12-02 13:12:35 -0800 (Tue, 02 Dec 2008)
    Log Message:
    * Revert revision 4208 for these two files, because I had incorrectly
    assumed that a SourcePath always existed.
    tests Passed: checkintests
    Needs QA: YES
    Needs DOC: NO
    Bug fixes: SDK-18282
    API Change: NO
    Ticket Links:
    http://bugs.adobe.com/jira/browse/SDK-18282
    Modified Paths:
    flex/sdk/trunk/modules/compiler/src/java/flex2/compiler/as3/EmbedUtil.java
    flex/sdk/trunk/modules/compiler/src/java/flex2/compiler/mxml/rep/AtEmbed.java

  • This Adobe muse site file requires a newer version of Adobe Muse. I want to comeback to old version Adobe muse i need help to open my file thanks

    This Adobe muse site file requires a newer version of Adobe Muse. I want to comeback to old version Adobe muse i need help to open my file thanks

    Hi,
    You may need to design the site again in older version OR may be copy and paste in place from new to old except what is new in the latest version.
    Hope that helps!
    Kind Regards,

  • I need help with a PDF file that is an image, the "Read Out Loud' option does not work, please help!

    I need help with a PDF file that is an image, the "Read Out Loud' option does not work, please help!

    You mean an image such as a scanned document?
    If that is the case, the file doesn't contain any text for Reader Out Loud to read. In order to fix that, you would need an application such as Adobe Acrobat that does Optical Character Recognition to convert the images to actual text.
    You can also try to export the file as a Word document or something else using ExportPDF which I believe offers OCR and is cheaper than Acrobat.

  • 27 inch iMac to a 29 inch Dell Ultrasharp U2913WM monitor. What do I need to hook these two up?

    27 inch iMac to a 29 inch Dell Ultrasharp U2913WM monitor. What do I need to hook these two up?

    Welcome to Apple Support Communities
    That monitor has got a lot of ports you can use. The easiest and cheapest way to connect the iMac to the Dell monitor is through a Mini DisplayPort cable, because you do not need any adapter.
    Another way you have is to connect it through HDMI. In this case, you need a Mini DisplayPort to HDMI adapter and a HDMI cable

  • Need help in laoding flat file data, which has \r at the end of a string

    Hi There,
    Need help in loading flat file data, which has \r at the end of a string.
    I have a flat file with three columns. In the data, at the end of second column it has \r. So because of this the control is going to the beginning of next line. And the rest of the line is loading into the next line.
    Can someone pls help me to remove escape character \r from the data?
    thanks,
    rag

    Have you looked into the sed linux command? here are some details:
    When working with txt files or with the shell in general it is sometimes necessary to replace certain chars in existing files. In that cases sed can come in handy:
    1     sed -i 's/foo/bar/g' FILENAME
    The -i option makes sure that the changes are saved in the new file – in case you are not sure that sed will work as you expect it you should use it without the option but provide an output filename. The s is for search, the foo is the pattern you are searching the file for, bar is the replacement string and the g flag makes sure that all hits on each line are replaced, not just the first one.
    If you have to replace special characters like a dot or a comma, they have to be entered with a backslash to make clear that you mean the chars, not some control command:
    1     sed -i 's/./,/g' *txt
    Sed should be available on every standard installation of any distribution. At lesat on Fedora it is even required by core system parts like udev.
    If this helps, mark as correct or helpful.

  • Do I need to put these .pxml files under the source control?

    I use Jdeveloper created portlet consumer. after I run it in Jdeveloper, there are lot of .pxml files generated as metadata.
    Do I need to put these .pxml files under the source control? or they will be generated at run time?
    Thanks

    Yup. Keep your mds folder under source control as well.

  • Just found these two files on my hard drive:  Shetland_Plus8W_933W_s_USBClassDriver_107_and_later and Shetland_Plus8W_933W_s_Module_107_and_later  Anyone know what they are?

    Just found these two files on my hard drive: 
    Shetland_Plus8W_933W_s_USBClassDriver_107_and_later
    Shetland_Plus8W_933W_s_Module_107_and_later 
    Anyone know what they are?

    u can give try to using external enclosre and backup ur files. I hope u will get files back. or using external enclosre with ur hdd boot into Linux and try to mount ur harddisk.
    there are multiple no of tutorial to mount apple partion in Linux.

  • Activate in my mac...and apply updates to Lr & PS... is it needed anything since these two machines

    I buy PS CC + lightroom priced at 9.99, well I had all products cloud but gave up, now i run PS CC in win7, how activate in my mac...and apply updates to Lr & PS... is it needed anything since these two machines are the ones i had cloud membership full? other cloud programs no access now that gave up cloud must deleted except PS & Lr?

    Not sure why the screen shot won't post......
    Any way, I seemed to have solved my issue for the moment.  I manually downloaded the updates for iTunes, iPhoto, and the Camera Raw update.  I then retried the "updates" from the App Store and it worked.
    Go figure.

Maybe you are looking for

  • Keyboard layout indicator in gnome panel, red icon instead of letters

    See the image, red round icon is the keyboard notification, but it shoud be ( or was ) letters. Any idea how to change the icon back to letters? I have 2 layouts, changing gtk theme or icon theme doesn't help. Thanks. Last edited by gofree (2010-09-2

  • Clean start - How?

    I am about to remove 1.4 I have found that for some reason I have a number of .lrcat files on the drive, taking up some considerable amount of space. My master photos' are all safe on a drive. Can I just delete the .lrcat files and the associated fol

  • Aperture 3 VS. iPhoto

    Heya, I was wanting to know specifically the main difference between the two... I know Aperture 3 does a lot more in terms of editing etc... but they both have face detection and photo mapping using geotagging... where does Aperture 3 differ from the

  • How to make a downloadable movie?

    How can I save a Quicktime movie (iMovie or Keynote) and make it automatically download like you can a PDF? Because of bandwidth considerations I don't want just have them watch it off the network but actually download it onto their computers...Thank

  • How can i send a PDF file to my i phone and be able to read it

    How can i send a PDF file to my i phone and be able to read it