Need help fast about opening file

hello i have this 2 classes to open file and display it .the open method works fine but when ever i try to open different file it adds the new data and display both . the problem is it not suppose to add the new data to the old list it should only show the new data only ...can any one help thx
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class RoomGUI extends JFrame
   private RoomSortedList list;
     // Menu items:
   private JMenuItem mOpen;
   private JMenuItem mSaveAs;
   private JMenuItem mExit;
     // Displayed regions of the window:
     private JTextField messageField;
     private JTextArea textArea;
      * Constructor for RoomGUI object to set up
      * GUI window with menu.
     public RoomGUI()
          list=new RoomSortedList();     
     // Components to display on window:
          messageField = new JTextField();
          messageField.setEditable(false);
          textArea = new JTextArea();
          textArea.setEditable(false); 
                    // Arrnge components on window:
          Container contentPane = getContentPane();
          contentPane.add(messageField, BorderLayout.SOUTH);
          JPanel centerPanel = new JPanel();
          contentPane.add(centerPanel, BorderLayout.CENTER);
          centerPanel.setLayout(new GridLayout(1,1));
          centerPanel.add(new JScrollPane(textArea));
//  Create menu items for the "File" menu:
      mOpen = new JMenuItem ("Open");
      mSaveAs = new JMenuItem ("SaveAs");
      mExit = new JMenuItem ("Exit");
      //  Create "File" menu:
      JMenu fileMenu = new JMenu ("File", /*tearoff =*/ false);
      fileMenu.add(mOpen);
      fileMenu.add(mSaveAs);
      fileMenu.add(mExit);
      // Create menu bar:
      JMenuBar mainMenuBar = new JMenuBar();
      mainMenuBar.add(fileMenu);
      // Put menu bar on this window:
      setJMenuBar(mainMenuBar);
     mOpen.addActionListener( new FileOpener(textArea,list) );
     mSaveAs.addActionListener( new FileSaver(list) );
      mExit.addActionListener(new Quitter());
          // Routine necessities with JFrame windows:
          setSize(500, 400);
          setLocation(200, 100);
          setTitle("Project 4");
          setDefaultCloseOperation(EXIT_ON_CLOSE);
          setVisible(true);
     } // constructorfile opener
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class FileOpener implements ActionListener
     private RoomSortedList list;
     private JTextArea textArea=new JTextArea();
          private int returnvalue;
          private String filename;
          private JTextField messageField;
     public FileOpener(JTextArea ta,RoomSortedList ls)
          this.textArea=ta;
          this.list=ls;
     public void actionPerformed(ActionEvent e)
          list =new RoomSortedList();
          messageField = new JTextField();
          JFileChooser filechooser = new JFileChooser();
         // if a file is selected returnvalue = 0
         // else if cancel button is pressed
         // returnvalue = 1
         returnvalue = filechooser.showOpenDialog(null);
         //if open is selected then return filename
         if (returnvalue == filechooser.APPROVE_OPTION){
            filename = filechooser.getSelectedFile().toString();
            // now read the rooms from the file with the name filename
            // invoke the readfile method
            readFile(filename);
            messageField.setText(filename);
         }//if
         // if cancel is selected then close the filechooser
         else if (returnvalue == filechooser.CANCEL_OPTION)
            filechooser.cancelSelection();
   * Reads room data from a text file.Check if each lines are in valid room
   * format, and values. Catches exception errors for any invalid lines or
   * values thrown by ParseRoom or Room constructors.
   * Valid lines are appended to an sorted linked list. 
   * @param filename     name of file containing
   private void readFile(String filename)
       JFrame errorD=new JFrame();
      String str=null;
      Room r=null;
      int linenum=0;
      TextFileInput Obj=null;
      try
         Obj = new TextFileInput(filename);
      catch (RuntimeException rte)
         System.out.println(rte.getMessage());
      while (true)
         str = Obj.readLine();
         linenum++;
         if (str==null) break; // to stop reading lines at the end of file
         try
            r = RoomTextFormat.parseRoom(str);
         catch (RoomTextFormatException rtf)
            JOptionPane.showMessageDialog(errorD, "Error reading line # " +
               linenum + ": " + str + "\n" + rtf.getMessage() + "\n"+
               "This line of text has been excluded from the list.",
               "Text Format Error", JOptionPane.ERROR_MESSAGE);
            continue;
         catch (IllegalRoomException ire)
            JOptionPane.showMessageDialog(errorD, "Error reading line # " +
               linenum + ": " + str + "\n" + ire.getMessage() + "\n" +
               "This line of text has been excluded from the list.",
               "Room Instantiation Error", JOptionPane.ERROR_MESSAGE);
            continue;
         list.insert (r);
         textArea.setText("");
            RoomListIterator MyIterator = list.beginIterating();
            int c=1;
            while (MyIterator.hasNext())
               Room m = MyIterator.next();
               textArea.append(c + ": " + m + "\n");
               c++;
            }//while
      }// while (true)
   } // readFile()
}

