Agent port confilct even after removing agent in ODSEE11.1.1.7

Hello All,
I am facing DSCC agent 3997 port conflict when we try to register agent to DSCC host after removing old agent with out any errors.
Port (3997) is already in use by
[install path (old)/var/dcc/agent] on this hostname
(xxxx1).
So [install path (new) /var/dcc/agent] has not been registered in DSCC
on xxxx1.
Steps were followed to remove agent:
Unregister server
$ dsccreg remove-server -h dscc-host -p dscc-registry-port /local/dsInst
Delete the server instance.
$ dsadm delete /local/dsInst
Unconfigure and Remove the DSCC Agent directory server
$ dsccagent stop
$ dsccreg remove-agent -h dscc-host -p dscc-registry-port
$ dsccagent delete
and I faced issue when I try to register agent again.
Did I miss anything?
Thanks in advance.

Try
$ dsccreg remove-agent   --force   ....
HTH

Similar Messages

  • Can't delete a file displayed in ListView ("File in use") even after removing it from window.

    I have a ListView displaying a collection of icons. The user can then select different icons (checkboxes) to do things like Copy or Delete.
    Problem is, when I try to delete the actual file from the disk, I get an error telling me the file is "in use" ("vshost.exe", the VS runtime during testing).
    I thought maybe it was because it still appeared in the window and was still in the ImageList, but even after removing it from both locations, I still get the error. My code:
    Dim intCnt As Integer = 0
    Do
    ImageList2.Images.RemoveAt(intIconsChecked(intCnt)) ' Remove from collection.
    lsvCollection.Items.RemoveAt(intIconsChecked(intCnt)) ' Remove from ListView window.
    FileIO.FileSystem.DeleteFile(strIconPath & "\Icon" & Format(intCnt + 1, "00") & ".rsc") ' "+1" b/c Icons start with "01".
    FileIO.FileSystem.DeleteFile(strIconPath & "\Icon" & Format(intCnt + 1, "00") & ".png") ' "In use" Error here.
    ".rsc" deletes just fine, so I know I'm deleting the correct file. Why does VS still think the file is still "in use"?
    Thx

    Mugsy,
    Consider this as food for thought, even if you don't use it.
    If you set it up right then you can control how it works. A reference is a reference and any left behind will cause you grief down the road when you try to delete things.
    As an example, a simple class follows. It does *not* implement IDispose, although it does have a private shared Dispose method in it:
    Public Class MyImages
    Private _bmp As Bitmap
    Private _name As String
    Private _sourceFilePath As String
    Private Sub New(ByVal bmp As Bitmap, _
    ByVal name As String, _
    ByVal filePath As String)
    _bmp = bmp
    _sourceFilePath = filePath.Trim
    _name = name.Trim
    End Sub
    Public ReadOnly Property Bmp As Bitmap
    Get
    Return _bmp
    End Get
    End Property
    Public ReadOnly Property Name As String
    Get
    Return _name
    End Get
    End Property
    Public ReadOnly Property SourceFilePath As String
    Get
    Return _sourceFilePath
    End Get
    End Property
    Public Shared Sub AddNew(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    Else
    ' Should do validation here that the file
    ' is actually an image but I'll not do this
    ' here...
    Dim thisBMP As Bitmap = New Bitmap(imageFilePath)
    miList.Add(New MyImages(thisBMP, GetFileNameWithoutExtension(imageFilePath), imageFilePath))
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Sub AddNew(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String, _
    ByVal imageName As String)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    ElseIf String.IsNullOrEmpty(imageName) OrElse imageName.Trim = "" Then
    Throw New ArgumentException("The name of this image cannot be null or empty.")
    Else
    ' Should do validation here that the file
    ' is actually an image but I'll not do this
    ' here...
    Dim thisBMP As Bitmap = New Bitmap(imageFilePath)
    miList.Add(New MyImages(thisBMP, imageName, imageFilePath))
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Sub Remove(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String, _
    Optional ByVal removeFilePathAlso As Boolean = False)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    Else
    Dim findInstance As System.Collections.Generic.IEnumerable(Of MyImages) = _
    From mi As MyImages In miList _
    Where mi.SourceFilePath = imageFilePath
    If findInstance.Count <> 1 Then
    Throw New ArgumentException("The instance of MyImages specified by the" & vbCrLf & _
    "image file path is not in the collection.")
    Else
    Dispose(findInstance.First)
    If removeFilePathAlso Then
    My.Computer.FileSystem.DeleteFile(findInstance.First.SourceFilePath)
    End If
    miList.Remove(findInstance.First)
    End If
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Private Shared Sub Dispose(ByVal instance As MyImages)
    If instance IsNot Nothing AndAlso instance._bmp IsNot Nothing Then
    instance._bmp.Dispose()
    instance._bmp = Nothing
    End If
    End Sub
    End Class
    When you look through that, look specifically at the "Remove" method and in particular, look at the order in which things are done. That's the critical part in this.
    I tested it with a simple form:
    Two buttons, a checkbox, and a picturebox. I also copied a small folder full of image files to my desktop since I'll be deleting a file from it. Following is the code for Form1:
    Option Strict On
    Option Explicit On
    Option Infer Off
    Imports System.IO.Path
    Public Class Form1
    Private miList As New List(Of MyImages)
    Private Sub Form1_Load(ByVal sender As System.Object, _
    ByVal e As System.EventArgs) _
    Handles MyBase.Load
    Dim desktop As String = _
    My.Computer.FileSystem.SpecialDirectories.Desktop
    Dim imgFolder As String = _
    Combine(desktop, "Images")
    PictureBox1.BorderStyle = BorderStyle.FixedSingle
    For Each imgFilePath As String In My.Computer.FileSystem.GetFiles(imgFolder)
    MyImages.AddNew(miList, imgFilePath)
    Next
    btn_RemoveFirstImage.Enabled = False
    CheckBox_RemoveSourcePath.Enabled = False
    End Sub
    Private Sub btn_ShowFirstImage_Click(sender As System.Object, _
    e As System.EventArgs) _
    Handles btn_ShowFirstImage.Click
    Try
    If miList.Count >= 1 Then
    With PictureBox1
    .SizeMode = PictureBoxSizeMode.Zoom
    .Image = miList(0).Bmp
    End With
    btn_RemoveFirstImage.Enabled = True
    CheckBox_RemoveSourcePath.Enabled = True
    End If
    Catch ex As Exception
    MessageBox.Show(String.Format("An exception was thrown:{0}{0}{1}", vbCrLf, ex.Message), _
    "Exception", MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    End Sub
    Private Sub btn_RemoveFirstImage_Click(sender As System.Object, _
    e As System.EventArgs) _
    Handles btn_RemoveFirstImage.Click
    Try
    If miList.Count >= 1 Then
    MyImages.Remove(miList, miList(0).SourceFilePath, CheckBox_RemoveSourcePath.Checked)
    End If
    PictureBox1.Image = Nothing
    btn_RemoveFirstImage.Enabled = True
    CheckBox_RemoveSourcePath.Enabled = True
    Catch ex As Exception
    MessageBox.Show(String.Format("An exception was thrown:{0}{0}{1}", vbCrLf, ex.Message), _
    "Exception", MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    End Sub
    End Class
    Running it is straightforward:
    Now when I click to show the first one:
    A different image is shown because that first one no longer exists - either in the collection or in the folder.
    Closing/disposing all references is the key and the order matters.
    Something to consider the next time around. :)
    Still lost in code, just at a little higher level.

  • I cannot log in my account but can as a guest even after removing the password

    i cannot log in my account but can as a guest even after removing the password

    Hi Kabiru,
    Thanks for visiting Apple Support Communities.
    You may want to use the steps in this article to reset your user account password:
    OS X: Changing or resetting an account password
    http://support.apple.com/kb/HT1274
    Best,
    Jeremy

  • Presentation catalog are listing on subject area even after removal

    Presentation catalog are listing on subject area even after removal of catalog on RPD.
    I have restarted oc4J server too

    Please make sure that you have saved the repository or not.
    And then restart both the services i.e Presentation server & OBI Server
    Regards
    Visweswar
    Edited by: Mopur on May 26, 2011 10:44 PM

  • I am unable to download itunes to my pc even after removing all itunes components

    i am unable to download itunes to my pc even after i have removed all previous components of itunes

    when i try to download itunes  i get a message that says thanks for downloading itunes. But it does so instantly and there is no download for me to install
    I'd first try downloading an installer from the Apple website using a different web browser:
    http://www.apple.com/itunes/download/
    If you use Firefox instead of IE for the download (or vice versa), do you get a working installer?

  • Update showing up in "Compliance 5 - Specific Computer" Report even after removing the update from the Software Update before creating Group and Package

    So I've created a Software Update Group and I did NOT want anything in there dealing with Internet Explorer 11 since the organization is currently stuck at using 10 as the highest. So I made sure that Internet Explorer was NOT in the list and then I deployed
    the package. 
    After running my Overall Compliance report it shows that the systems are compliant, but when I view the "Compliance 5 - Specific Computer" I see that "Internet Explorer 11 for Windows 7 for x64-based Systems" is listed in the report. 
    This is just a testing phase right now and I have not created a WSUS like Domain level GPO. I understand that the SCCM client creates a local policy on the clients for the location of the Software Update Point (Specify
    Intranet Microsoft update service location), but the "Configure Automatic Updates" policy is set to Not Configured, which it looks like when this
    is set, the "Install updates automatically (recommended)" at 3AM is the default. 
    Is the reason why the "Internet Explorer 11 for Windows 7 for x64-based Systems" update is showing up in the list due to the fact that the "Configure
    Automatic Updates" policy is set to Not Configured
    and therefore it is still reaching out to check Windows Update online? 
    So, if I do create a Domain level GPO to Disable the "Configure
    Automatic Updates" policy, then the "Internet Explorer 11 for Windows 7 for x64-based Systems" update would not show up in the "Compliance 5 - Specific Computer" report?
    By the way, I have a Software Update Maintenance Window configured for the hours of 1AM-4AM so the 3AM default time falls within this time frame, therefore, I am assuming the SCCM 2012 client will not allow the Windows Update Agent to install the "Internet
    Explorer 11 for Windows 7 for x64-based Systems" update, even though it has detected it is "Required". 
    Thanks

    But, don't you need a Deployment Package in order to deploy the Software Update Group? The Software Update Group uses the downloaded updates contained in the Deployment Package located in, wherever the Package Source is, right?
    One more quick question that you will know right off hand, because, well, you just will I'm sure.
    No. The software update group really has nothing to do with any update packages. The update group assigns updates to clients and in turn clients use update packages to download assign and applicable updates from. There is no connection between the two though
    as the client can download an update from any available update package. Thus, it's more than possible to updates in an update package that are not in any update groups and it is also possible for an update to be in an update group without being in any update
    package.
    If the "Configure Automatic Updates" policy is set to "Not Configured" and since this keeps the 3AM Automatic Updates default, if I was to remove the Software Update Maintenance Window from being between 1AM-4AM, will the WUA agent install updates
    at 3AM, or no because the SCCM 2012 client still manages and oversees it and basically blocks that from occurring?
    No, ConfigMgr does not in any way block the WUA; however, the WUA can only autonomously install updates it downloads directly from WSUS. Thus, since there are no updates approved or downloaded in your WSUS instance, there's nothing for it to download and
    install. If you happen to actually be going into WSUS and approving updates (which you should not be doing as its unsupported), then yes, it actually would install updates -- this is outside of ConfigMgr's control though. Generally, disabling the WUA via a
    GPO is the recommended to prevent any accidental installations or reboots (as the WUA wil also check for initiate pending reboots outside of ConfigMgr).
    Lots more info in these two blog posts:
    - http://blog.configmgrftw.com/software-update-management-and-group-policy-for-configmgr-what-else/
    - http://blog.configmgrftw.com/software-updates-management-and-group-policy-for-configmgr-cont/
    Jason | http://blog.configmgrftw.com

  • JCoIDoc.Server doesn't stop listening even after removing the application

    Hi,
    I developed a java application with a JCoIDoc.Server to listen for IDocs from the R/3 system. I made it available in the WAS 2004s server. The application is working fine, i.e its catching the IDocs coming from R/3. The problem is, it doesnt stop listening even if i remove the application from the server.
    How should I make the server stop listening?
    Thanks,
    Venkat

    Hi,
    You need to call the disconnect method to release the connection from the server
    JCoIDoc.Server t; // Your Server Instance
                t.disconnect();
    Why dont you use  JCO RFC Privider Service?
    Regards
    Ayyapparaj

  • No sound and notifications working even after removal and fixing of battery

    All notifications including sound and vibrate are not working. I tried to rest the system by removing battery, but no luck. Please help in restoring the notifications.  

    Solution! 
    1) While playing the music: 
    2) Open the back cover, 
    3) Touch the connection buzzer on the back (right under battery location). I even now manage to apply pressure to the block-area without removing the cover, while playing music. Works! 
    4) Fixed!
    I actually had my BlackBerry replaced before I knew the Solution. Not even the carriers know this solution! Thank you BlackBerry for another issue on the Flagship model. Disappointed. ...and this from a Massive loyal BlackBerry user... and creating this forum account to be able to help other users, Pain!
    Found the Solution here:
    http://forums.crackberry.com/blackberry-z10-f254/no-sound-problem-z10-not-like-other-people-781693/

  • I cannot get rid of a tab/website even after removing/reinstalling Firefox

    I have a tab/website that I cannot close. Every time I try, I receive a large window that states "Are you sure you want to navigate away from this page? PRESS ESCAPE OR CLOSE THIS ALERT", then the site remains. I removed Firefow from my computer. Then went to the Firefox web site, re-installed Firefox and the same website/tab in still there.
    What is happening here?

    You can leave one tab extra open and middle-click the problem tab to close that tab.<br />
    Firefox doesn't display a close button on the last tab, so you need to close that problem tab while other tabs are still open.
    Delete the files sessionstore.js and sessionstore.bak and any existing files sessionstore-##.js with a number in the left part of the name like sessionstore-1.js to prevent Firefox from restoring the last session.
    See http://kb.mozillazine.org/Session_Restore
    Set the pref [http://kb.mozillazine.org/browser.sessionstore.max_resumed_crashes browser.sessionstore.max_resumed_crashes] to 0 on the about:config page to get the about:sessionrestore page immediately with the first restart after a crash has occurred or the Task Manager was used to close Firefox.
    To open the <i>about:config</i> page, type <b>about:config</b> in the location (address) bar and press the "<i>Enter</i>" key, just like you type the url of a website to open a website.<br />
    If you see a warning then you can confirm that you want to access that page.<br />

  • Firefox hangs when trying to save a file, even after removing firefox and reinstalilng afresh

    I recently experienced firefox hanging/freezing indefinitely when trying to save files, such as pdf files. The same pdf files open fine within the browser if I do not select "save link as...", but the problem occurs when I try to save such a file. The problem is similar regardless of the file type (e.g., .mp3, .txt). Not only did I go through the recommended solutions that mozilla suggests when file downloads hang, but I uninstalled firefox completely (removing all files with user settings), and then reinstalled firefox afresh without any plugins or add-ons, and I still have the same file save problem. It may also be worth mentioning that this problem does not occur in internet explorer or chrome. Maybe a system file that firefox uses got corrupted (?), but I don't know which one or how to repair it if that indeed is the problem.
    My system is running XP, and I have McAfee AV installed (which has not been a problem in the past).

    Early on I tried starting firefox in safe mode as one possible fix, and that didn't solve the problem. I just tried again right now with the fresh installation, and still no luck.
    Any other ideas?

  • Adapter light stays on even after removing from MacBook Pro

    Hi,
    I have a MacBook Pro. I noticed something odd last night. When I remove the adapter from the MacBook Pro (you know, the magnetic end that attaches to the MacBook Pro), the light on the adapter still stays green/on. I actually have to unplug the adapter from the wall outlet to make the light turn off. This never happened before.
    Has anyone seen this before? Any advice?
    Thanks.

    I think that the light is controlled by the middle pin in the connector. Check it very carefully with a magnifying glass to see if any of the pins are bent or if there is any metalic dust in there.

  • Getting errors in XP mode even after removal of the problem KB????

    I removed the KB??? which was mentioned as a problem with the integration features, but I'm still getting errors in XP mode. One issue is that the icons are sometimes missing which I click on startup. Trying to logoff usually shows that CB monitor and explorer
    are stuck and have to be ended. Then it just sometimes fails with errors like this:
    Problem Event Name: BEX64
      Application Name: VMWindow.exe
      Application Version: 6.1.7601.17514
      Application Timestamp: 4ce7b2e6
      Fault Module Name: StackHash_1dc2
      Fault Module Version: 0.0.0.0
      Fault Module Timestamp: 00000000
      Exception Offset: 0000000000000000
      Exception Code: c0000005
      Exception Data: 0000000000000008
      OS Version: 6.1.7601.2.1.0.256.48
      Locale ID: 1033
      Additional Information 1: 1dc2
      Additional Information 2: 1dc22fb1de37d348f27e54dbb5278e7d
      Additional Information 3: eae3
      Additional Information 4: eae36a4b5ffb27c9d33117f4125a75c2

    Hi,
    Could you please have a share about what KB you moved?
    From the posted message, it seems to be this VMWindow.exe is not working well.
    VMWindow.exe is the executable that is used for the standard “work with the virtual machine desktop” experience.  If you just start this executable by itself it will open the “Virtual Machines” folder. See: Windows
    Virtual PC Executables
    To have it a quick fix, please take a try to reinstall Windows Virtual PC(uninstall via View installed updates Windows Virtual PC (KB958559), restart and then download/install from
    here), then mount the Windows XP VHD file,
    Virtual Hard Disks (VHDs) in Windows Virtual PC.
    Best regards
    Michael Shao
    TechNet Community Support

  • Why does my Macbook always ask to connect to BTOpenzone even after removing it form my wi-fi networks?

    Everytime I open my Macbook to go online it automatically selects the wifi network of BTopenzone or BT Wifi with Fon. I have only ever connected to the Internet in this way once, over a year ago, and have removed it from my networks list several times and asked not to be connected in this way.
    If I want to connect to my home wifi I have to join other networks and search for it there. It frustrates me every time. Does anyone have any idea why my laptop is doing this?
    As you can probably tell I am not the most computer literate. Possibly this is an easy thing to rectify and I am just being naive? I hope so! Any suggestions will be gratefully received.

    Hi Eric, thanks for replying. I've tried the above, deleting BTOpenZone and moving my home Wi-Fi to the top of the list but it's not working.

  • Grey screen on startup even after removing stuck disc!

    Thanks for helping me to remove stuck disc from IMac slot (can't remember its proper name but it is a beautiful turquoise). However, it hasn't solved the other problem. On starting up I get the usual "DONG" sound and whirring and a bright screen which then becomes dead and grey and nothing happens. Could someone please give me a suggestion of keys to hold down etc., as I have no idea which are appropriate in my case. Luckily I just did a backup so all is not lost! Thanks in advance, Sheila Jones
    IMac     Reg No. M5521
    IMac     Reg No. M5521

    am replying myself to say what else I have tried. I have inserted the software restore disc as a startup but it will not show hard disc so cannot restore software. I then inserted software install disc as startup but the same thing happened. So the machine is capable of working, it just won't open the hard disc. Hope someone can help me. Sheila Jones
    IMac   Mac OS 9.0.x   Reg No. M5521

  • IPad disabled.  Can't restore even after removed from FindMyPhone.  Still getting message to remove from FindMyPhone when try to restore.  Help!

    My iPad indicates that it is disabled.  When I try to backup from my PC, it tells me to disable FindMyPhone.  I removed the device from FindMyPhone (couldn't see how to turn it off in iCloud) but, when I return to iTunes, it continues to tell me to turnoff FindMyPhone.  I've verified the iPad isn't showing on FindMyPhone anymore.  What do I do to get into my iPad?  Please help!

    Hi, leahbrbus.  
    Thank you for visiting Apple Support Communities.  
    Here are the steps that I would recommend going through when experiencing this issue.  
    iOS: Forgot passcode or device disabled
    http://support.apple.com/kb/ht1212
    Cheers,
    Jason H.

Maybe you are looking for

  • Livecache recovery from cold backup  with raw devspaces

    We are recovering the Livecache database from code backup to  a database with raw devspaces. We gave the following raw parameters to DATA and LOG devspaces: DATA Devspace: /dev/vx/rdsk/azdevdg/lvlzddisk1 LOG Devspace: /dev/vx/rdsk/azdevdg/lvlzddisk3

  • AE "newbie" needs help with effect - (please!)

    Hi all: I'm working on a highlight video of my daughter - she's the goalie for her H.S. Lacrosse team.  I recently bought the Creative Cloud subscription. I'm editing the video in Premiere Pro CC on an iMac - OSX 10.7.5. I'm putting together a short

  • Want to pay bill early

    My Skype number is about to expire at the end of this month. I have funds on my CC to pay the new subscription, so I want to pay now. How can I intiate an early billing? Thank you.

  • Data gets cleared when i switch from one tab to other in SubTabLayout

    Hi, I have created a PageLayout with with region style SubTabLayout in it. I have created two tabs for this SubTabLayout which is using same VO. I have few MessageTextInputs type items on both the tabs. After entering data into these items of one tab

  • I cannot view a certain webpage.

    I am unable to view the web page www.aincharityauction.wix.com/auction I can see this when I use IE but not Firefox. Why is this?