Removing a 3750 from a stack

I had 2 3750's in a stack.
I powered them down and now when i power on the master i still have the config for the other 3750.
Is there any way to remove the slaves config from my now stand alone (which once was master) switch with out wiping everything and having to start from scratch...
many thanks

Hi
You need to remove the other switch from the stack.
In the config near the top you will see the following lines:
switch 1 provision ws-c3750g-24ts
switch 2 provision ws-c3750-48ps
you need to go into global config and remove the entry for the second switch eg:
no switch 2 provision ws-c3750-48ps
Hope this helps
Martin
Please rate useful posts.

Similar Messages

  • HT3739 How do I remove an app from a stack?

    I haven't been able to find any information on removing an app/ file from a stack, only adding to or creating stacks. Is it possible to remove files from stacks? I'm pretty sure that if i delete a stack it also delets all the files in the stack is there any way to delete a stack without deleting the files inside the stack?
    Thanks

    Are you talking about a folder on the "Dock"?  If so, then that is just an Alias to a real directory.  So removing the folder alias displaying as a stack from the dock just deletes the alias.
    If you wish to remove a single item from the stack, then you remove that item from the actual folder.  The stack should have an "Open in Finder" button, which should take you to the real folder.
    You could also create a new folder, then populate that folder with Aliases to all the apps or files you wish to have in a stack, then drag the folder to the dock, then option-click on the folder in the stack and make it a stack.
    DO NOT move the actual applications, folders, or files to a collection folder, just create aliases for the apps, folders, files you want in that collection stack.  Command-Option-Drag an app, folder, file to the collection folder will create an alias, and not move the item itself.

  • Removing 3750 from stack

    I have a 3750-12S-S which was the third switch in a stack of 3 3750. We want to run it as a seperate switch in a different location so I removed it from the stack by powering it off, unplugging the stack cables and then powering it up again.
    When the switch came up again all of the 12 interfaces were numbered Gi3/0/1-12. Despite erasing the config and rebooting the switch, the interfaces will not reset back to Gi1/0/1-12. I have noticed the following command in the running config:
    "switch 3 provision ws-c3750g-12s". I suspect this is causing the problem but I am unable to remove it from the config without it reappearing on the next power-cycle.
    Can someone suggest a solution?
    Thanks.

    C3750-9B(config)#switch 3 renumber 1
    WARNING: Changing the switch number may result in a
    configuration change for that switch.
    The interface configuration associated with the old switch
    number will remain as a provisioned configuration.
    Do you want to continue?[confirm]
    The part that we really need to focus on is
    "The interface configuration associated with the old switch
    number will remain as a provisioned configuration."
    Which means that configuration that was associated with switch number 3 will remain as
    Gi5/0/1 and will not change to Gi1/0/1 . Infact , renumbering will provision another switch
    with the new number with default config. So what is really the solution of this ? The
    solution is to move the config manually , or do not change the switch numbers. Once you put the config on a newly provisioned #1 switch , then unprovision switch # 3 and save the config. That should effectively move every thing to switch 1.
    Hope this helps.
    Salman Z.

  • Back button not removing from the stack?

    Hi,
    I have the following code:
    [[self navigationController]pushViewController:_newsDetailController animated:YES];
    However, It doesn't seem to be removing from the stack when the user hits the back button on the UINavigationBar.
    The reason I believe this, is because when you then select another item in my UITableView, it loads exactly the same details as the first time.
    I have tried [_newsDetailController release]; but it still doesn't make any difference. It just crashes after the third selection.
    This is what I'm doing in my didSelectRowAtIndexPath:
    - (void)tableViewUITableView *)tableView didSelectRowAtIndexPathNSIndexPath *)indexPath {
    [[self appDelegate] setCurrentlySelectedBlogItem:[[[self rssParser]rssItems]objectAtIndex:indexPath.row]];
    [self.appDelegate loadNewsDetails];
    Any help would be greatly appreciated. I've spent ages on this!
    It worked fine until I added a UINavigationController.
    Thanks,
    Nick

    Hi Nick, and welcome to the Dev Forum,
    nrawlins wrote:
    ... It doesn't seem to be removing from the stack when the user hits the back button on the UINavigationBar.
    I understand how your observations could make it seem like your _newsDetailController is somehow staying on the stack, but that's not what's going on here. If you want to see the stack, just add some logging before and after pushing or popping:
    NSLog(@"stack: %@", self.navigationController.viewControllers);
    I think we'll need to see more of your code to isolate the problem, but what we're looking for is a logic mistake which causes the detail controller to always display the info for the same item, regardless of which item is selected next. Here's a list of questions to guide your search, and/or show you which code we need to look at:
    1) What's in the array returned by [[self rssParser]rssItems] ? It might help to add some logging in tableView:didSelectRowAtIndexPath like this:
    - (void)tableView(UITableView *)tableView didSelectRowAtIndexPath(NSIndexPath *)indexPath {
    NSArray *item = [[[self rssParser]rssItems]objectAtIndex:indexPath.row]];
    NSLog(@"%s: item=%@", _func_, item);
    [[self appDelegate] setCurrentlySelectedBlogItem:item];
    [[self appDelegate] loadNewsDetails];
    2) What does loadNewsDetails do? It looks like it finds the details for the item stored in currentlySelectedBlogItem. Is that right? Some logging in loadNewsDetails might help to make sure the correct details are loaded there. From your description it sounds like you already had this part of the code working right, but it wouldn't hurt to be sure it's still doing what you expect;
    3) How does the data obtained in loadNewsDetails find its way to the details controller? This is the missing link not shown in the code you've posted so far. I think we need to look at:
    3.1) Where and when the details controller is created;
    3.2) Whether the same controller object is intended to persist from item to item, or whether a new instance of the controller is created each time an item is selected. The latter scheme is usually preferred for best memory management;
    3.3) Is the current item and detail data stored in the detailsController or the app delegate? When is it stored, and when is it used?
    For example, suppose the details controller is only created once and persists for the life of the table view. Then suppose loadNewDetails saves the new details in an ivar of the app delegate, and the code to fetch the new details is in viewDidLoad of the controller.
    In the above scenario, viewDidLoad would run after the details controller was created, and if the details of the first selection were loaded by then, the details for the currently selected item would
    be presented as expected. But viewDidLoad will normally only run once, so when the selection was changed, the new details would never be fetched, and the previous details will be displayed again.
    The best way to avoid this and other related scenarios, is to create a new details controller each time a new selection is made from the table view:
    // MyTableViewController.m
    #import "myAppDelegate.h"
    #import "NewsDetailController.h"
    // called by loadNewsDetails as soon as details have been loaded
    - (void)presentDetailController {
    NewsDetailController *viewController = [[NewsDetailController alloc] // vc retainCount is 1
    initWithNibName:@"NewsDetailController" bundle:nil];
    // store new details in the detail controller; e.g.:
    viewController.navigationItem.title = [self appDelegate].currentlySelectedBlogItem;
    viewController.textView = [self appDelegate].currentDetails;
    [self.navigationController pushViewController:viewController // vc retainCount is 2
    animated:YES];
    [release viewController]; // vc retainCount is 1
    By releasing the new controller in the last line, we reduce its retain count to 1. Now the new controller is only retained by the stack, so when the stack is popped, the new controller will be dealloced.
    If none of the above is helpful, please answer all the questions as best you can and post the indicated code, ok?
    - Ray

  • Unable to remove a host from VMM - Error (2606) Unable to perform the job because one or more of the selected objects are locked by another job.

    I am unable to remove a host from my Virtual Machine Manager 2012 R2. I receive the following error:
    Error (2606)
    Unable to perform the job because one or more of the selected objects are locked by another job.
    Recommended Action
    To find out which job is locking the object, in the Jobs view, group by Status, and find the running or canceling job for the object. When the job is complete, try again.
    I have already tried running the following command in SQL Server Management Studio
    SELECT * FROM [VirtualManagerDB].[dbo].[tbl_VMM_Lock] where TaskID='Task_GUID'
    I received this error back:
    Msg 8169, Level 16, State 2, Line 1
    Conversion failed when converting from a character string to uniqueidentifier.
    I have also tried rebooting both the host and the Virtual Machine Manager Server.  After rebooting them both, I still receive the same error when trying to remove the host.
    Here are my server details
    VMM Server OS = Windows 2012 Standard
    VMM Version = 2012 R2 3.2.7510.0
    Host OS = Windows 2012 R2 Datacenter
    Host Agent Version = 3.2.75.10.0
    SQL Server OS = Windows 2012 Datacenter
    SQL Version = 2012 SP 1 (11.0.3000.0)

    Hi there,
    How many hosts are you managing with your VMM server?
    The locking job might be the background host refresher job. Did you see any jobs in the jobs view, when the host removal job failed?
    If there is no active jobs in the jobs view when this host removal job fails, can you please turn on the VMM tracing, retry the host removal, and paste back the traces for the failed job (search for exception and paste the whole stack)?
    Thanks!
    Cheng

  • Removing a corection from a maintenance cycle

    Good Day;
    I am trying to figure out how to remove a "correction" from a maintenance cycle. There is a transport assigned to the correction.
    We are currently on support stack 17
    Thanks all
    Regards
    Don Newton

    Thanks Sanjai;
    This part works well except that that any transports have remained in the maintenance cycle.
    Not a big problem as I can use SE10 to remove the transport from the maintenance cycle as long as it is in u201Cmodifiableu201D status.
    Thanks again Sanjai
    Regards
    Don Newton

  • Remove one version from web gallery album

    I created a mobile me gallery in aperture. AFter doing it, i decided to add copyright to the images in photoshop. I did this with apertures ability to edit with an external editor. I completed it all and went back into to aperture happy to se there were now two versions of each photo, one with the change, one without.
    However, on the mobile me gallery folder, each picture has a stack of two pictures, one with the edit one without etc. How can I remove the original from the mobile me gallery but keeping it in aperture?
    i seem to remember seeing an option when I right clicked somewhere and I could choose to remove an image from an album, but I can't find this..
    Regards

    Ok i tried that an the version I wanted got a tick at the top centre of the thumbnail. I synced the gallery but it didn't really work.
    The thumbnails in the web gallery have the copyright in the bottom right but when you click it to load the large version, it loads without the copyright.
    Have a look
    http://gallery.me.com/alexdlyons#100265&view=grid&bgcolor=black&sel=3
    I unstacked one of the photos and found the remove from album button. I tried this and I was left with the one I wanted, so I did it to all of them. I tried to sync it but no joy. Now I am left with the original project in bits as there are some versions with weird names, some with copyright etc and with OCD it is wrecking my head!!
    How can I fix this??
    Regards

  • Remove ALL Images from PDF Export?

    I'd like to remove ALL images from a PDF export (Indesign CS6), with the intention of having the smallest file size possible for review. All the images are Photoshop PSDs.
    I have created a PDF Preset (PDF 1.7) that omits EPS, PDF and Bitmap.
    That covers any PSDs that contain opaque backgrounds, i.e. are considered to be non-transparent. However, any PSDs that do NOT contain such backgrounds still appear in the exported PDF. I assume they are NOT considered to be Bitmaps?!?
    I've gone for maximal compression of images (in the Preset) also just to see how small I can get the file, but it's still over a meg, and I'd really like even smaller. I live in a rural part of England where net access is painfully slow, and even a few meg of data takes far too long to upload, not to mention the constant drop-outs. Consider further that my document is likely to grow by several orders of magnitude and hopefully you can see why I'd like to sort this issue out as soon as possible.
    I've not done any scripting but assume it would be trivial to hide images with a script. However, I'm not sure how such a script might know how to make visible only the images that were previously hidden by the script. Obviously I would not wish to unhide images that must stay hidden. Maybe some form of image/object tagging, if that's even possible in this product, i.e. tag them "temp hide" on first pass of the script, and so forth.
    Any suggestions much appreciated.
    Regards,
    James

    @James – to mark the container frames of the nonprinting images by a fill color, you could add the following lines of code in the for loop:
    allGraphicsArray[n].nonprinting = true;
    //The parent of the graphic is the container that holds it.
    //We could use it to fill it with a tint of e.g. 20% of black:
    allGraphicsArray[n].parent.fillColor = "Black";
    allGraphicsArray[n].parent.fillTint = 20;
    But this approach will add a new problem for images, that only use a portion of the holding graphic frame. Or are only partly visible due to a clipping path or a clipping mask or totally transparent areas due to transparent pixels.
    Already colored backgrounds will be recolored…
    @Sandee – I see the advantage of the PostScript to Distiller way in this situation, but there are two disadvantages:
    1. Live transparency will be flattened (could be no issue in this use case, but you never know).
    2. The gray area with the big X will be applied also to parts of the images where no pixels are present (transparent pixels in PhotoShop or TIFF files).
    To work around all these issues we need a more complex script that is building a  path object around the transparent parts of an image or using an applied clipping path for that purpose and fill that with a gray tint (and maybe with an X).
    Here some screen shots to illustrate the problems (with or without using PostScript/Distiller):
    1. Original set up:
    One placed PhotoShop file with transparency stacked upon the text frame.
    The image inside its holding frame is selected.
    The visibility of one of its layers depicting a second chair on the left side is switched off.
    2. The same setup in a different view:
    3. After running the script with the two additional lines of code:
    Using the PostScript method would do nearly the same plus adding a cross using the  area of the selected image.
    Uwe

  • SQL to remove a spec from GSM action items

    Does anyone have SQL to remove a spec from a user's action items in GSM?
    thanks!
    David

    In this particular case, the specification is corrupt, and rather than trying to find out how to fix the spec, we'd like to just remove it from this user's action items. When they  (or anyone) clicks on it, we get an unhandled error.
    here's the error .
    The description for Event ID '0' in Source 'Prodika' cannot be found. The local computer may not have the necessary registry information or message DLL files to display the message, or you may not have permission to access them. The following information is part of the event:'ErrorType: First| ErrorCount: 0| App: GSM| SessionId: eea2fb17-7eb0-921f-8282-ae7244639de0| UserId: mccallda| IsNewSession: False| ServerID: 10.31.11.20| Misc: Spec 5234087-001 ; PM#33303 4.4 oz Corrugated Filler for 4.4 oz Shipper| Exception: System.Web.HttpUnhandledException: Exception of type 'System.Web.HttpUnhandledException' was thrown. ---> Xeno.Prodika.Common.AssertionException at Xeno.Prodika.Common.Assert.Fail(String msg) at Xeno.Prodika.Common.Assert.True(Boolean value) at Xeno.Prodika.GSMLib.DomainObjects.Specification.BusinessObjects.Impl.SpecAllowedUOMsBO.InitBaseUOM() at Xeno.Prodika.GSMLib.DomainObjects.Specification.BusinessObjects.Impl.SpecAllowedUOMsBO.Initialize(IXDataManager dataManager, IXDataObjectCollection dataObjects, IXDataObjectFilter dataObjectFilter) at Xeno.Prodika.BusinessObjects.Framework.DataObjectBasedBusinessObject.XDataObjectBasedBusinessObjectCollection..ctor(IXDataObjectBasedBusinessObjectManager businessObjectManager, IXDataObjectCollection dataObjectCollection, IXBusinessObjectConstructInitializerFactory constructInitializerFactory, IComparer comparer, IXDataObjectFilter dataObjectFilter) at Xeno.Prodika.BusinessObjects.Framework.DataObjectBasedBusinessObject.XDataObjectBasedBusinessObjectCollection..ctor(IXDataObjectBasedBusinessObjectManager businessObjectManager, IXDataObjectCollection dataObjectCollection) at Xeno.Prodika.GSMLib.BusinessObjects.Impl.PackagingSpecBO.get_SpecAllowedUOMsBO() at prodika.ctlAvailableUOM.OnInit(EventArgs e) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.AddedControl(Control control, Int32 index) at System.Web.UI.ControlCollection.Add(Control child) at Xeno.Web.UI.Layout.ContentContainer.OnInit(EventArgs e) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Control.InitRecursive(Control namingContainer) at System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) --- End of inner exception stack trace --- at System.Web.UI.Page.HandleError(Exception e) at System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) at System.Web.UI.Page.ProcessRequest(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) at System.Web.UI.Page.ProcessRequest() at System.Web.UI.Page.ProcessRequestWithNoAssert(HttpContext context) at System.Web.UI.Page.ProcessRequest(HttpContext context) at ASP.baseforms_frmpackaging_aspx.ProcessRequest(HttpContext context) at System.Web.HttpApplication.CallHandlerExecutionStep.System.Web.HttpApplication.IExecutionStep.Execute() at System.Web.HttpApplication.ExecuteStep(IExecutionStep step, Boolean& completedSynchronously)'

  • I need help retreiving data from a stack.

    Ok, i have a few classes:
    public class StackClass
        private  int maxStackSize;    //variable to store the maximum
                                      //stack size
        private  int stackTop;        //variable to point to the top
                                      //of the stack
        private  DataElement[] list;  //array of reference variables
            //default constructor
            //Create an array of size 100 to implement the stack.
            //Postcondition: The variable list contains the base
            //               address of the array, stackTop = 0, and
            //               maxStackSize = 100.
        public StackClass()
            maxStackSize = 100;
            stackTop = 0;         //set stackTop to 0
            list = new DataElement[maxStackSize];   //create the array
        }//end default constructor
            //constructor with a parameter
            //Create an array of size stackSize to implement the stack.
            //Postcondition: The variable list contains the base
            //               address of the array, stackTop = 0, and
            //               maxStackSize = stackSize.
        public StackClass(int stackSize)
            if(stackSize <= 0)
               System.err.println("The size of the array to implement "
                                + "the stack must be positive.");
               System.err.println("Creating an array of size 100.");
               maxStackSize = 100;
            else
               maxStackSize = stackSize;   //set the stack size to
                                           //the value specified by
                                           //the parameter stackSize
            stackTop = 0;    //set stackTop to 0
            list = new DataElement[maxStackSize]; //create the array
        }//end constructor
            //Method to initialize the stack to an empty state.
            //Postcondition: stackTop = 0
        public void initializeStack()
            for(int i = 0; i < stackTop; i++)
                list[i] = null;
            stackTop = 0;
        }//end initializeStack
            //Method to determine whether the stack is empty.
            //Postcondition: Returns true if the stack is empty;
            //               otherwise, returns false.
        public boolean isEmptyStack()
            return (stackTop == 0);
        }//end isEmptyStack
            //Method to determine whether the stack is full.
            //Postcondition: Returns true if the stack is full;
            //               otherwise, returns false.
        public boolean isFullStack()
            return (stackTop == maxStackSize);
        }//end isFullStack
            //Method to add newItem to the stack.
            //Precondition: The stack exists and is not full.
            //Postcondition: The stack is changed and newItem
            //               is added to the top of stack.
            //               If the stack is full, the method throws
            //               StackOverflowException
        public void push(DataElement newItem) throws StackOverflowException
            if(isFullStack())
                throw new StackOverflowException();
            list[stackTop] = newItem.getCopy(); //add newItem at the
                                                //top of the stack
            stackTop++;                         //increment stackTop
        }//end push
            //Method to return the top element of the stack.
            //Precondition: The stack exists and is not empty.
            //Postcondition: If the stack is empty, the method throws
            //               StackUnderflowException; otherwise, a
            //               reference to a copy of the top element
            //               of the stack is returned.
        public DataElement top() throws StackUnderflowException
            if(isEmptyStack())
                throw new StackUnderflowException();
            DataElement temp = list[stackTop - 1].getCopy();
            return temp;
        }//end top
            //Method to remove the top element of the stack.
            //Precondition: The stack exists and is not empty.
            //Postcondition: The stack is changed and the top
            //               element is removed from the stack.
            //               If the stack is empty, the method throws
            //               StackUnderflowException
        public void pop() throws StackUnderflowException
            if(isEmptyStack())
               throw new StackUnderflowException();
            stackTop--;       //decrement stackTop
            list[stackTop] = null;
        }//end pop
            //Method to make a copy of otherStack.
            //This method is used only to implement the methods
            //copyStack and copy constructor
            //Postcondition: A copy of otherStack is created and
            //               assigned to this stack.
        private void copy(StackClass otherStack)
             list = null;
             System.gc();
             maxStackSize = otherStack.maxStackSize;
             stackTop = otherStack.stackTop;
             list = new DataElement[maxStackSize];
                   //copy otherStack into this stack
             for(int i = 0; i < stackTop; i++)
                 list[i] = otherStack.list.getCopy();
    }//end copy
    //copy constructor
    public StackClass(StackClass otherStack)
    copy(otherStack);
    }//end constructor
    //Method to make a copy of otherStack.
    //Postcondition: A copy of otherStack is created and
    // assigned to this stack.
    public void copyStack(StackClass otherStack)
    if(this != otherStack) //avoid self-copy
    copy(otherStack);
    }//end copyStack
    public boolean equalStack(StackClass otherStack) //boolean so that it returns true or false
         if (this.isEmptyStack() == otherStack.isEmptyStack())
              try
                   while(top().compareTo( otherStack.top())==0)
                        pop();
                        otherStack.pop();
                        return false ;
              catch (StackUnderflowException e)
                   return true;
         else
              return false;
         public void reverseStack(StackClass otherStack)
              otherStack.initializeStack();          
              int count = stackTop;
              StackClass stackToCopy = new StackClass(this);
              while (count >= 0)
                   stackToCopy.push(otherStack.top());     
                   otherStack.pop();
                   stackToCopy.pop();
                   count--;
    public abstract class DataElement
        public abstract boolean equals(DataElement otherElement);
          //Method to determine whether two objects contain the
          //same data.
          //Postcondition: Returns true if this object contains the
          //               same data as the object otherElement;
          //               otherwise, it returns false.
        public abstract int compareTo(DataElement otherElement);
          //Method to compare two objects.
          //Postcondition: Returns a value < 0 if this object is
          //                    less than the object otherElement;
          //               Returns 0 if this object is the same as
          //                    the object otherElement.
          //               Returns a value > 0 if this object is
          //                  greater than the object otherElement.
        public abstract void makeCopy(DataElement otherElement);
          //Method to copy otherElement into this object.
          //Postcondition: The data of otherElement is copied into
          //               this object.
        public abstract DataElement getCopy();
          //Method to return a copy of this object.
          //Postcondition: A copy of this object is created and
          //               a reference of the copy is returned.
    public class IntElement extends DataElement
        protected int num;
          //default constructor
        public IntElement()
            num = 0;
          //constructor with a parameter
        public IntElement(int x)
            num = x;
          //copy constructor
        public IntElement(IntElement otherElement)
            num = otherElement.num;
          //Method to set the value of the instance variable num.
          //Postcondition: num = x;
        public void setNum(int x)
            num = x;
          //Method to return the value of the instance variable num.
          //Postcondition: The value of num is returned.
        public int getNum()
            return num;
        public boolean equals(DataElement otherElement)
            IntElement temp = (IntElement) otherElement;
            return (num == temp.num);
        public int compareTo(DataElement otherElement)
            IntElement temp = (IntElement) otherElement;
            return (num - temp.num);
        public void makeCopy(DataElement otherElement)
            IntElement temp = (IntElement) otherElement;
            num = temp.num;
        public DataElement getCopy()
            IntElement temp = new IntElement(num);
            return temp;
        public String toString()
            return String.valueOf(num);
    public class example
         public static void main(String[] args)
              StackClass stack1 = new StackClass();
              stack1.push(new IntElement(1));
              stack1.push(new IntElement(2));
              stack1.push(new IntElement(3));
              //NEED OUTPUT STATEMENTS HERE
    }In the last program, I need to be able to output "3,2,1" which should be easy because 3 is on top and 1 is on bottom. The problem is, I have no idea how to make a proper output statement for an intElement inside a stack.
    Thanks
    -Allen

    in this case, the pop method is simply supposed to
    discard the top dataElement.
    the top method is supposed to return it, without
    discarding it.
    so to get the discard and return effect you are
    describing, you would simply use top then pop.Ok, so you're good to go then (?)
    DataElement d = stack1.top();
    System.out.println("Here's one of the elements: " + d);
    stack1.pop();
    // rinse and repeat until the stack is empty

  • Remove ABAP Statck from the Dual statck Portal system.

    Hi ,
    I have our ESS portal( Netweaver 7.0) is  implemented on a Dual Stack. Dual stack for Portal was an idea by our Implementors which later we realized was unnecessory.
    Now we are moving the Portal to a different machine. And we are planning to get rid of the ABAP stack and have just the JAVA Stack.
    Currently our UME is the ABAP Stack. while i move this to single stack we are planning to point the UME to the back end ( ERP ) ABAP Statck.
    What i need is a procedure how to achieve this.
    Would be great help if somebody could throw some ideas.
    Thanks
    Jamshid.

    Dear Jamshid,
    Unfortunately it is not possible to remove or uninstall the ABAP stack from a dual-stacks system.
    What you can consider might be like this:
    1. export all the protal content which you have created and configured in this system.
    2. reinstall a new pure Java AS + Portal system
    3. then import all the content to this new to replace the old one.
    Regarding changing the UME storage, there are some limitations, i.e, if you are using ABAP as the UME datasource then you can only change it to LDAP, and not possible to change to Java database.
    Best Regards,
    Thunder

  • Separating DS/IS server from BO stack

    Hi,
    I gone over this thread. I have some questions on removing the DS node from BO stack and create a standalone DS server wHich will have separate CMS.
    Remove SAP DS from existing BI cluster
    I am planning to remove DS node from BO node as per best practices., keep the DS server out of BO server.
    What is the best way of removing the DS from BO Cluster?
    Uninstall the DS components from both BO and DS server. Install IPS, Install DS (Complete install) and IS. I am not confident uninstall will remove all the registry keys or files?
    Or get the new Server and instal IPS, l DS and IS?
    After i install the complete IPS/DS/ISinstall, what are the Post install steps to get the repositories from the previous server and any other i need to consider moving from old server? Please let me know your thoughts.

    Jawahar Konduru wrote:
    After i install the complete IPS/DS/ISinstall, what are the Post install steps to get the repositories from the previous server and any other i need to consider moving from old server?
    I was assuming you would move everything from the old server.
    If you want to reuse the repositories in the existing database, you won't need steps 1, 3, 4 and 7.
    You may copy admin.xml and dsconfig.txt from your old environment. Alternatively, you can apply your manual modifications, if any, to the newly created ones.

  • TS3989 My 5th gen ipod touch was stolen.  I removed the device from my iTunes account, but their pictures still show up on the photostream on the one I purchased to replace it.  How do I get this to stop, the cops have no interest in their faces, nor do I

    My 5th gen iPod touh was stolen a month ago.  I immediately removed that device from my account and yet today I looked at my photostream and there are tons of pics of these people on my photostream.  How do I get this to stop?!?

    Change your iCloud ID password: http://support.apple.com/kb/HT5624.  After doing so, go to Settings>iCloud, tap Delete Account, then sign back in with the new password.

  • Anyone know how to remove Overdrive books from my iphone that have been transferred from my computer? They do not show up on itunes. I see a lot of answers to this question but they all are based on being able to see the books in iTunes.

    How do I remove Overdrive books from the library that were downloaded onto my computer then transferred to my iphone? The problem is that they do not show up in iTunes.
    I see this question asked a lot when I google, but they always give answers that assumes you can find the books in iTunes either under the books tab, or the audio books tab or in the music. They do not show up anywhere for me. They do not remove from the app like the ones I downloaded directly onto my iphone.the related archived article does not answer it either.  I even asked a guy working at an apple store and he could not help either.   Anybody...?
    Thanks!

    there is an app called daisydisk on mac app store which will help you see exactly where the memory is focused and consumed try using that app and see which folders are using more memory

  • How to remove credit card from iphone4s

    how to remove credit card from iphone4s

    Not sure what you mean by this. Are you trying to remove your credit card information from the App Store/iTunes store?

Maybe you are looking for

  • A challenge for Spry "Blind"

    Hello all: I am trying to apply a Spry effect behavior to a drop down list selection. No matter what I try, the code attaches to the entire drop down (which works great by the way) rather than a selection within the drop down. Here's the chunk of cod

  • [svn] 4001: Adding support for asdoc in flex ant tasks

    Revision: 4001<br />Author:   [email protected]<br />Date:     2008-11-03 13:46:13 -0800 (Mon, 03 Nov 2008)<br /><br />Log Message:<br />-----------<br />Adding support for <asdoc> in flex ant tasks<br /><br />QE Notes: Tests need to be added to the

  • My history keeps deleting itself. How do I prevent this?

    I went to the options tab and private browsing is not on. The box about clearing history every time I exit isn't checked. Every thing is the same, except my history just automatically deletes itself. I don't know what happened.

  • Perform NetBeans build steps from command-line using Ant

    If I build a project using NetBeans, it creates the lib directory and populates it with dependant .jar's. It also puts the class-path in the manifest file. If I build using Ant ("ant jar" from build.xml folder), it creates the .jar without the class-

  • Lst ,cst and excise

    hi   i need to select fields local sales tax ,cst and excise.could any one tell me in which tables these exists. regards. akmal