i apologize again.thx anyway . heres the code
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class RoomGUI extends JFrame
     private RoomSortedList list;
     // Menu items:
     private JMenuItem mOpen;\
     // Displayed regions of the window:
     private JTextField messageField;
     private JTextArea textArea;
      * Constructor for RoomGUI object to set up
      * GUI window with menu.
     public RoomGUI()
          list=new RoomSortedList();     
          // Components to display on window:
          messageField = new JTextField();
          messageField.setEditable(false);
          textArea = new JTextArea();
          textArea.setEditable(false); 
          // Arrnge components on window:
          Container contentPane = getContentPane();
          contentPane.add(messageField, BorderLayout.SOUTH);
          JPanel centerPanel = new JPanel();
          contentPane.add(centerPanel, BorderLayout.CENTER);
          centerPanel.setLayout(new GridLayout(1,1));
          centerPanel.add(new JScrollPane(textArea));
              //Create menu items for the "File" menu:
          mOpen = new JMenuItem ("Open");
          //  Create "File" menu:
          JMenu fileMenu = new JMenu ("File", /*tearoff =*/ false);
          fileMenu.add(mOpen);
          // Create menu bar:
          JMenuBar mainMenuBar = new JMenuBar();
          mainMenuBar.add(fileMenu);
          // Put menu bar on this window:
          setJMenuBar(mainMenuBar);
          mOpen.addActionListener( new FileOpener(textArea,list) );
          setDefaultCloseOperation(EXIT_ON_CLOSE);
          setVisible(true);
     } // constructor
} // class RoomGUIopen file
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class FileOpener implements ActionListener
     private RoomSortedList list;
     private JTextArea textArea=new JTextArea();
          private int returnvalue;
          private String filename;
          private JTextField messageField;
     public FileOpener(JTextArea ta,RoomSortedList ls)
          this.textArea=ta;
          this.list=ls;
     public void actionPerformed(ActionEvent e)
          list =new RoomSortedList();
          messageField = new JTextField();
          JFileChooser filechooser = new JFileChooser();
         // if a file is selected returnvalue = 0
         // else if cancel button is pressed
         // returnvalue = 1
         returnvalue = filechooser.showOpenDialog(null);
         //if open is selected then return filename
         if (returnvalue == filechooser.APPROVE_OPTION){
            filename = filechooser.getSelectedFile().toString();
            readFile(filename);
            messageField.setText(filename);
         }//if
         // if cancel is selected then close the filechooser
         else if (returnvalue == filechooser.CANCEL_OPTION)
            filechooser.cancelSelection();
   private void readFile(String filename)
      String str=null;
      TextFileInput Obj=null;
         Obj = new TextFileInput(filename);
      while (true)
         str = Obj.readLine(); // 
         if (str==null) break; // to stop reading lines at the end of file
         list.insert (str);
         textArea.setText("");
            RoomListIterator MyIterator = list.beginIterating();
            int c=1;
            while (MyIterator.hasNext())
               Room m = MyIterator.next();
               textArea.append(c + ": " + m + "\n");
               c++;
            }//while
      }// while (true)
   } // readFile()
}

