ArrayList problem ....i can remove my object from my arrayList

hi all, i am going to remove a object from my array by using arrayList.However, it can`t work properly and did nth for me..i don`t know why...could anyone give me some suggestion and show me what i did wrong on my code ....i stated more detail next to my code...plesae help...
public class MusicCd
     private String musicCdsTitle;
        private int yearOfRelease;
     public MusicCd()
          musicCdsTitle = "";
          yearOfRelease = 1900;
     public MusicCd(String newMusicCdsTitle)
          musicCdsTitle = newMusicCdsTitle;
          //yearOfRelease = newYearOfRelease;
     public MusicCd(String newMusicCdsTitle, int newYearOfRelease)
          musicCdsTitle = newMusicCdsTitle;
          yearOfRelease = newYearOfRelease;
     public String getTitle()
          return musicCdsTitle;
     public int getYearOfRelease()
          return yearOfRelease;
     public void setTitle(String newMusicCdsTitle)
          musicCdsTitle = newMusicCdsTitle;
     public void setYearOfRelease(int newYearOfRelease)
          yearOfRelease = newYearOfRelease;
     public boolean equalsName(MusicCd otherCd)
          if(otherCd == null)
               return false;
          else
               return (musicCdsTitle.equals(otherCd.musicCdsTitle));
     public String toString()
          return("Music Cd`s Title: " + musicCdsTitle + "\t"
                 + "Year of release: " + yearOfRelease + "\t");
import java.util.ArrayList;
import java.io.*;
public class MusicCdStore
   ArrayList<MusicCd> MusicCdList;
   public void insertCd()
        MusicCdList = new ArrayList<MusicCd>( ); 
        readOperation theRo = new readOperation();
        MusicCd theCd;
        int muiseCdsYearOfRelease;
        String muiseCdsTitle;
          while(true)
                String continueInsertCd = "Y";
               do
                    muiseCdsTitle = theRo.readString("Please enter your CD`s title : ");
                    muiseCdsYearOfRelease = theRo.readInt("Please enter your CD`s year of release : ");
                    MusicCdList.add(new MusicCd(muiseCdsTitle, muiseCdsYearOfRelease));
                    MusicCdList.trimToSize();
                    continueInsertCd = theRo.readString("Do you have another Cd ? (Y/N) : ");
               }while(continueInsertCd.equals("Y") || continueInsertCd.equals("y") );
               if(continueInsertCd.equals("N") || continueInsertCd.equals("n"));
                                                //MusicCdList.add(new MusicCd(muiseCdsTitle, muiseCdsYearOfRelease));                              
                              break;
                  //System.out.println("You `ve an invalid input " + continueInsertCd + " Please enter (Y/N) only!!");
   public void displayAllCd()
                System.out.println("\nOur CD collection is: \n" );
          System.out.println(toString());
   public String toString( )
        String result= " ";
        for( MusicCd tempCd : MusicCdList)
             result += tempCd.toString() + "\n";
        return result;
   public void searchingMusicCd()
        readOperation theRo = new readOperation();
        String keyword = theRo.readString("Enter a CD `s Title you are going to search : ") ;
        ArrayList<MusicCd> results = searchForTitle(keyword );
          System.out.println("The search results for " + keyword + " are:" );
          for(MusicCd tempCd : results)
               System.out.println( tempCd.toString() );
   //encapsulate the A
   public void removeCd()
        readOperation theRo = new readOperation();
        String keyword = theRo.readString("Please enter CD `s title you are going to remove : ") ;
        ArrayList<MusicCd> removeMusicCdResult = new ArrayList<MusicCd>();
              System.out.println("The CD that you just removed  is " + keyword );
          for(MusicCd tempCd : removeMusicCdResult)
               System.out.println( tempCd.toString() );
   //problem occurs here : i am so confused of how to remove the exactly stuff from my arrayList
   //pls help
   private ArrayList<MusicCd> removeCdForTitle(String removeCdsTitle)
         MusicCd tempMusicCd = new MusicCd();
         tempMusicCd.setTitle(removeCdsTitle);
        // tempMusicCd.setTitle(removeCdsTitle);
        //tempMusicCd.getTitle() = removeCdsTitle;
        ArrayList<MusicCd> removeMusicCdResult = new ArrayList<MusicCd>();
        for(MusicCd currentMusicCd : MusicCdList)
             if((currentMusicCd.getTitle()).equals(tempMusicCd.getTitle()))
                 // removeMusicCdResult.remove(currentMusicCd);
                     MusicCdList.remove(currentMusicCd);
        removeMusicCdResult.trimToSize();
        return removeMusicCdResult;
   private ArrayList<MusicCd> searchForTitle(String searchString)
        ArrayList<MusicCd> searchResult = new ArrayList<MusicCd>();
        for(MusicCd currentMusicCd : MusicCdList)
             if((currentMusicCd.getTitle()).indexOf(searchString) != -1)
                  searchResult.add(currentMusicCd);
        searchResult.trimToSize();
        return searchResult;
