No desktop after removing feature

Hi,
I have removed feature .net4.5 then restared as it asked. Now I get a cmd prompt only; no desktop. Tried SConfig and enabling GUI but didn't work.
Pl. help.
Regards
SB

Hi,
The situation you encountered is expected, when you remove the .NET 4.5 feature, there are a lot of roles and features depend on .Net Framework would be affected and also be removed.
Most importantly, there are 2 key features also affected.
[User Interfaces and Infrastructure] Server Graphical Shell
[User Interfaces and Infrastructure] User Interfaces and Infrastructure  
Removal of above features will leave the server start up without a graphical shell for user interaction. Only the command prompt will be available post reboot.
So it’s not recommend to remove the .net4.5 on your server.
If you get into this situation, run the below commands in the Server Core’s command prompt window to help you recover:
Step 1:
DISM.exe /online /enable-feature /all /featurename:NetFx4
DISM.exe /online /enable-feature /all /featurename:MicrosoftWindowsPowerShell
The above commands will re-install .Net 4.0 and PowerShell on the server.
Step 2:
Once PowerShell is installed, you can add the Graphical Shell (Windows Explorer) using the following command:
Install-WindowsFeature Server-Gui-Shell, Server-Gui-Mgmt-Infra
Step 3:
Once the GUI Shell is installed, you will need to restart the server with the following command:
Restart-Computer
You can check the below link for more details.
http://blogs.technet.com/b/askcore/archive/2014/04/24/removing-net-framework-4-5-4-5-1-removes-windows-2012-2012r2-ui-and-other-features.aspx
Hope it helps.
BR,
Elaine

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.

  • Can I get rid of the Adobe folder(s) on my Desktop after installing or updating?

    Can I get rid of the Adobe folder(s) on my Desktop after installing or updating?

    Hello,
    Yes, you can delete it.
    But, the Adobe folder you want to remove is actually the setup for Acrobat. So, you might save it at some other location so that if in future you need to re-install the software, there is no need to download the entire product.
    Regards,
    Anubha

  • Mailbox size increased after removing attachments

    Doing a little clean-up on my mail, I noticed my sent mailbox was 1.23 gigs. So, I went in saved several hundred attachments and then tried to remove attachments. It would only let me remove attachments about 5 messages at a time, so I moved over 300 messages that all had attachments to a new folder. After moving them I was able to remove all the attachments at one time.
    But after moving and removing attachments the size of my sent mailbox did not decrease it actually increased by over 400 megs to 1.7 gigs. And the new folder was also very large, at almost 700 megs (even after removing attachments).
    Any ideas how/why this happens? and what can I do to reduce the size of that mailbox?
    I have had the overflow issue before and have been trying to keep and eye on the mailbox sizes and keep them under 1 gig, but this one got by me. My only complaint is mail does not tell you the size of a mailbox in the application, if I was able to check the mailbox size right from the app it would be an easier thing to keep an eye on an everyday basis.
    Any help would be great.. thanks!
    G4 400   Mac OS X (10.3.9)  

    For each mailbox, Mail 1.x stores messages sequentially in an mbox file within the *.mbox package associated with the mailbox -- you can see the files contained in an *.mbox package by ctrl-cliking on it in the Finder and choosing Show Package Contents from the contextual menu.
    When a message is removed from a mailbox in Mail 1.x, the actual message may be completely erased from the mbox file, or it may remain there just marked for deletion in one of the other supporting files within the *.mbox package. In order to reduce the mailbox size when a message is deleted from the middle, the entire mailbox would have to be rewritten to disk every time, which is clearly not practical.
    When attachments are removed from a message, the attachments aren’t actually removed from anywhere. What really happens is that Mail creates a new message without the attachments and deletes the original message... and now you know what it really is that actually happens when a message buried in the middle of the mailbox is deleted...
    My only complaint is mail does not tell you the size of a
    mailbox in the application
    Mail 1.3 sure does. The size of the selected mailbox is displayed in the status bar (View > Show Status Bar). Interestingly enough, that feature is no longer available in Mail 2.x.

  • I copy a pdf to my desktop to remove some pages, when I go to my original PDF, it's been althered the same way my copy was???

    Please help me,
    I copied a pdf to my desktop to remove some pages, when I go to my original PDF, it's been althered the same way my copy was???
    Also, after a numbers of time, I delete everything from my desktop, I keep the folder where I've stored my PDF, copy the original pdf in it (after I make sure the original PDF was still intact), once copied, the copied version has the changes I've made in it from my previous operation.
    Do you have any ideas?

    Make sure it's not an alias.
    Chris

  • Unlimited plan - Paying Full Retail still removes features?

    Got a strange question.  First some background. I have an unlimited plan that I don't ever plan to get rid of.  (Upgrade Eligible since 2011!) Its not that I really use the unlimited data as I usually less than 150MB per month, but the absolutely cheapest plan (500 MB) they want to move me to is ~$13 more per month even after my employee discount.  Moving to the recommended 2GB plan really increases the cost ofcourse.  Partially this is because we are being screwed with the changes to the employee discount (only applies to the "Data" now), but that is a topic for another thread.
    Now to the question.  When attempting to just outright buy the LG G2 through the Verizon site, it isn't prompting me to change my Data plan, as it shouldn't.  But what I am curious about is why it is wanting to remove my Unlimited Mobile to Mobile and OFF Peak 7PM-6AM .  These are some pretty key features of my plan, and as far as I know they shouldn't be changing my plan.  Any clue as to why it is trying to remove these?
    Features
    NEW
    4G APPLICATION ACCESS
    $0.00
    NEW
    4G DATA TRANSPORT
    $0.00
    NEW
    4G INTERNET ACCESS
    $0.00
    NEW
    DATA ROAM USA/CANADA
    $0.00
    NEW
    DYNAMIC-PRIVATE IP
    $0.00
    NEW
    RTR FOR UNLIMITED PLANS $0
    $0.00
    NEW
    SDM REMOTE QUERY ENABLED
    Removed Features
    3G DEVICE
    $0.00
    BLOCK APP DOWNLOADS
    $0.00
    CALL & MSG BLOCK INELIGIBLE
    $0.00
    OFF PEAK 7PM-6AM $0
    $0.00
    UNLIMITED MOBILE TO MOBILE -$0
    $0.00
    GENERAL IP NAT ADDRESS PDA $0
    $0.00
    NATIONAL ACCESS ROAMING
    $0.00

    Actually, I think I figured it out.  Hidden down in the "All included Features" are these
    M2M NATIONAL UNLIMITED - $0
    OFF PEAK 7PM-7AM $0
    So it seems that it would still retain those features.

  • Files missing from desktop after deleting a user profile that was created on there.

    I downloaded and installed firefox and it asked me to create a user profile, but it could not save in the default location. I chose to create the profile on the desktop as a test and that worked. However, after deleting that user profile, all of the items on my desktop were removed and cannot be located. The files are not in my trashbin and when I do a search, it says the file cannot be located. I have Windows 7.

    You shouldn't create a profile and choose an existing folder.<br />
    You should always specify an empty folder and if you didn't do that then you should never remove the files when you remove such a profile because all files in it will be removed and not just the files created by Firefox.
    See:
    *http://kb.mozillazine.org/Files_created_on_startup

  • Restore Safari Keychain data after Remove All

    Restore Safari Keychain data after Remove All
    I mistakenly removed all Safari Keychain data, which, of course, also removed the data from my iOS devices.  I attempted a restore with a "Keychain" folder.  It's on my desktop, but I'm not sure what to do with it or if it's even the right data.  Can anyone help with how to restore keychain with Mozy?  Thanks!!

    From your Safari menu bar click Safari > Preferences then select the AutoFill tab.
    Select:  User names and passwords
    Visit a website. Enter the login data. You will be prompted tos save that data to a new keychain.
    Restore...  as I mentioned previously, Mozy is not compatible with Keychain Access. There is no way to restore with Mozy.
    In the future, you may want to use iCloud  Keycahin to store login data.
    Apple - iCloud - Learn how to set up iCloud on all your devices.

  • Using Mac OS on multiple monitor is great, but after removing external monitor (2nd monitor) usually windows position originally on the external monitor doesn't get re-positioned to default monitor. Is there any shortcut key or utilities that can reset wi

    Using Mac OS on multiple monitor is great, but after removing external monitor (2nd monitor) usually windows position originally on the external monitor doesn't get re-positioned to default monitor. Is there any shortcut key or utilities that can reset wi

    Got the "apple firewire ntsc" choice to show up even if grayed out and "missing" under "audio/visual" menus by recreating choices in Easy Setup under "final cut pro" MENU thank GOODNESS because I was reading horror stories on here about this under another thread with someone trashing preferences, reinstalling and the works and still not getting it to show up...on my search now for an analog/digital converter up at b&h...find it odd that the s video connector wouldn't show the crt monitor when I put both displays through the 3870...I switched it back to see if it worked again when only the one dell monitor display was there and there it is again mirroring the screen display on my desktop...just can't be seen as an "external monitor" in fcp...couldn't find anything specific in the shane ross threads to this. I'm sad the program doesn't just see the s video connection though the 3870 though my computer does fine and will query up at b&h in regard to what might be affordable as far as a digital/analog converter. It's also weird in itself that when I put the two dell monitors on the one card my computer no longer could see the s video crt connection...makes no sense. Will report in later as to what I discover up at b&h as I'm sure there's a world of people out there using this sony crt monitor still even into the upgrades with computers and software so I imagine therein lies the solution. Thanks again and I'll report in as to what hardware might be suggested for me.

  • Satellite A55-S1065 - After removing battery, BIOS ask me for password

    So, something happened yesterday, and it seems to me that this is very odd.
    I have a laptop Satellite A55-S1065. And while i was using power point, the
    computer freezes. So in the middle of my confusion, i decided to remove
    the battery just to make it turn off.
    So i did it and the plugged it again
    and tried to turn on the computer. Now the bios ask me for a password,
    but i have no clue what password is that. Can someone help me to fix this?
    Im really desperate to find some solution to this since this computer contain
    a lot of my works.
    Thank you so much.

    > After removing battery, BIOS ask me for password
    I know it sounds stupid now but I never heard about something like this. I use notebook for long time and I have made experience with many different and strange issue but something like this, never.
    Problem is that we discuss here in public forum and BIOS password is very sensible area and very important security feature so we cannot write here about some illegal ways how you can delete BIOS password.
    If there is no way to start your notebook I recommend you to contact nearest Toshiba service provider and ask for help.
    Sorry. :(

  • Typekit desktop sync removes rather then adding font

    I am encountering a very strange problem.
    I had used typekit desktop sync which worked fine. In the middle of creating a document the font suddenly stopped working. As I try to work through this problem, I notice when I try to readd the font (after removing it) it consistently says "5 font files have been removed" even though I just selected them to sync to the desktop.
    Instead of adding them when desktop syncing is selected, it removes them (even though they were never present). It is very strange and I could not find a topic relating to this.
    Any ideas?

    Moved from the Creative Cloud to the File And Font Sync Early Access forum. They will be able to help you here.

  • Alert after removing iPod shuffle !

    hello,
    i get an alert from the os after removing my iPodshuffle from the usb-port, although i logged the iPod out! the alert says, that its bad to remove the iPod etc...but i logged out? Whats the matter?
    Any answers?
    Thanx, Simon

    If by "logged out" you mean you clicked the eject button iTunes so that it disappeared, it could be that you then pulled the shuffle off the port before the Finder had registered the change. I got that warning the other day when I had a keychain USB drive attached to my niece's PowerBook, drug it to the Trash, the icon vanished from the Desktop and I pulled the drive from the USB port. Try waiting a second or two after ejecting before removing your shuffle from the port.
    Francine
    Schwieder

  • Can't find printer after removing it.

    Hello,
    I happen to have an HP LaserJet M1132 MFP, which was working pretty well until recently it started sending that "/usr/lib/cups/backend/hp failed" error described in the wiki. I did have dbus running, I tried running avahi-daemon, but no use. So after googling up the problem, I found out that people had the issue solved after removing and installing the printer again.
    Well, I removed the printer via CUPS web interface, and tried to install it again via hp-setup, but this time the printer is not recognized! dbus is running fine, so does cups. lsusb does seem to recognize the printer:
    Bus 001 Device 006: ID 03f0:042a Hewlett-Packard
    Trying to manually feed the device id to hp-setup completely freezes it (and even pkilling it won't remove the window after that).
    dmesg find it too:
    [ 554.981309] usb 1-1.1: new high speed USB device number 6 using ehci_hcd
    [ 555.066090] scsi7 : usb-storage 1-1.1:1.0
    I had it installed before with no problems.
    Anyone can help me to get my printer installed and working again?

    It sounds like you have not installed, but only downloaded it. Have you checked your downloads folder for the installer? 

  • After removing system fonts and reinstalling fonts, FireFox will not start

    After removing system fonts and reinstalling fonts, FireFox will not start! When I start FireFox the "Mozilla Crash Reporter" opens as if FF just crashed??? I don't see any records in event viewer. I am using FF v3.6.3 on a Windows 7 box. I tried uninstalling 3.6.3 and installing 3.0.18 and had the same problem!
    == This happened ==
    Every time Firefox opened
    == After a uninstalled all fonts including system fonts and then reinstalling system fonts. ==
    == User Agent ==
    Mozilla/4.0 (compatible; MSIE 8.0; Windows NT 6.1; Trident/4.0; GTB6.4; SLCC2; .NET CLR 2.0.50727; .NET CLR 3.5.30729; .NET CLR 3.0.30729; Media Center PC 6.0; AskTB5.5)

    The files with submitted crash report ids are inside the ''submitted '' directory, from the directory you found the LastCrash.txt timestamp file.
    The file names will begin with '''bp-'''
    There might be more information from the crash report, but it might just tell us you are crashing the first time Firefox tries to use a font.
    One thing I suppose you could do is select only those fonts you've got in Tools -> Options -> Content -> Fonts and Colors -> Advanced and then uncheck the '''Allow pages to use their own fonts''' option.
    See http://support.mozilla.com/en-US/kb/Options+window+-+Content+panel#Fonts_Dialog
    To be honest, I can't find anything on this Netscape Font Navigator and it sounds highly dubious.

  • Please help: After removed a connector (nagios-connector) there is an error at the operations Manager Console

    Hello,
    after installing the nagios connecor and it doesn'work, i  try to remove it; with the powershell command remove-SCOMConnector. After removing it, Get-SCOMConnector shows me, that it doesn't exist:
    PS D:\> Get-SCOMConnector
    Name        : Network Monitoring Internal Connector
    DisplayName : Connector for populating network devices.
    Description :
    Initialized : False
    Name        :
    DisplayName :
    Description :
    Initialized : True
    Name        : SMASH Discovery Internal Connector
    DisplayName : Connector for populating SMASH devices.
    Description :
    Initialized : False
    Name        : Operations Manager Internal Connector
    DisplayName : A connector used by Operations Manager components to insert discovery data, please create your own connec
                  tor do not use this connector.
    Description :
    Initialized : False
    But when i take a look to the connectors in Operations Manager Console, it hangs, after a while i have this error:
    Date: 27.05.2014 10:04:43
    Application: Operations Manager
    Application Version: 7.1.10226.0
    Severity: Error
    Message: 
    System.NullReferenceException: Object reference not set to an instance of an object.
       at Microsoft.EnterpriseManagement.ConnectorFramework.EnterpriseManagementConnector.Reconnect(EnterpriseManagementGroup managementGroup)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.Query`1.GetUpdate(IndexTable indexTable, QueryUpdate`1 update, CacheCursor cursor, Range range, Int32 offset, Int32 groupLevel)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.QueryCache`2.GetUpdate(IndexTable indexTable, QueryUpdate`1 update)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.QueryCache`2.GetUpdate(CacheSession session, Boolean fullUpdate)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.QueryCache`2.FireUpdateEvent(CacheSession session, DateTime updateTime, Boolean dataChanged, Boolean fullUpdate, Boolean updatesOnly, IEnumerable queryResult)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.Query`1.FireUpdateEvents(CacheSession session, Boolean dataChanged, Boolean fullUpdate, ICollection`1 queryResult)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.Query`1.PostQuery(CacheSession session, IndexTable indexTable, UpdateReason reason, UpdateType updateType, Boolean dataChanged, DateTime queryTime, ICollection`1 queryResult)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.Query`1.InternalSyncQuery(CacheSession session, IndexTable indexTable, UpdateReason reason, UpdateType updateType)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.Query`1.InternalQuery(CacheSession session, UpdateReason reason)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Cache.Query`1.TryDoQuery(UpdateReason reason, CacheSession session)
       at Microsoft.EnterpriseManagement.Mom.Internal.UI.Console.ConsoleJobExceptionHandler.ExecuteJob(IComponent component, EventHandler`1 job, Object sender, ConsoleJobEventArgs args)
    Can somebody help me fixing this error?
    Strange.. the powerShell Command "get-SCOMConnector" works.. but the console hangs (on loading) when i want to show the connectors...
    Kind regards
    Wolfgang

    Hi,
    I agree, we may need to remove the connector from OpsDB. In addition, here is blog regarding to the similar issue, hope it helps:
    Error: “Object reference not set to an Instance of an Object” System Center Operation Manager 2012 Connector.
    http://blogs.technet.com/b/birojitn/archive/2012/07/07/error-object-reference-not-set-to-an-instance-of-an-object-system-center-operation-manager-2012-connector.aspx
    Regards,
    Yan Li
    Regards, Yan Li

Maybe you are looking for

  • CS2 & Vista error when saving JPG

    Not sure its a VIsta thing WHen I go to save a 8bit RGB file as a JPG, I get an error that says "could not complete your request because of a program error." Its been working fine til today. Any help?? George

  • How do i access my icloud contents

    i just got mu iphone 5 & synce it thru the icloud but all my apps n contact didnt come through. So i then synced it to itunes on the comuter & al my apps are gone!! any ideas? also how do i access my icloud contents so that i can delte some apps from

  • How would I get my contacts and pictures onto my iPad air?

    I have tried to get my contacts and pictures on my iPad but that is not working and I can not purchase any music at all. Thank you

  • ISight camera "not available"

    The last two times I have opened PhotoBooth, it has given me a message that no camera was available. Skype also says no camera is connected. Have I somehow inadvertently disabled it? I am hoping that it did not break... I rarely use it, but it is nic

  • I can't fix the slowness of my thunderbird email.

    I had been using thunderbird email on my pc with windows 8, my computer recently crashed and was unable to fix. I had to purchase a new computer which had windows 8.1, I have been unable to use thunderbird email since. I have tried everything on the