Similar Messages

  • New user needs help with quickly opening files

    I have a new imac that I purchased 8/2010. Is there a way to open a file or attachment without the download window opening up to enable you to view the file? Is there a setting that would allow me to just click the file attachment (email) like an excel document and it just opens immediately. Im getting a little aggrevated going through all the steps to open and close an attached email file. this is my first mac, so I am learning. Thanks

    Is there a "Quick Look" button at the top of the message?
    Right-click the attachment and choose "Quick Look".

  • Logic 6.4.3 Crashed - NEED HELP - Can't Open File!!!!!!

    My Logic crashed after saving a song. When I saved my track, Logic crashed and a box appeared saying ("The application logic pro quit unexpectedly"). The backups won't open and the same error box appears, other songs project and logic open just fine. If anyone has any updates or suggest please post!
    Best,
    Chit Chat

    Same thing is happening to me. Just realized it and am going to stop using Mail for the timbering I guess.
    Also have an Exchange account.

  • Need Help Fast Please

    Why does this code not do what I want to happen?
    I have a 7 non functional buttons above the buttons for the days in the month and I would like to be able to layout the buttons starting on the day that the month begins and ending where it ends.
    Like in the microsoft windows calander.
    Any ideas as to how I'd do this?
    I need help fast. Please.
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.io.*;
    import java.util.*;
    public class MyDairy extends JFrame
         //Initilises Global Variables
         myHandler H = new myHandler();
         monthHandler J = new monthHandler();
         openHandler O = new openHandler();
         String monthName;
         JComboBox months;
         static String[] daysOfWeek = {"Sun", "Mon", "Tue", "Wed", "Thur", "Fri", "Sat"};
         static int[] daysInMonth = {31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}; 
         JFileChooser box;
         public MyDairy()
              //Initilises the JComponents
              JMenuBar menuBar;
               JMenu menu;
              JMenuItem menuOpen;
              JMenuItem menuSave;
              JMenuItem menuExit;
              JButton dayName[] = new JButton[7];
              JButton day[] = new JButton[36];
              JPanel b;
              JPanel a;
              Calendar today = Calendar.getInstance();
              Calendar startOfMonth = Calendar.getInstance();
              startOfMonth.set(Calendar.DAY_OF_MONTH,1);
              startOfMonth.set(Calendar.DAY_OF_WEEK,7);
              System.out.print(startOfMonth);
              //Sets up the Layout
              setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              Container c = getContentPane();   
              c.setLayout(new BoxLayout(c, BoxLayout.Y_AXIS));
              a = new JPanel();   
              a.setLayout(new GridLayout(0, 7));
              b = new JPanel();   
              b.setLayout(new GridLayout(5, 7));
              //Sets up and adds the menu bar   
              menuBar = new JMenuBar();   
              setJMenuBar(menuBar);  
              //Adds the File menu
              menu = new JMenu("File");   
              menuBar.add(menu);
              //Adds the menu items      
              menuOpen = new JMenuItem("Open");     
              menu.add(menuOpen);
              menuSave = new JMenuItem("Save");     
              menu.add(menuSave);
              menuExit = new JMenuItem("Exit");     
              menu.add(menuExit);
              //Produses the ComboBox
              String[] name={"January", "Feburary", "March", "April", "May", "June", "July", "Augest", "September", "October", "November", "December"};
              months = new JComboBox(name);
              int m = today.get(Calendar.MONTH);
              int d2 = today.get(Calendar.DAY_OF_WEEK);
              System.out.print(d2);
              months.setSelectedIndex(m);
              months.addActionListener(J);
              c.add(months);
              c.add(Box.createVerticalStrut(10));
              switch (months.getSelectedIndex())         
                       case 0: for (int i=1; i<36; i++)                          {                   
                         if(i<4)                
                            day[i] = new JButton();                  
                            day.setEnabled(false);               }               
    int k = 1;                
    day[i] = new JButton(" "+k);                b.add(day[i]);                
    day[i].addActionListener(H);               k++;               
    }break;          
    //other case statement up to 11 are simaliar          }                     
    c.add(a);
              //Produces an Array of Buttons
              for (int i=1; i<36; i++)
                   day[i] = new JButton(" "+i);
                   b.add(day[i]);      
                   day[i].addActionListener(H);               
              c.add(b);
              updateNameField();
              setSize(400,400);
              show();
         }//constructor
         private void updateNameField()
              monthName = (String) months.getSelectedItem();
         class myHandler implements ActionListener
              public void actionPerformed(ActionEvent e)
                   new Text_Area(monthName);
         class openHandler implements ActionListener
              public void actionPerformed(ActionEvent e)
                   File f1 = New File ("2003.dat");
                   simpleSerializer S = new simpleSerializer(f1);
                   MyDairy = S.readObjectFromFile();
         class monthHandler implements ActionListener
              public void actionPerformed(ActionEvent e)
                   updateNameField();
         public static void main(String[] args)
              new MyDairy();

    Container c = getContentPane();
    c.setLayout(new BoxLayout(c, BoxLayout.Y_AXIS));don't code like above try something like...
    Box box=Box.createVerticalBox();
    c.add(box);
    ----so on
    Hope this will help...

  • I NEED HELP FAST!!! how can i activate wi-fi if i want to use that for facebook apps instead of wasting my data?

    i want the 200 mb plan for my iphone and wanted to know if instead of using safari i can use apps such as facebook or tumblr without using up my data. i got the asnwer that i can avoid that by using wi-fi, but how does that whole thing work?
    sorry i am a bit new at this, and i need help fast!
    THANK YOU!

    hookedonlerman wrote:
    but will that replace the use of using up data? (wifi & 3G)
    It sounds as if you don't really understand what "using data" means. Data is not something different from WiFi and 3G, it's something sent over WiFi and 3G. Think of data as water and WiFi and 3G as types of pipes. Some apps need to send and receive data to work. That data can be sent or received in different ways. It can be sent over WiFi or 3G. Both official iPhone carriers in the U.S. have metered data plans. It's sounds as if you're talking about AT&T's 200 mb data plan. WiFi is not provided by your cellular carrier. You can have WiFi from your Internet Service Provider at home or you can access free WiFi at places like McDonalds or Starbucks or paid WiFi at places like airports.
    If you have WiFi turned on on your phone and WiFi is available, the phone will default to WiFi. WiFi is faster than 3G and generally not metered, and is sometimes even free. If you are out of range of WiFi, you would be using 3G to send and receive your data. With a metered plan, you need to keep an eye on how much you are using because if you go over your allowance, you will be charged additional fees.

  • Premiere Pro CC updated  - crashes almost immediately on my mac OS X Yosemite 10.10.3. Crashes at startup, crashes with media import, crashes when creating a sequence. NEED HELP FAST I have tried many troubleshooting solutions I found online nothing has

    Premiere Pro CC updated  - crashes almost immediately on my mac OS X Yosemite 10.10.3. Crashes at startup, crashes with media import, crashes when creating a sequence. NEED HELP FAST> I have tried many troubleshooting solutions I found online nothing has worked.

    Hi,
    Sorry to hear about the experience. Please provide your computer configuration details.
    Memory, Processor, Graphics card, Exact version of Premiere Pro, Error message that you are get. If you can post screenshots of the error report that would be helpful.
    Thanks,
    Rameez

  • Problems with exporting. Need help fast

    So I recorded some video game footage (Battlefield 4) and when I look at the raw file, it says it's 1920x1080. I edited it and finished it and even if I look in info it says that it's 1920x1080.
    But when I try to export the video it says that the source file is 1280x1080
    So when I export it, it is in REALLY bad quality and I usually upload high quality videos! What do I do? I need help, fast! I have Adobe Premiere Pro CS6.
    I have a i7 3770k CPU so I don't think that is an issue. 8GB of ram aswell.

    Quickest way:
    Get Started with Premiere Pro
    New to Premiere Pro? Get started with your first project — editing a video. In less than an hour, you'll learn to edit together different types of media to tell a video story.  

  • My daughter has spitefully changed my password and has refused to tell me. I have so much medical information that I can not lose. Is there anyway to get around this problem. Please I need Help fast.

    My daughter has spitefully changed my password and has refused to tell me. I have so much medical information that I can not lose. Is there anyway to get around this problem. Please I need Help fast.

    Connect the iPod to your syncing computer and restore it via iTunes.  However, if iTunes asks for the unknown passcode you need to place the iPod in recovery mode and then restore the iPod from backup.  For recovey mode see:
    iPhone and iPod touch: Unable to update or restore
    "If you cannot remember the passcode, you will need to restore your device using the computer with which you last synced it. This allows you to reset your passcode and resync the data from the device (or restore from a backup). If you restore on a different computer that was never synced with the device, you will be able to unlock the device for use and remove the passcode, but your data will not be present. Refer to Updating and restoring iPhone and iPod touch software."
    Above is from:
    http://support.apple.com/kb/ht1212

  • My little brother messed up with my iPod touch 4th Gen by entering the wrong password , now all data is beeing erased what should I do.The iPod is just showing the Apple Logo and some buffering icon below it.Need help fast!I'm really worried!

    I really need help this has happend 5 hours ago and the ipod os still showing the apple logo and the buffering icon below it!
    It re booted several times till now.
    Need help fast!

    - I suspect that he went to Settings>General>Reset>Erase all content and settings.  For 1G or 2G iPod that can take hours and it will likely stall out if not connected to a charging source.
    Try the following:
    - A reset.
    Reset iPod touch:  Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - The connect to computer and try to restore via iTunes.
    - Id something is still showing onthe screen, disconnect from computer/charging source and let the battery fully drain. After charging for an hour, Try the reset and restore.
    - If you can turn the iPod off, se if placing the iPod in recovery mode and then restore. For recovey mode:
    iPhone and iPod touch: Unable to update or restore

  • Need help fast with a buying decision - Leadtek 6800 GT

    Hi there, I have the opportunity to swap my Club 3D 6800 GT for a Leadtek 6800 GT. The reasons I would do this would be the cooling and the games bundle.
    I just wanted to know if anyone knows how the cooling is on this particular card and if it would be better than the reference design?
    My other concern is that it has a huge copper heatsink on the back of the card, this would sit directly under the CPU HSF. There really would only be a few millimeters between them and due to the position of the socket on this board, the heat sink fins go up vertically. Would the heat from the card's copper heat sink rise up into the CPU HSF grooves and raise the temperature of the CPU?
    Thanks for any help  
    I kind of need help fast as someone said they were gonna buy my other card of ebay today, there's still time to stop them if this is gonna be a bad idea

    i would definately take the leadtek one over the club3d card, the cards themselves are all based on refrence designs just different cooling solutions and bundles
    and the cooler on the leadtek is a lot better, and it isnt more noisy then the club3d one at all
    it has better cooling, and they seem to be the ones which are the most available, and they overclock very well due to the better cooling

  • Need Help Fast! Page is dispalying twice in quiz

    I have created a quiz using tips from another post in this
    forum. I insterted a regular slide with a continue button before
    the quiz questions. I insterted another regular slide at the end of
    the questions with a re-take button that points to that first
    slide. This part is working great. When I take the published quiz,
    I click the continue button, and instead of continuing, the slide
    redisplays. I click the button again, and it moves forward like
    it's supposed to. Any advice?
    I'm supposed to have these posted in our LMS today for
    testing, so I need help fast!!! Thanks!!

    What you're seeing is likely the result of a MS patch for IE
    in response
    to the Eolas patent suit.
    MS recently updated IE so any content shown in a page using
    the Embed,
    Object, or Script tags will need to be 'activated' before
    they can be
    clicked (or otherwise 'interacted with').
    Your home computer probably hasn't had the latest security
    rollup
    installed, is why you're not seeing the issue on that
    machine.
    There is a work around, many site mention it. This may be a
    good place
    to start:
    http://www.macromedia.com/devnet/activecontent/articles/devletter.html
    Erik
    dukekelly wrote:
    > Why is it that as soon as you ask for help, you find the
    answer?
    >
    > This isn't a captivate problem at all. It's an IE
    problem. Because the button
    > is a control in Flash, our systems where I work are
    requiring us to click the
    > screen to activate the controls. THEN you have to click
    the button. When I play
    > the movie on my home computer, this phenomenon isn't
    happening. Now, how am I
    > supposed to deal with that??? ASRRGGGHH!!!
    >
    Erik Lord
    http://www.capemedia.net
    Adobe Community Expert - Authorware
    http://www.macromedia.com/support/forums/team_macromedia/
    http://www.awaretips.net -
    samples, tips, products, faqs, and links!
    *Search the A'ware newsgroup archives*
    http://groups.google.com/groups?q=macromedia.authorware

  • I am trying to export a video as an flv but the list of possible formats is much shorter than it used to be. I cannot find any way to make an FLV using the newest version of Premiere Pro. Need help fast! I am on a Mac

    I am trying to export a video as an flv but the list of possible formats is much shorter than it used to be. I cannot find any way to make an FLV using the newest version of Premiere Pro. Need help fast! I am on a Mac

    Support for exporting to FLV and F4V has been removed. To learn more, please consult this blog post: removal of FLV and F4V export features from Adobe Media Encoder, After Effects, and Premiere Pro | After Effects regio…

  • 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.

  • My screen is completely white, i've tried holding lock and home buttons as seen on you tube something called 'white screen of death' its goes black (think it switches off) then back to the white screen need help fast please!

    my screen is completely white, i've tried holding lock and home buttons as seen on you tube something called 'white screen of death' its goes black (think it switches off) then back to the white screen need help fast please!

    If you have not done a factory reset on the device, I recommend doing a complete  factory reset.  
    Factory Reset  - Warning this will reset device back to original factory settings.
    This method will not erase any MDN/MIN information
    Turn off the phone 
    Press Power + Volume Up/Down at the same time and hold until display will show a triage android screen 
    Display will show: 
    Reboot system Now 
    Apply sdcard:update.zip 
    Wipe Data/Factory Reset 
    Wipe Cache Partition
    Use VOL Down key to scroll down to "Wipe Data/Factory Reset", press home icon to select option and wipe device. 
    Display shows "All user data will be wiped out", press VOLUME Up to continue or VOLUME Down to exit. 
    Press Volume Up 
    Press Home to select "Reset System Now" - device will reboot
    If the problem persist I recommend having a store technician take a look at the device.
    Copy and paste the link below into your browser's address bar for the store locator.  
    http://www.verizonwireless.com/b2c/storelocator/index.jsp

  • 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.