import java.util.*;
public class MusicCdStoreEngine{
     public static void main(String[] args)
          MusicCdStore mcs = new MusicCdStore( );
          mcs.insertCd();
          //display the Cd that you just insert
          mcs.displayAllCd();
          mcs.removeCd();
          mcs.displayAllCd();
          mcs.searchingMusicCd();
//Acutally result
//Please enter your CD`s title : ivan
//Please enter your CD`s year of release : 1992
//Do you have another Cd ? (Y/N) : y
//Please enter your CD`s title : hero
//Please enter your CD`s year of release : 1992
//Do you have another Cd ? (Y/N) : n
//Our CD collection is:
// Music Cd`s Title: ivan     Year of release: 1992
//Music Cd`s Title: hero     Year of release: 1992     
//Please enter CD `s title you are going to remove : hero
//The CD that you just removed  is hero
//Our CD collection is:
// Music Cd`s Title: ivan     Year of release: 1992
//Music Cd`s Title: hero     Year of release: 1992     
//Enter a CD `s Title you are going to search : hero
//The search results for hero are:
//Music Cd`s Title: hero     Year of release: 1992
//>Exit code: 0
//Expected result
//Please enter your CD`s title : ivan
//Please enter your CD`s year of release : 1992
//Do you have another Cd ? (Y/N) : y
//Please enter your CD`s title : hero
//Please enter your CD`s year of release : 1992
//Do you have another Cd ? (Y/N) : n
//Our CD collection is:
// Music Cd`s Title: ivan     Year of release: 1992
//Music Cd`s Title: hero     Year of release: 1992     
//Please enter CD `s title you are going to remove : hero
//The CD that you just removed  is hero
//Our CD collection is:
// Music Cd`s Title: ivan     Year of release: 1992
//Music Cd`s Title: hero     Year of release: 1992<<-- it is not supposed to display cos i have deleted it from from array     
//Enter a CD `s Title you are going to search : hero
//The search results for hero are:
//Music Cd`s Title: hero     Year of release: 1992<<-- i should have get this reuslt...cos it is already delete from my array
//>Exit code: 0
import java.util.*;
public class readOperation{
     public String readString(String userInstruction)
          String aString = null;
          try
                     Scanner scan = new Scanner(System.in);
               System.out.print(userInstruction);
               aString = scan.nextLine();
          catch (NoSuchElementException e)
               //if no line was found
               System.out.println("\nNoSuchElementException error occurred (no line was found) " + e);
          catch (IllegalStateException e)
               // if this scanner is closed
               System.out.println("\nIllegalStateException error occurred (scanner is closed)" + e);
          return aString;
     public char readTheFirstChar(String userInstruction)
          char aChar = ' ';
          String strSelection = null;
          try
               //char charSelection;
                     Scanner scan = new Scanner(System.in);
               System.out.print(userInstruction);
               strSelection = scan.next();
               aChar =  strSelection.charAt(0);
          catch (NoSuchElementException e)
               //if no line was found
               System.out.println("\nNoSuchElementException error occurred (no line was found) " + e);
          catch (IllegalStateException e)
               // if this scanner is closed
               System.out.println("\nIllegalStateException error occurred (scanner is closed)" + e);
          return aChar;
     public int readInt(String userInstruction) {
          int aInt = 0;
          try {
               Scanner scan = new Scanner(System.in);
               System.out.print(userInstruction);
               aInt = scan.nextInt();
          } catch (InputMismatchException e) {
               System.out.println("\nInputMismatchException error occurred (the next token does not match the Integer regular expression, or is out of range) " + e);
          } catch (NoSuchElementException e) {
               System.out.println("\nNoSuchElementException error occurred (input is exhausted)" + e);
          } catch (IllegalStateException e) {
               System.out.println("\nIllegalStateException error occurred (scanner is closed)" + e);
          return aInt;
}

//problem occurs hereI'm not sure that the problem does occur within the
removeCdForTitle() method.
Your main() method calls removeCd() which obtains the title of
the CD to be removed (keyword). But remoceCd() never
calls removeCdForTitle(), so nothing is ever removed.

Similar Messages

  • Removing a object from an arraylist

    hi,
    i am putting an object into an arraylist like:
    <code>
    Hashtable userList = new Hashtable();
    userList = this.loadUsers();
    boolean found = false;
    //look for the user in the list
    for(int i = 0; i< userList.size(); i++)
    User user = new User();
    user = (User)userList.get(""+i);
    if (user.userName.equalsIgnoreCase(userName) && user.password.equalsIgnoreCase(password))
    try
    found = true;
    clientList.add(user);
    System.out.println(userName);
    catch (Exception e)
    e.printStackTrace();
    <\code>
    and removing it like this:
    <code>
    Hashtable userList = new Hashtable();
    userList = this.loadUsers();
    boolean found = false;
    //look for the user in the list
    for(int i = 0; i< userList.size(); i++)
    User user = new User();
    user = (User)userList.get(""+i);
    System.out.println(user);
    if (user.userName.equalsIgnoreCase(userName))
    try
    found = true;
    //add the logged in user to the Arraylist
    int arraylist = clientList.size();
    System.out.println(user);
    System.out.println("client removed = "+clientList.remove(user));
    System.out.println(userName);
    catch (Exception e)
    e.printStackTrace();
    <\code>
    however the object reference is not the same when i take it out so it wont remove... why?
    Assignment.ChatImp$User@11121f6
    Assignment.ChatImp$User@f7f540

    This code is brain dead.
    Looks like your User class has public data members. True?
    Why are you using a Hashtable when you appear to want a List?
    You probably don't override equals and hashcode for your object.
    Try this:
    package user;
    import java.io.Serializable;
    import java.util.List;
    import java.util.ArrayList;
    * Created by IntelliJ IDEA.
    * User: Michael
    * Date: Dec 2, 2006
    * Time: 9:59:11 AM
    * To change this template use File | Settings | File Templates.
    public class User implements Serializable
        private String username;
        private String password;
        public static void main(String[] args)
            if (args.length > 0)
                List<User> users = new ArrayList<User>(args.length);
                User userToRemove = new User(args[0], args[0]);
                for (int i = 0; i < args.length; ++i)
                    User u = new User(args, args[i]);
    users.add(u);
    System.out.println("before: " + users);
    System.out.println("users " + (users.contains(userToRemove) ? "" : "does not ") + "contain " + userToRemove);
    users.remove(userToRemove);
    System.out.println("after : " + users);
    System.out.println("users " + (users.contains(userToRemove) ? "" : "does not ") + "contain " + userToRemove);
    private User()
    this("", "");
    public User(String username, String password)
    if ((username == null) || "".equals(username.trim()))
    throw new IllegalArgumentException("username cannot be blank or null");
    if ((password == null) || "".equals(password.trim()))
    throw new IllegalArgumentException("password cannot be blank or null");
    this.username = username;
    this.password = password;
    public String getUsername()
    return username;
    public String getPassword()
    return password;
    public boolean equals(Object o)
    if (this == o)
    return true;
    if (o == null || getClass() != o.getClass())
    return false;
    User user = (User) o;
    if (password != null ? !password.equals(user.password) : user.password != null)
    return false;
    if (username != null ? !username.equals(user.username) : user.username != null)
    return false;
    return true;
    public int hashCode()
    int result;
    result = (username != null ? username.hashCode() : 0);
    result = 31 * result + (password != null ? password.hashCode() : 0);
    return result;
    public String toString()
    return new StringBuilder().append("User{").append("username='").append(username).append('\'').append(", password='").append(password).append('\'').append('}').toString();

  • How to remove an object from session with JSF 2.0 + Faceletes

    hi all,
    I have a facelets page which calls a backing bean of session scope. Now when ever i click on this page i want the existing bean object to be removed from the session . In my existing jsp i have a logic something like this to remove the object from session
         <% if (request.getParameter("newid") != null) {
              request.getSession().removeAttribute("manageuserscontroller");
    %>
    Now i have to refactor my jsp to use facelets and i should not be using scriplets anymore . I did try with JSTL but the <c:remove> tag is not supported by facelets.
    Can someone help me how can i refactor this code to work for my facelets?
    I really appreciate your help in advance
    Thank you

    r035198x wrote:
    Redesign things so that the remove is done in a backing bean method rather than in a view page.Exactly that. I tend to cleanup session variables at the start and at the end of a page flow; generally the end is some sort of save or cancel action being invoked through a button but that is application specific.

  • How to remove unused objects from the webcatalog In OBIEE11g

    Hi,
    I want to delete unused objects from obiee11g catalog, i know in obiee10g it's working fine (i.e: we can do it via manage catalog then delete the unused objects) is there any way to do it automatically like RPD utility --->removing unused objects from Physical layer in RPD
    fyi: I don't want to delete manualy. i need somethink like button/link to find unused objects(report,filter,folder..etc) from my obiee11g catalog.
    Thanks
    Deva
    Edited by: Devarasu on Nov 29, 2011 12:06 PM
    Edited by: Devarasu on Nov 29, 2011 3:15 PM

    Hi,
    Checked with Oracle Support team and confirmed below points
    --> incorporated into the Current product and consider as BUG it may resolve future release
    --> Currently there isnt any automatic method to remove the unused objects like reports, filters,folder etc from catalog.
    Treated as Bug
    Bug 13440888 - AUTOMATICALLY REMOVE OF UNUSED CATALOG OBJECTS FROM WEBCATALOG
    FYI:
    SR 3-4984291131: How to remove unused objects from the webcatalog in obiee11g
    Thanks
    Deva

  • How do you remove an object from a picture.  Newbie to program CS6

    how do you remove an object from a picture.  Newbie to program CS6

    Well, generally you can use the clone-stamp tool for one, shortcut is S. It basically allows you to take data from any part of the image and copy that over. What I do is draw on a new layer above the one to modify- make sure you select Sample:"This layer and below" in the top toolbar when doing so. Other ways include blending something on top of the object too, using different blending modes. Painting over it works too at times (rarely). It'd be easier if we knew a specific case though...

  • How to remove an object from Buffer Cache

    Hi,
    I have a simple question. How can I remove an object from the Buffer Cache in Oracle 10gR2 ?
    I am doing some tuning tasks in a shared development database, so I can't do "alter system flush shared_pool" because it will affect other people who are running their queries. So I want to remove from Buffer Cache only the objects that I know that I am the only reader. I can see the objects that I want to be removed by querying the V$BH view.
    By the way, I did some "alter system flush shared_pool" and my objects were not removed from the Buffer Cache, and they are not in the "Keep".
    Thanks In Advance,
    Christiano

    Further more, you can use CACHE | NOCACHE on table level to indicate how you want Oracle handle the data blocks of said table.
    http://download-west.oracle.com/docs/cd/B19306_01/server.102/b14200/statements_7002.htm#i2215507
    CACHE | NOCACHE | CACHE READS
    Use the CACHE clauses to indicate how Oracle Database should store blocks in the buffer cache. If you specify neither CACHE nor NOCACHE, then:
    In a CREATE TABLE statement, NOCACHE is the default
    In an ALTER TABLE statement, the existing value is not changed.
    CACHE For data that is accessed frequently, this clause indicates that the blocks retrieved for this table are placed at the most recently used end of the least recently used (LRU) list in the buffer cache when a full table scan is performed. This attribute is useful for small lookup tables.
    As a parameter in the LOB_storage_clause, CACHE specifies that the database places LOB data values in the buffer cache for faster access.
    Restriction on CACHE You cannot specify CACHE for an index-organized table. However, index-organized tables implicitly provide CACHE behavior.
    NOCACHE For data that is not accessed frequently, this clause indicates that the blocks retrieved for this table are placed at the least recently used end of the LRU list in the buffer cache when a full table scan is performed. NOCACHE is the default for LOB storage.
    As a parameter in the LOB_storage_clause, NOCACHE specifies that the LOB value either is not brought into the buffer cache or is brought into the buffer cache and placed at the least recently used end of the LRU list. The latter is the default behavior.
    Restriction on NOCACHE You cannot specify NOCACHE for an index-organized table.
    CACHE READS CACHE READS applies only to LOB storage. It specifies that LOB values are brought into the buffer cache only during read operations but not during write operations.

  • I am trying to remove an object from a photo such as the back of a person's head.  How do I do this?  I have iphoto '09.

    I am new to iphoto and am trying to figure out how to remove an object from a photo (ie the back of a person's head, or an arm in a photo that seems to belong to no one).  I have iphoto '09.

    You need an external editor for that kind of work.
    In order of price here are some suggestions:
    Seashore (free)
    Graphic Coverter ($45 approx)
    Acorn ($50 approx)
    Photoshop Elements ($75 approx)
    There are many, many other options. Search on MacUpdate.
    You can set Photoshop (or any image editor) as an external editor in iPhoto. (Preferences -> General -> Edit Photo: Choose from the Drop Down Menu.) This way, when you double click a pic to edit in iPhoto it will open automatically in Photoshop or your Image Editor, and when you save it it's sent back to iPhoto automatically. This is the only way that edits made in another application will be displayed in iPhoto. 
    Regards
    TD

  • How can i return object from oracle in my java code using pl/sql procedure?

    How can i return object from oracle in my java code using pl/sql procedure?
    And How can i returned varios rows fron a pl/sql store procedure
    please send me a example....
    Thank you
    null

    yes, i do
    But i can't run this examples...
    my problem is that i want recive a object from a PL/SQL
    //procedure callObject(miObj out MyObject)
    in my java code
    public static EmployeeObj callObject(Connection lv_con,
    String pv_idEmp)
    EmployeeObj ret = new EmployeeObj();
    try
    CallableStatement cstmt =
    lv_con.prepareCall("{call admin.callObject(?)}");
    cstmt.registerOutParameter(1, OracleTypes.STRUCT); // line ocurr wrong
    //registerOutParameter(int parameterIndex, int sqlType,String sql_name)
    cstmt.execute();
    ret = (EmployeeObj) cstmt.getObject(1);
    }//try
    catch (SQLException ex)
    System.out.println("error SQL");
    System.out.println ("\n*** SQLException caught ***\n");
    while (ex != null)
    System.out.println ("SQLState: " + ex.getSQLState ());
    System.out.println ("Message: " + ex.getMessage ());
    System.out.println ("Vendor: " + ex.getErrorCode ());
    ex = ex.getNextException ();
    System.out.println ("");
    catch (java.lang.Exception ex)
    System.out.println("error Lenguaje");
    return ret;
    Do you have any idea?

  • How to create and object from an arrayList

    Hi I want to create an object from an arrayList.
    here is my code...
    BillingQueryParam billingQueryParam = new BillingQueryParam();
    /*This BillingQueryParam and billingItemManagerActionForm has getter and setter method for following attributes.
    private int billingItemId;
    private String[] paramName;
    private String[] defaultParamValue;
    List billingQueryParamList = new ArrayList();               
    for(int i = 0; i < billingItemManagerActionForm.getParamName().length; i++) {
         billingQueryParam.setParamName(billingItemManagerActionForm.getParamName());
    for(int i = 0; i < billingItemManagerActionForm.getDefaultParamValue().length; i++) {
      billingQueryParam.setDefaultParamValue(billingItemManagerActionForm.getDefaultParamValue());
         billingQueryParam.setBillingItemId(billingItem.getBillingItemId());
         billingQueryParamList.add(billingQueryParam);
    System.out.println("****** ArrayList Size-->"+billingQueryParamList.size());
    for (Iterator iter = billingQueryParamList.iterator();iter.hasNext();) {
         billingQueryParam = (BillingQueryParam)iter.next();
          System.out.println("****** BillingItemId-->"+billingQueryParam.getBillingItemId());
          System.out.println("****** Param Name-->"+billingQueryParam.getParamName()); //printing an array of paramName
          System.out.println("****** Default param value-->"+billingQueryParam.getDefaultParamValue());
    }Here after iterating this list I want to create an object of billingQueryParam which contains a single value of itemId, paramName,paramTypeId and defaultParamName and I want to persist this object in database.
    Please help...!!!
    Thanks

    Now this is too much.. Do i need to tell this thing to u as well. How did u come to this forum?
    Can't u see link to Java programming forum at the top.

  • Using ps trying to remove an object from a picture, following steps but when object is removed area is replaced by another portion of the photo like someones face as opposed to what should normally be in the background

    using PS on a regular computer windows 7 tryng to remove an object from a picture,  following steps in the tutorial however when the object is removed it is replaced by another (unwanted) portion of the photo i.e. someones face  instead of what would have normally been in the background

    Well, we can't know. You have not told us what tools you use and what steps nor provided any screenshots. From your description it simply sounds like you are following some tutorial (which again we know nothing about because you haven't told us which one) and getting things wrong. You need to do much better if you want people to help you.
    Mylenium

  • Hi,how can i transport objects from one server to other like (Dev To Qty)

    Hi Sir/madam,
       Can u explain how can i transport objects from one server to other like (Development To Quality To Production).
    Regards,
    Vishali.

    Hi Vishali,
    Step 1: Collect all Transports(with Packages) in Transports Tab(RSA1)- CTO
    Step 2: Release the subrequests first and then the main request by pressing Truck button
    Step 3: STMS or Customized transactions
    Object Collection In Transports:
    The respective Transports should have the following objects:
    1. Base Objects -
    a. Info Area
    b. Info object catalogs
    c. Info Objects
    2. Info Providers u2013
    a. Info Cubes
    b. Multi Providers
    c. Info Sets
    d. Data Store Objects
    e. Info Cube Aggregates
    3. Transfer Rules u2013
    a. Application Components
    b. Communication Structure
    c. Data Source replica
    d. Info Packages
    e. Transfer Rules
    f. Transformations
    g. Info Source Transaction data
    h. Transfer Structure
    i. Data sources (Active version)
    j. Routines & BW Formulas used in the Transfer routines
    k. Extract Structures
    l. (Note) If the transfer structures and related objects are being transferred without preceding
    Base Objects transport (e.g. while fixing an error) it is safer to transport the related Info
    Objects as well.
    4. Update Rules u2013
    a. Update rules
    b. Routines and formulas used in Update rules
    c. DTPs
    5. Process Chains u2013
    a. Process Chains
    b. Process Chain Starter
    c. Process Variants
    d. Event u2013 Administration Chains
    6. Report Objects u2013
    a. Reports
    b. Report Objects
    c. Web Templates
    Regards,
    Suman

  • HT1918 how i can remove credit card from my acaunt

    how i can remove credit card from my acaunt

    Songs that you downloaded to your iPad before playing them can be removed by swiping across the song title and tapping Deleted.  Music that you played without downloading them can only be removed by turning off iTunes Match in Settings>Music (which will remove all the music from your iPad).  Then you can turn iTunes Match back on again and download/play the music you want again.

  • How to remove the Object from memory.

    Hello.
    Flash file that i made with Flex Builder uses memory too
    much.
    Look at the next example source code.
    var testCan:Canvas = new Canvas();
    this.addChild(testCan);
    this.removeChild(testCan);
    testCan = null;
    but just memory usage still goes up, is not freed instantly.
    so if i load the large flash files on my web browser,
    after 5 munites or something, the web browser is down.
    How to remove the object from memory immediately without
    delay?

    It's all about the Garbage Collector ..
    There is a nice write up here :
    http://www.gskinner.com/blog/archives/2006/06/as3_resource_ma.html

  • How do I remove an object from the foreground of a photo eg a fence?

    How do I remove an object from the foreground of a photo eg a fence?

    What version of Photoshop?
    If CC then try here
    Learn Photoshop CC | Adobe TV

  • Remove AP object from WLC

    How to remove AP object from WLC 8500 ?  I had dismantle one AP so it is now no longer associated with WLC, I want to remove AP info from WLC. But unable to find any command for the same.

    Hi Scott,
    Thanks for your answer..  But it's not fulfill my question.  I want to remove some of AP entries which is not currently associated with WLC.
    Below are steps which I understood when new AP joins to controller in my case.
    1) We are configuring AP with static IP and capwap protocol thru console login of AP.
    2) We are connecting AP to WLC thru netwok.
    3) When A joins to controller, It will be visible at Monitor section > Access Point Summary
    4) It will start from AP.macaddress
    5) Now remotely we are applying AP name, HIgh availability and assign to appropriate AP group.
    Now My query is when AP joins to controller, somewhere there should be entry in database that this mac address of AP is joined to controller along with AP configuration. 
    I want to delete some of AP databases which are disassociates from controller due to media failure between AP and WLC/AP no longer available.
    Is there any command to remove AP entries from Controller ? or any other procedure ?
    Devang

Maybe you are looking for

  • Where would I find the amount of memory or space my machine has left?

    I just bought a used imac G3. this is my first experience with a mac. so far I love it but there are a couple things I can't figure out. First i got rid of previous user's folder and made myself the administrator etc. i set up 2 other users. how can

  • Win 7 compatability issues with Acrobat 9 Pro

    I'm using Win 7 Pro 64 bit OS, Acro 9 Pro, Reader 9, and Live Cycle ES 8.2 (came bundled with Pro). All appear to be functioning. My MUA is Thunderbird 5.0. My issue is the mailing of a simple form built in LC that has a button set as a submit contro

  • How to find revision level

    hi my requirement is that, i have to get the revision level for each material number in a specific plant, is there any function module which can get this data, actually this revision level has to be brought from table AEOI table, but its key fields a

  • How to restore cluster to different servers

    Our 2-node cluster is being included in DR test this year. Our site provider is being asked to prepare servers, network and storage to host the cluster. We will restore from EMC BCV backup and then try to bring up the cluster. OS = solaris, storage i

  • Print preview summary

    All, I posted a message back in November wondering if anyone had implemented a print preview mechanism in Forte. I got a record number of responses saying "no...but let me know what you find out". A few people responded with solutions. I still get pr