Clearing the arp file

I just replaced two servers which were behind the CSS LAN with two brand new ones. The old servers were never actually in use, but services and content rules were created.
I entered the same private IP addresses for the new servers, 192.168.1.11 and *.12, but the CSS and the servers can't see each other, and when I look in the ARP table, I see that both IP addresses has the MAC addresses of the old servers which I assume is why (the servers can see any other server on the CSS LAN).
I can't get rid of them by typing clear arp cache <ip address>, and I see that these entries are also in the arp file.
The CSS has been rebooted in the meantime and it's actually close to two months ago since I disconnected the old servers from the network, so I cannot figure out why these entries stay.
Question is, will clear arp file get rid of these entries? If I clear the arp file (as far as I can see from the documentation I can't clear single entries in the arp file), will this disturb connectivity and services to other boxes?

Erm, okay, why do I get this response, then:
PROD2-CSS-B# sh arp file
192.168.1.7
192.168.1.13
192.168.1.5
192.168.1.9
192.168.1.6
192.168.1.14
192.168.1.8
172.255.7.253
192.168.1.10
192.168.1.11
192.168.1.12
And why does it in the Cisco Content Services Switch
Routing and Bridging Configuration Guide (7.40) in chapter 4.5 say among several things this:
"Updating ARP Parameters
To update the file containing hosts reachable through ARP, use the update arp command. This command is available only in SuperUser mode.
For example:
# update arp file"

Similar Messages

  • How to clear the cache files in folder Temporary Internet Files

    When one user opens files such as pdf. or doc. from Portal,  the same file will be downloaded into the Temporary Internet Files folder. if another user copied the files out of the Temporary Internet Files folder from this computer and save to someplace else, then we face one security problem.
    So my question is: How to clear the cache files in folder Temporary Internet Files??  Can we delete the files automatically when close the files in Portal??
    or is there some ways to make encrypty???
    Thanks very much!

    Hello,
    this is a basical security problem which should be resolved by the OS standard security setup . No other user should have access to the temporary file folders in the personal directory. The user account must be secure. Normaly your security problem should not be a problem if basic security exists on the clients.
    You can resolve this problem if every user has his own account on the client
    The users having no administration permissions on the clients
    The folder for the temporary internet files is placed in the personal profile folder of the user account.
    On default no other user has access rights to you personal folder, this means the client OS is setup correctly.
    You can setup the IE that no temporary files are saved (but it reduces performance)
    You can enable IE to delete automaticly the temporary files if IE is closed.
    Hope it helps.
    Regards
    Alex

  • WRT54G - How do you clear the log files?

    How does one "Clear" both the Incoming/Outgoing log files?
    Thanks.

    Turn the logs off and click save.  When it is confirmed that your settings were saved, go back into the logs and turn them back on.  Make sure you save your changes.  That should clear your log files.
    I hope that helps.

  • RandomAccessFile: How do I Clear the txt file and write multiple lines of..

    Hello all,
    I am a 6th grade teacher and am taking a not so "Advanced Java Programming" class. Could someone please help me with the following problem.
    I am having trouble with RandomAccessFile.
    What I want to do is:
    1. Write multiple lines of text to a file
    2. Be able to delete previous entries in the file
    3. It would also be nice to be able to go to a certian line of text but not manditory.
    import java.io.*;
    public class Logger
    RandomAccessFile raf;
    public Logger()
         try
              raf=new RandomAccessFile("default.txt","rw");
              raf.seek(0);
              raf.writeBytes("");
         catch(Exception e)
              e.printStackTrace();
    public Logger(String fileName)
         try
              raf=new RandomAccessFile(fileName,"rw");
              raf.seek(0);
              raf.writeBytes("");
         catch(Exception e)
              e.printStackTrace();
    public void writeLine(String line)
         try
              long index=0;
              raf.seek(raf.length());          
              raf.writeBytes(index+" "+line);
         catch(Exception e)
              e.printStackTrace();
    public void closeFile()
         try
              raf.close();
         catch(Exception e)
              e.printStackTrace();
         }

    Enjoy! The length of the code is highly attributable to the test harness/shell thingy at the end. But anyway seems to work nicely.
    import java.io.*;
    /** File structure is as follows. 1st four bytes (int) with number of live records. Followed by records.
    <p>Records are structured as follows<ul>
    <li>Alive or dead - int
    <li>Length of data - int
    <li>Data
    </ul>*/
    public class SequentialAccessStringFile{
      private static int ALIVE = 1;
      private static int DEAD = 0;
      private int numRecords, currentRecord;
      private RandomAccessFile raf;
      /** Creates a SequentialAccessStringFile from a previously created file. */
      public SequentialAccessStringFile(String filename)throws IOException{
        this(filename,false);
      /** Creates a SequentialAccessStringFile. If createnew is true then a new file is created or if it
          already exists the old one is blown away. You must call this constructor with true if you do
          not have an existing file. */
      public SequentialAccessStringFile(String filename, boolean createnew)throws IOException{
        this.raf = new RandomAccessFile(filename,"rw");
        if(createnew){
          truncate();
        this.currentRecord = 0;
        this.raf.seek(0);
        this.numRecords = raf.readInt();
      /** Truncates the file deleting all existing records. */
      public void truncate()throws IOException{
        this.numRecords = 0;
        this.currentRecord = 0;
        this.raf.setLength(0);
        this.raf.writeInt(this.numRecords);
      /** Adds the given String to the end of this file.*/
      public void addRecord(String toAdd)throws IOException{
        this.raf.seek(this.raf.length());//jump to end of file
        byte[] buff = toAdd.getBytes();// uses default encoding you may want to change this
        this.raf.writeInt(ALIVE);
        this.raf.writeInt(buff.length);
        this.raf.write(buff);
        numRecords++;
        this.raf.seek(0);
        this.raf.writeInt(this.numRecords);
        this.currentRecord = 0;   
      /** Returns the record at given index. Indexing starts at zero. */
      public String getRecord(int index)throws IOException{
        seekToRecord(index);
        int buffLength = this.raf.readInt();
        byte[] buff = new byte[buffLength];
        this.raf.readFully(buff);
        this.currentRecord++;
        return new String(buff); // again with the default charset
      /** Returns the number of records in this file. */
      public int recordCount(){
        return this.numRecords;
      /** Deletes the record at given index. This does not physically delete the file but simply marks the record as "dead" */
      public void deleteRecord(int index)throws IOException{
        seekToRecord(index);
        this.raf.seek(this.raf.getFilePointer()-4);
        this.raf.writeInt(DEAD);
        this.numRecords--;
        this.raf.seek(0);
        this.raf.writeInt(this.numRecords);
        this.currentRecord = 0;
      /** Removes dead space from file.*/
      public void optimizeFile()throws IOException{
        // excercise left for reader
      public void close()throws IOException{
        this.raf.close();
      /** Positions the file pointer just before the size attribute for the record we want to read*/
      private void seekToRecord(int index)throws IOException{
        if(index>=this.numRecords){
          throw new IOException("Record "+index+" out of range.");           
        if(index<this.currentRecord){
          this.raf.seek(4);
          currentRecord = 0;     
        int isAlive, toSkip;
        while(this.currentRecord<index){
          //skip a record
          isAlive = this.raf.readInt();
          toSkip = this.raf.readInt();
          this.raf.skipBytes(toSkip);
          if(isAlive==ALIVE){
               this.currentRecord++;
        // the next live record is the record we want
        isAlive = this.raf.readInt();
        while(isAlive==DEAD){
          toSkip = this.raf.readInt();
          this.raf.skipBytes(toSkip);
          isAlive = this.raf.readInt();     
      public static void main(String args[])throws Exception{
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        System.out.println("Create a new file? y/n");
        System.out.println("(No assumes file exists)");
        System.out.print("> ");
        String command = br.readLine();
        SequentialAccessStringFile test = null;
        if(command.equalsIgnoreCase("y")){
          System.out.println("Name of file");
          System.out.print("> ");
          command = br.readLine();
          test = new SequentialAccessStringFile(command,true);     
        }else{
          System.out.println("Name of file");
          System.out.print("> ");
          command = br.readLine();
          test = new SequentialAccessStringFile(command);     
        System.out.println("File loaded. Type ? for help");
        boolean alive = true;
        while(alive){
          System.out.print("> ");
          command = br.readLine();
          boolean understood = false;
          String[] commandArgs = command.split("\\s");
          if(commandArgs.length<1){
               continue;
          if(commandArgs[0].equalsIgnoreCase("quit")){
               test.close();           
               alive = false;
               understood = true;           
          if(commandArgs[0].equalsIgnoreCase("list")){
               System.out.println("#\tValue");
               for(int i=0;i<test.recordCount();i++){
                 System.out.println(i+"\t"+test.getRecord(i));
               understood = true;
          if(commandArgs[0].equalsIgnoreCase("truncate")){
               test.truncate();
               understood = true;
               System.out.println("File truncated");
          if(commandArgs[0].equalsIgnoreCase("add")){
                test.addRecord(commandArgs[1]);
                understood = true;
                System.out.println("Record added");
          if(commandArgs[0].equalsIgnoreCase("delete")){
                int toDelete = Integer.parseInt(commandArgs[1]);
                if((toDelete<0)||(toDelete>=test.recordCount())){
                  System.out.println("Record "+toDelete+" does not exist");
                }else{
                  test.deleteRecord(toDelete);
                  System.out.println("Record deleted");
                understood = true;
          if(commandArgs[0].equals("?")){
               understood = true;
          if(!understood){
               System.out.println("'"+command+"' unrecognized");
               commandArgs[0] = "?";
          if(commandArgs[0].equals("?")){
               System.out.println("list - prints current file contents");
               System.out.println("add [data] - adds data to file");
               System.out.println("delete [record index] - deletes record from file");
               System.out.println("truncate - truncates file (deletes all record)");
               System.out.println("quit - quit this program");
               System.out.println("? - displays this help");
        System.out.println("Bye!");
    }Sample output with test program
    C:\>java SequentialAccessStringFile
    Create a new file? y/n
    (No assumes file exists)
    yName of file
    mystringsFile loaded. Type ? for help
    add appleRecord added
    add orangeRecord added
    add cherryRecord added
    add pineappleRecord added
    list#       Value
    0       apple
    1       orange
    2       cherry
    3       pineapple
    delete 5Record 5 does not exist
    delete 1Record deleted
    list#       Value
    0       apple
    1       cherry
    2       pineapple
    add kiwiRecord added
    list#       Value
    0       apple
    1       cherry
    2       pineapple
    3       kiwi
    quitBye

  • Will uninstalling Adobe reader clear the updater files on pc?

    Hi, my computer was recently left vulnerable to the internet. And I'm worried that my computer is using updater files from the period when my computer was exposed. Will unistalling Adobe PDF reader delete all the adobe reader files on my computer? and when I reinstall will adobe re-download updater files and do a fresh intall/update without using previously downloaded files? Can someone answer this, thanks.

    I once tried to receive information from a financial institution which recommended that I down load some version of an Adobe application. The result was that all of my existing documents became corrupted and the company IT had to bail me out. So I hesitate to proceed now.

  • Unable to clear the recently open files list

    Currently, in order to clear the opened files list, the user has to go into the Windows registry.  This by itself can be bad if the user is not familiar with the registry; could mess up the registry if not very careful.  There appears to be no plug-in/addon for this option nor is there any user option to select to clear the list.  There is a setting in the options/permissions to limit the number of opened files to the list; the minimum number being one(1).  Cannot set this number to zero(0) unless maybe there is a registry fix for this.  I want to suggest that in the next release, or at least as soon as possible, to add to the Adobe Reader (by default) a user option to be able to clear this list with having to enter the registry.  Or, maybe create a plugin/addon to perform this action.  That's it.

    Hi Ineedtoknownow
    You can raise your feature request on below link : https://www.adobe.com/cfusion/mmform/index.cfm?name=wishform

  • How do i clear a text file.....

    Hi All...
    I wud like to know how to clear a text file....
    Currently am replacing the text file and writing...Actually i need to open the  file(after clearing the contents)and write.
    I think replacing the file each time is not a good idea...
    So please let me know how to clear the text file.
    Thanks in advance.
    Solved!
    Go to Solution.

    You can set the file size to zero using "Set File Size" from the advanced file io palette.
    LabVIEW Champion . Do more with less code and in less time .

  • Clearing InDesign Preference files?

    I work at a school.  Recently we have had trouble with InDesign (CS2) documents becoming corrupted, and causing InDesign to crash on launch.  I have found the relavent knowledgebase article, but I have a few questions about it, Link:
    http://kb2.adobe.com/cps/407/kb407150.html
    http://kb2.adobe.com/cps/403/kb403982.html
    The second article says that frequent document corruption is often caused by bad preference files.  It says the preference files can be found at this path-name for Windows Vista/7:
    C:\Users\[user]\AppData\Roaming\Adobe\InDesign\Version [version]\Caches\InDesignSavedData
    However, on our machines, there is no "Cache" folder within the "Version 4.0" folder.  Should I just delete/rename all of the files in the "Version 4.0" folder?  Also, the same article states that the preference files can be cleared by holding Ctrl-Alt-Shift while InDesign starts?  Does anyone know if this clears the preference files for all users, or just the current user?
    Thanks guys!

    Yeah, I am aware of that.  Unfortunately, the teacher can't get the school to approve the budget for upgrading to CS5.  So, I am trying to do the best I can, and keep CS2 running as well as possible on Win7.  I was just hired as an IT guy a few monthes ago.  Personally, if I were here when they bought those computers this fall, I would not have advised them to purchase Windows 7 machines, unless they agreed to upgrade to CS5.  Hopefully I can get a CS5 upgrade into the tech budget for next year.
    This is actually the first major issue they've had with CS2 on windows 7 though.  Any advice would be appreciated, Thanks!

  • What are the premier file types

    I see a lot of rendered file types in my disk directory after several editing sessions. I also see several types of files like pek, cfa, xmp. Is there somewhere that I can find the file types?
    I'm trying to clean up my directories but am concerned about deleting them without knowing what they are and how they relate to each other.
    Any help appreciated
    Thanks,

    Atlcenter
    cfa and pek are conformed audio files, you can delete them. The program will regenerate them automatically when and if it feels that it needs them.
    Find the Media Cache Files folder location (probably loaded with GB amounts of cfa and pek files by looking in Edit Menu/Preferences/Scratch Disk and Media Cache.
    Those xmp files are information files which you typically do not need, but check out to what they are associated before deleting any.
    Also, clear the mcdb files (conformed video files). See Edit Menu/Preferences/Media.
    Check out the Adobe Premiere Elements Preview Files Folder in the Adobe Folder. They can be deleted. Consequence is you will need to Timeline render the related content in the project to get the best possible preview.
    Let us start here, and then let us know how the clean up is going.
    Under no circumstances delete, move, or rename source media that went into a project after it has been saved and closed.
    ATR

  • I deleted all my photos and videos and then delete the deleted files but the photo app is still taking up 12 GB of space and I have no room for new stuff.  How can I clear the memory space used by my deleted videos and photos?

    I deleted all my photos and videos and then delete the deleted files but the photo app is still taking up 12 GB of space and I have no room for new stuff.  How can I clear the memory space used by my deleted videos and photos?  I don't know why the photos are still taking up space and if I will have to reset my phone to get rid of the problem.

    Hey there TowneJ,
    Welcome to Apple Support Communities.
    The article linked below provides troubleshooting tips that’ll likely resolve the issue that you’ve described, where deleted files appear to be taking up space on your iPhone 5.
    If you get a "Not enough free space" alert on your iPhone, iPad, or iPod touch - Apple Support
    So long,
    -Jason

  • How do I clear the list of uploaded files when done?

    I use Firefox to upload my Sheet Music to my Ipad by putting in the IP Address of my Ipad and sending wirelessly. I now have to scroll down several screens to add the next song to transmit. I would like to clear the list.
    Using windows 8.1 (Ugh!), on HP Envy Intel I7. (Not sure if I should upgrade to Windows 10. Had awful time switching from XP to 8.1.....Can't find anything! ;-(

    This is an open page in Firefox just like you have been surfing, only it is Severak pages of all ,the files you have uploaded to another computer. In this case an IPad. You type in the IP address and connect; like to your printer, etc. I even removed Fireox yesterday, rebooted and then re installed Firefox. When I typed in the web address or IP address up came the list of all the files! Really confusing as to how to clear it. Sorry you couldn't help.

  • (Need Help) how to clear the recently opened file list on Flash Player 11?

    excuse me pals, may i ask how to clear recently opened file list under "File" tab on Flash Player 11 (the standalone player) ? i've tried to browse my registry but i can't find the solution (and i can't find the .mru files containg the list). my OS is Windows 7 32bit, i hope i can find solution here

    I found it in the Windows registry under HKCU\Software\Macromedia\FlashPlayer

  • How do I clear the " view all files " history in Adobe Reader XI  I have recent files set to 1 "View all files " shows all files from 22 june to current date

    as i indicated in my question I'm having a problem clearing the " view all files " history in Adobe Reader XI

    My current Ver is 11.0.07   and the"view all recent files" selection is found by clicking on file and in the drop down menu it is the selection just above the list of recent files

  • Clear Data package - "The data file is empty." Error

    Hi,
    When I run the Clear package in Data Manager, I get the error "The data file is empty". We are running BPC 7.5 SP3. There are no calculated members selected. Any suggestions?
    Thanks.
    Tom

    Hi Tom,
    If i'm not mistaken when we run the clear data package, BPC inserts -ve values for the combination of dimensions selected.
    For ex if you have selected time as 2010.DEC it would reverse out all these values by inserting negative values which would then total up to zero.
    So i still think it could be a problem with the Transformation file.
    P.S. Maybe you can try using the Clear from Fact table package.
    Santosh

  • How do I clear the recently edited files in the file menu?

    How do I clear the recently edited files in the file menu? (ie. cache)

    I don't have PSEv.13, but in my current version, and in the two that I had before, the behavior is/was identical.
    As far as I know, the only way to purge an entry in the list of recently edited files via the File menu, is to delete the picture file or send it to the recycle bin.
    Perhaps someone will come along with additional information.
    "The File option dose not have an option for FILE-MORE-PURGE CACHE. as Adobe suggested."
    Where is this referenced suggestion?? On-line? In a book or manual?

Maybe you are looking for

  • ITunes Purchased Music Won't Play

    OK, I must be doing something wrong. I sync my iPhone and it gets all the music I had selected. But I've discovered a number of songs that won't play...and these just happen to be iTunes purchased music! My regular mp3's will play. Now I know the pur

  • User Exit for ME21 PO Creation at the time of saving--Urgent

    Hi, Can some one help me out in finding the user exit for PO creation at the time of saving. The Requirement is: I need to create a custom field in EKKO table. After appending the structure with the field to the EKKO table, i need to create a PO. Now

  • System Reserved Not Available in Windows 8.1 Pro

    Hi, everyone! I have a doubt here. I have done the installation of Windows 8.1 Pro in my free dos laptop. I did custom installation, followed by "Choosing Partition to install Windows" step. There were two types of partition shown which were "system"

  • Can't install FlashPlayer in FF (Fedora 12_64)

    Hi all, When I try to watch video, FF says "Adobe Flash Player either is not installed in your browser or has older version than required." When I try to install it from Adobe web sites using the option of yum (linux), it tells me that the rpm packag

  • Recommendations on monitor calibrators?

    Hi, I've tried the color calibrator in OS X, and I've also tried 3rd party apps like "SuperCal." I can get my monitors "close" and "good enough" but now I want "better" or as close to "perfect" as possible. That is where a HARDWARE color calibrator c