Maybe you are looking for

  • Some questions about iOS system framework, APNS and so on

    Hi everyone! im quite interested in iPhone developement.by reading some dev books of iOS i can learn the general steps of creating an iPhone app. however, i cant find much of iPhone's system archetecture or framework information on the internet, so s

  • Erro SOAP Receiver: handshake failure

    Pessoal, boa tarde. Tenho um Canal de Comunicação SOAP Receiver, com autenticação por usuário e senha. Ao enviar a requisição para o Channel, é gerado o seguinte erro: <?xml version="1.0" encoding="UTF-8" standalone="yes" ?> - <SAP:Error xmlns:SAP="h

  • DME configuration for payment Media (FI-CA payment program)

    Hi all, I need to change the standard entry class code in the batch header (batch is created by the programs SAPFKPY3 and RFKPYL00_MASS). Currently the batch header is PPD (for consumer and business). I need to modify it like- PPD for consumer and CC

  • Publish Sharepoint 2013 with UAG 2010 SP3

    Hi All, I'm hoping some of you may be trying to accomplish the same task I am and are seeing similar problems. We have a single SharePoint 2013 Server running in our forest behind a UAG server that is setup to publish other applications (Exchange and

  • Slow mac book pro,especially on internet

    hello all i'm having since a couple of months some problems with my mac (2.53 ghz 4 gb ram osx 10.7.4 i5, 500 gb hd  including 100 gb with windows xp bootcamp) every internet browser (firefox safari chrome although almost always use firefox) sometime