I am having a severe case of user error. I download the SharePoint Server 2013 ISO from MSDN. The product key says "No product key is required." yet when I go to install SharePoint it asks for a product key.
Any ideas? Thanks!
I am having a severe case of user error. I download the SharePoint Server 2013 ISO from MSDN. The product key says "No product key is required." yet when I go to install SharePoint it asks for a product key.
Any ideas? Thanks!
Hello
I would like to update information about Host named Site Collection (HNSC) and also have a place where all the doubts can be answered. So i will check Q&A to keep this discussion up-to-date.
First of all the process to create a HNSC. After some try and fail times i found the most appropriate method to create HNSC sites is the one explained from Critical Path Training, LLC:
1st ensure you delete the standard web application created by the configuration wizard the one created on port 80. delete all web app, content database.
2nd DNS modifications:
if your web server is on test.local, please add a Host entry on this domain with name * and ip the same as your webserver. This way any request to a http://*.test.local is going to be redirected to the webserver/sharepoint.
3rd run the following script (some modifications from original please modify your values at the beginning):
# =+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+= # Script: SetupSharePointForHNSC.ps1 # # Author: Critical Path Training, LLC # http://www.CriticalPathTraining.com # # Description: Configures a SharePoint 2013 install for hosting Host-Named Site Collections (HNSC). # This involves creating a Web Application in SharePoint that has no host header bindings. # Using DNS, all requests are mapped to this Web Application. You then create the site collections # via PowerShell as you can't create HNSC's via the browser (Central Administration). # # Optional Parameters: # $WebApplicationName - Name of the Web application to create to host HNSC's. # DEFAULT - "SharePoint HNSC Host - 80" # $AppPoolName - Name of the app pool to create to host the HNSC Web Application. # DEFAULT - "SharePoint Default HNSC AppPool" # $ManagedAccountUsername - Username of the managed account to create for the app pool's identity. # DEFAULT - WINGTIP\SP_Content # $AdminAccountUsername - Administrator of the domain. # DEFAULT - WINGTIP\Administrator # $WfeName - SharePoint WFE name. # DEFAULT - WINGTIPALLUP # $DeleteCACreatedWebApp - Flag indicating if the default Web Application ceated by CA # should be deleted. # DEFAULT - TRUE # $CreateDefaultSiteCollections - Flag indicating if two default site collections should be created. # These are intranet.wingtip.com (team site) & dev.wingtip.com (developer site). # DEFAULT - TRUE # =+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+= param( [string]$WebApplicationName = "SharePoint HNSC Host - 80", [string]$AppPoolName = "SharePoint Default HNSC AppPool", [string]$ManagedAccountUsername = "MACHINE1\SP_Content", [string]$AdminAccountUsername = "MACHINE1\Administrador", [string]$WfeName = "MACHINE1", [switch]$DeleteCACreatedWebApp = $true, [switch]$CreateDefaultSiteCollections = $true ) $ErrorActionPreference = 'Stop'
#not used now $appHostDomain = "apps.test.local" Write-Host Write-Host "Configuring SharePoint Server 2013 Hosting Named Site Collection" -ForegroundColor White Write-Host " Script Steps:" -ForegroundColor White Write-Host " (0) Validating parameters..." -ForegroundColor White Write-Host " (1) Verify SharePoint PowerShell Snapin Loaded" -ForegroundColor White Write-Host " (2) Deleting default Central Administration Created Web Application" -ForegroundColor White Write-Host " (3) Verifing / Creating New App Pool Managed Account" -ForegroundColor White Write-Host " (4) Creating New Web Application to Service HNSC's" -ForegroundColor White Write-Host " (5) Creating Default Site Collections" -ForegroundColor White Write-Host # # verify parameters passed in # Write-Host "(0) Validating parameters..." -ForegroundColor White if ($WebApplicationName -eq $null -xor $WebApplicationName -eq ""){ Write-Error '$WebApplicationName is required' Exit } if ($AppPoolName -eq $null -xor $AppPoolName -eq ""){ Write-Error '$AppPoolName is required' Exit } if ($ManagedAccountUsername -eq $null -xor $ManagedAccountUsername -eq ""){ Write-Error '$ManagedAccountUsername is required' Exit } if ($WfeName -eq $null -xor $WfeName -eq ""){ Write-Error '$WfeName is required' Exit } # Load SharePoint PowerShell snapin Write-Host Write-Host "(1) Verify SharePoint PowerShell Snapin Loaded..." -ForegroundColor White $snapin = Get-PSSnapin | Where-Object {$_.Name -eq 'Microsoft.SharePoint.PowerShell'} if ($snapin -eq $null) { Write-Host " .. Loading SharePoint PowerShell Snapin" -ForegroundColor Gray Add-PSSnapin "Microsoft.SharePoint.PowerShell" } Write-Host " Microsoft SharePoint PowerShell snapin loaded" -ForegroundColor Gray Write-Host Write-Host "(2) Deleting default Central Administration Created Web Application..." -ForegroundColor White if ($DeleteCACreatedWebApp -eq $true){ Write-Host " .. searching for default Web App, created by Central Administration..." -ForegroundColor Gray $defaultWebApp = Get-SPWebApplication | Where-Object {$_.DisplayName -eq $WebApplicationName} if ($defaultWebApp -eq $null) { Write-Host " .. failed to find default Web App" -ForegroundColor Yellow Write-Host " Skipping this step" -ForegroundColor Yellow Write-Host " ACTION: you should check Central Administration to see if a default Web App is present; having two default Web Apps is going to cause problems" -ForegroundColor Yellow } else { Write-Host " Found default web app, name = " $defaultWebApp.DisplayName -ForegroundColor Gray Write-Host " .. deleting default Web App..." -ForegroundColor Gray Remove-SPWebApplication -Identity $defaultWebApp -DeleteIISSite -RemoveContentDatabases -Confirm:$false Write-Host " Default Web App deleted" -ForegroundColor Gray } } else { Write-Host " Skipping this step per parameter passed in" -ForegroundColor Gray } Write-Host Write-Host "(3) Verifing / Creating New App Pool Managed Account..." -ForegroundColor White Write-Host " .. Checking for existing managed account for user $ManagedAccountUsername..." -ForegroundColor Gray $managedAccount = Get-SPManagedAccount -Identity $ManagedAccountUsername -ErrorAction SilentlyContinue if ($managedAccount -ne $null) { Write-Host " Found existing managed account for $ManagedAccountUsername, skipping this step" -ForegroundColor Gray } else { Write-Host " .. creating new managed account for $ManagedAccountUsername..." -ForegroundColor Gray Write-Host " .. obtaining reference to $ManagedAccountUsername account that will be a managed account for apps and Web Applications..." -ForegroundColor Gray $securePassword = ConvertTo-SecureString "Password1" -AsPlainText -Force $contentAccountCredentials = New-Object System.Management.Automation.PSCredential($ManagedAccountUsername, $securePassword) Write-Host " .. creating managed account for $ManagedAccountUsername..." -ForegroundColor Gray $managedAccount = New-SPManagedAccount $managedAccountCredentials Write-Host " $ManagedAccountUsername is now a managed account in SharePoint" -ForegroundColor Gray } Write-Host Write-Host "(4) Creating New Web Application to Service HNSC's..." -ForegroundColor White Write-Host " .. obtaining Active Directory claims authentication provider..." -ForegroundColor Gray $authProvider = New-SPAuthenticationProvider Write-Host " .. creating a new web application..." -ForegroundColor Gray $hnscWebApp = New-SPWebApplication -Name $WebApplicationName -AuthenticationProvider $authProvider -ApplicationPool $AppPoolName -ApplicationPoolAccount $managedAccount -DatabaseName "WSS_Content_HNSCDefaultHost" Write-Host " New HNSC Web Application created" -ForegroundColor Gray Write-Host " .. creating default site collection at root without a template..." -ForegroundColor Gray $rootSite = New-SPSite -Name "Root HNSC Site Collection" -Url "http://machine01" -HostHeaderWebApplication $hnscWebApp -OwnerAlias $AdminAccountUsername Write-Host " Root site created" -ForegroundColor Gray Write-Host Write-Host "(5) Creating Default Site Collections..." -ForegroundColor White if ($CreateDefaultSiteCollections -eq $false) { Write-Host " .. per parameter passed in, skipping this step" -ForegroundColor Gray } else { # create default team site Write-Host " .. creating default team site..." -ForegroundColor Gray $teamSite = New-SPSite -Name "Wingtip Intranet" -Url "http://intranet.network.com" -HostHeaderWebApplication $hnscWebApp -Template "STS#0" -OwnerAlias $AdminAccountUsername Write-Host " Default team site created" -ForegroundColor Gray # create default developer site Write-Host " .. creating developer site..." -ForegroundColor Gray $developerSite = New-SPSite -Name "Wingtip Developer Site" -Url "http://dev.network.com" -HostHeaderWebApplication $hnscWebApp -Template "DEV#0" -OwnerAlias $AdminAccountUsername Write-Host " Developer site created" -ForegroundColor Gray } Write-Host Write-Host "Finished configuring SharePoint Server 2013 for HNSC! Script details are as follows:" -ForegroundColor Green Write-Host Write-Host "=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=" -ForegroundColor White Write-Host "Root Site Collection Details" -ForegroundColor White Write-Host "Site URL: " $rootSite.Url -ForegroundColor White if ($CreateDefaultSiteCollections -eq $true) { Write-Host Write-Host "Default Team Site Collection Details" -ForegroundColor White Write-Host "Site Title: " $teamSite.RootWeb.Title -ForegroundColor White Write-Host "Site URL: " $teamSite.Url -ForegroundColor White Write-Host Write-Host "Developer Site Collection Details" -ForegroundColor White Write-Host "Site Title: " $developerSite.RootWeb.Title -ForegroundColor White Write-Host "Site URL: " $developerSite.Url -ForegroundColor White } Write-Host "=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=" -ForegroundColor White Write-Host
Now you have one WEB Application where you can host multiple (up to 200.000) site collections, and one database content where all your site collection is stored. The system (as Trevor below says) create a partition in the Web APP database using a Subscription ID field for this purpose.
Well once you have your Web APP and you site collections it's time to add the URL Zones to this Site collections and adjust your DNS zones.
Lets say that our SharePoint Web/App server is on a private network and we have a NAT server that exposes a 90.90.90.90 IP (dev.network.com) to our private machine 10.10.10.10 (machine1) and want to use http://dev to reach the http://dev.network.com site collection created before
We use the following Shell command to create an alternate URl on the intranet zone:
$site = Get-SPSite "http://dev.network.com" (this url is on the default zone because was the one we use to create the collection
Set-SPSiteURL -Identity $site -Url http://dev -Zone 1 (0 for default, 1- for intranet, 2- etc)
And now lets introduce the ip resoluction for dev. We have two options in the hosts file or in the internal DNS of our site.
Now the questions and things to consider (please help)
why if i open a chrome/IE/Safari/firefox in the same machine with http://dev the applications as again and again for credentials? where is the mistake?
Thanks
When running the health checks for my upgrade from 2010 to 2013, it gives a list of customized files, most of these are template.doc in libraries, which we don't remember customizing, but I figured I'd reset them to the site definition anyway.
According to http://technet.microsoft.com/en-us/library/jj219720.aspx Repair-SPSite should automatically loop through and reset them to the site definition. But when I run it it does not seem to do anything at all.
Is there something I'm missing?
PS C:\installfiles\installfarm> Repair-SPSite <siteurl> -RuleId "cd839b0d-9707-4950-8fac-f306cb920f6c" -verbose VERBOSE: Leaving BeginProcessing Method of Repair-SPSite. VERBOSE: Performing operation "Repair-SPSite" on Target "Site <siteurl>, RuleId cd839b0d-9707-4950-8fac-f306cb920f6c". Site : SPSite Url=<siteurl>
Results : { SPSiteHealthResult Status=FailedWarning RuleName="Customized Files" RuleId=cd839b0d-9707-4950-8fac-f306cb920f6c} PassedCount : 0 FailedWarningCount : 1 FailedErrorCount : 0 VERBOSE: Leaving ProcessRecord Method of Repair-SPSite. VERBOSE: Leaving EndProcessing Method of Repair-SPSite.
I suppose i could just loop through all the SPWebs and use SPWeb.RevertAllDocumentContentStreams if this doesn't work.
I am trying to install SharePoint 2013 on one server and then have the SQL server for SharePoint reside on a different server. I have statically configured the port for the SQL server instance, I have created a Windows Firewall exception for the browser service and for the SQL instance, and while Windows Firewall is turned on I am not able to get a connection. However, when I turn off Windows Firewall, the connection goes through just fine. Here are the points for the configuration that I have set thus far:
I am having the SQL traffic segmented for security. As I said before, when Windows Firewall is off on the SQL servers, everything continues perfectly, but when turned on nothing gets through. Any ideas?
HI All,
I want to try some new features of PerformancePoint 2013, so I want to download sharepoint 2013 server.
Is there any 180 Day Trial version available for SharePoint 2013
From MSDN site I can get the image or iso file but I want a .exe file which i can directly install in my machine.
Waiting for reply.
Sudipta Ghosh Tata Consultancy Services
I am installing SP2013, I have installed "AppFabric1.1-RTM-KB2671763-x64-ENU.exe" and "WindowsServerAppFabricSetup_x64.exe" but there is one error is like The product requires windows server AppFabric, Install windows server AppFabric and rerun setup. And if i am trying to uninstall Windows Server AppFabric v1.1, it is no uninstalling. If some one have any idea please assist me.
Regards,
Arun
Arun
We pruned the default accounts in new Forms Based SP2013 site collection to keep them more client-centric. However, deleting the "Everyone" Group account (we had a similar "Client All Users" User Group in SP2010 before) may have been a mistake! Because it
is still mentioned in all the "Add People to the XYX Group", even once it is actually deleted - it says inside the user box "Enter names, email addresses, or 'Everyone'".
Is there are way (probably some xml somewhere) to change this dialogue text?
Or is there a way to reinstate this account? Simply adding a New Group with name "Everyone" just creates a normal SP Group, whereas checking a new site shows that the original Everyone account is actually c:0(.s|true "All authenticated users" so may be connected to the AD Everyone account (not sure here, as we are using FBA).
We're doing this UAT on SP2013 Foundation but same will apply to full Server product. TIA,
Phil
After sucessfulling installing the SharePoint Foundation 2013, when i try to access the Secure Stored Service Application i get the below error
11/16/2012 18:13:02.84 w3wp.exe (0x1774) 0x15E8 Secure Store Service Secure Store g0n6 High The trial period for this product has expired or this feature is not supported in this SKU. b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84 w3wp.exe (0x1774) 0x15E8 SharePoint Foundation General 8nca Medium Application error when access /_admin/sssvc/ManageSSSvcApplication.aspx, Error=The
trial period for this product has expired or Secure Store Shared Service is not supported for this SKU. at Microsoft.Office.SecureStoreService.Server.SecureStoreServiceApplicationProxy.Execute[T](String operationName, Boolean validateCanary, ExecuteDelegate`1
operation) at Microsoft.Office.SecureStoreService.Server.SecureStoreServiceApplicationProxy.IsMasterSecretKeyPopulated() at Microsoft.Office.SharePoint.ClientExtensions.SecureStoreAdministration.SSSAdminHelper.EnsurePrerequisite(SecureStoreServiceApplicationProxy
proxy, String& errorMessage) at Microsoft.Office.SharePoint.ClientExtensions.SecureStoreAdministration.ManageSSSvcApplication.InitializeGridView() at Microsoft.Office.SharePoi... b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84* w3wp.exe (0x1774) 0x15E8 SharePoint Foundation General 8nca Medium ...nt.ClientExtensions.SecureStoreAdministration.ManageSSSvcApplication.OnLoad(EventArgs
e) at System.Web.UI.Control.LoadRecursive() at System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84 w3wp.exe (0x1774) 0x15E8 SharePoint Foundation Runtime tkau Unexpected Microsoft.Office.Server.ProductExpiredException: The trial period for this product
has expired or Secure Store Shared Service is not supported for this SKU. at Microsoft.Office.SecureStoreService.Server.SecureStoreServiceApplicationProxy.Execute[T](String operationName, Boolean validateCanary, ExecuteDelegate`1 operation)
at Microsoft.Office.SecureStoreService.Server.SecureStoreServiceApplicationProxy.IsMasterSecretKeyPopulated() at Microsoft.Office.SharePoint.ClientExtensions.SecureStoreAdministration.SSSAdminHelper.EnsurePrerequisite(SecureStoreServiceApplicationProxy
proxy, String& errorMessage) at Microsoft.Office.SharePoint.ClientExtensions.SecureStoreAdministration.ManageSSSvcApplication.InitializeGridView() at Microsoft.Office.SharePoint.ClientExtensions.SecureSto... b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84* w3wp.exe (0x1774) 0x15E8 SharePoint Foundation Runtime tkau Unexpected ...reAdministration.ManageSSSvcApplication.OnLoad(EventArgs e)
at System.Web.UI.Control.LoadRecursive() at System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84 w3wp.exe (0x1774) 0x15E8 SharePoint Foundation General ajlz0 High Getting Error Message for Exception System.Web.HttpUnhandledException
(0x80004005): Exception of type 'System.Web.HttpUnhandledException' was thrown. ---> Microsoft.Office.Server.ProductExpiredException: The trial period for this product has expired or Secure Store Shared Service is not supported for this SKU.
at Microsoft.Office.SecureStoreService.Server.SecureStoreServiceApplicationProxy.Execute[T](String operationName, Boolean validateCanary, ExecuteDelegate`1 operation) at Microsoft.Office.SecureStoreService.Server.SecureStoreServiceApplicationProxy.IsMasterSecretKeyPopulated()
at Microsoft.Office.SharePoint.ClientExtensions.SecureStoreAdministration.SSSAdminHelper.EnsurePrerequisite(SecureStoreServiceApplicationProxy proxy, String& errorMessage) at Microsoft.Office.Sha... b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84* w3wp.exe (0x1774) 0x15E8 SharePoint Foundation General ajlz0 High ...rePoint.ClientExtensions.SecureStoreAdministration.ManageSSSvcApplication.InitializeGridView()
at Microsoft.Office.SharePoint.ClientExtensions.SecureStoreAdministration.ManageSSSvcApplication.OnLoad(EventArgs e) at System.Web.UI.Control.LoadRecursive() at System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint,
Boolean includeStagesAfterAsyncPoint) 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.ProcessRequest(HttpContext context)
at System.Web.Htt... b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.84* w3wp.exe (0x1774) 0x15E8 SharePoint Foundation General ajlz0 High ...pApplication.CallHandlerExecutionStep.System.Web.HttpApplication.IExecutionStep.Execute()
at System.Web.HttpApplication.ExecuteStep(IExecutionStep step, Boolean& completedSynchronously) b3b6e19b-7de2-e016-ad32-0fc975829ef0
11/16/2012 18:13:02.86 w3wp.exe (0x1774) 0x15E8 SharePoint Foundation General aat87 Monitorable b3b6e19b-7de2-e016-ad32-0fc975829ef0
Is it a bug or any issue in configuration?
Raghavendra Shanbhag | Blog: http://moss-solutions.blogspot.com
Please click "Propose As Answer " if a post solves your problem or "Vote As Helpful" if a post has been useful to you.
Disclaimer: This posting is provided "AS IS" with no warranties.
Recently installed SharePoint 2013 RTM, on the newsfeed page an error is displayed, and no entries display in the following or everyone tabs.
"The operation failed because the server could not access the distributed cache."
Reading through various posts, I've checked:
- Activity feeds and mentions tabs are working as expected.
- User Profile Service is operational and syncing as expected
- Search is operational and indexing as expected
- The farm was installed based on the autospinstaller scripts.
- Don't believe this to be a permissions issue, during testing added accounts to the admin group to verify
Any suggestions are welcomed, thanks.
The full error message and trace logs is as follows.
SharePoint returned the following error: The operation failed because the server could not access the distributed cache. Internal type name: Microsoft.Office.Server.Microfeed.MicrofeedException. Internal error code: 55. Contact your system administrator for help in resolving this problem.
From the trace logs there's several messages which are triggered around the same time:
http://msdn.microsoft.com/en-AU/library/System.ServiceModel.Diagnostics.TraceHandledException.aspxHandling an exception. Exception details: System.ServiceModel.FaultException`1[Microsoft.Office.Server.UserProfiles.FeedCacheFault]: Unexpected exception in
FeedCacheService.GetPublishedFeed: Object reference not set to an instance of an object.. (Fault Detail is equal to Microsoft.Office.Server.UserProfiles.FeedCacheFault)./LM/W3SVC/2/ROOT/d71732192b0d4afdad17084e8214321e-1-129962393079894191System.ServiceModel.FaultException`1[[Microsoft.Office.Server.UserProfiles.FeedCacheFault,
Microsoft.Office.Server.UserProfiles, Version=15.0.0.0, Culture=neutral, PublicKeyToken=71e9bce111e9429c]], System.ServiceModel, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089Unexpected exception in FeedCacheService.GetPublishedFeed: Object
reference not set to an instance of an object..
at Microsoft.Office.Server.UserProfiles.FeedCacheService.Microsoft.Office.Server.UserProfiles.IFeedCacheService.GetPublishedFeed(FeedCacheRetrievalEntity fcTargetEntity, FeedCacheRetrievalEntity fcViewingEntity, FeedCacheRetrievalOptions fcRetOptions)
at SyncInvokeGetPublishedFeed(Object , Object[] , Object[] )
at System.ServiceModel.Dispatcher.SyncMethodInvoker.Invoke(Object instance, Object[] inputs, Object[]& outputs)
at System.ServiceModel.Dispatcher.DispatchOperationRuntime.InvokeBegin(MessageRpc& rpc)
at System.ServiceModel.Dispatcher.ImmutableDispatchRuntime.ProcessMessage5(MessageRpc& rpc)
at System.ServiceModel.Dispatcher.ImmutableDispatchRuntime.ProcessMessage31(MessageRpc& rpc)
at System.ServiceModel.Dispatcher.MessageRpc.Process(Boolean isOperationContextSet)System.ServiceModel.FaultException`1[Microsoft.Office.Server.UserProfiles.FeedCacheFault]: Unexpected exception in FeedCacheService.GetPublishedFeed: Object reference not
set to an instance of an object.. (Fault Detail is equal to Microsoft.Office.Server.UserProfiles.FeedCacheFault).
------------------
SPSocialFeedManager.GetFeed: Exception: Microsoft.Office.Server.Microfeed.MicrofeedException: ServerErrorFetchingConsolidatedFeed : ( Unexpected exception in FeedCacheService.GetPublishedFeed: Object reference not set to an instance of an object.. ) : Correlation
ID:db6ddc9b-8d2e-906e-db86-77e4c9fab08f : Date and Time : 31/10/2012 1:40:20 PM
at Microsoft.Office.Server.Microfeed.SPMicrofeedThreadCollection.PopulateConsolidated(SPMicrofeedRetrievalOptions retOptions, SPMicrofeedContext context)
at Microsoft.Office.Server.Microfeed.SPMicrofeedThreadCollection.Populate(SPMicrofeedRetrievalOptions retrievalOptions, SPMicrofeedContext context)
at Microsoft.Office.Server.Microfeed.SPMicrofeedManager.CommonGetFeedFor(SPMicrofeedRetrievalOptions retrievalOptions)
at Microsoft.Office.Server.Microfeed.SPMicrofeedManager.CommonPubFeedGetter(SPMicrofeedRetrievalOptions feedOptions, MicrofeedPublishedFeedType feedType, Boolean publicView)
at Microsoft.Office.Server.Microfeed.SPMicrofeedManager.GetPublishedFeed(String feedOwner, SPMicrofeedRetrievalOptions feedOptions, MicrofeedPublishedFeedType typeOfPubFeed)
at Microsoft.Office.Server.Social.SPSocialFeedManager.Microsoft.Office.Server.Social.ISocialFeedManagerProxy.ProxyGetFeed(SPSocialFeedType type, SPSocialFeedOptions options)
at Microsoft.Office.Server.Social.SPSocialFeedManager.<>c__DisplayClass4b`1.<S2SInvoke>b__4a()
-----------------
Microsoft.Office.Server.Social.SPSocialFeedManager.GetFeed: Microsoft.Office.Server.Microfeed.MicrofeedException: ServerErrorFetchingConsolidatedFeed : ( Unexpected exception in FeedCacheService.GetPublishedFeed: Object reference not set to an instance of
an object.. ) : Correlation ID:db6ddc9b-8d2e-906e-db86-77e4c9fab08f : Date and Time : 31/10/2012 1:40:20 PM
at Microsoft.Office.Server.Microfeed.SPMicrofeedThreadCollection.PopulateConsolidated(SPMicrofeedRetrievalOptions retOptions, SPMicrofeedContext context)
at Microsoft.Office.Server.Microfeed.SPMicrofeedThreadCollection.Populate(SPMicrofeedRetrievalOptions retrievalOptions, SPMicrofeedContext context)
at Microsoft.Office.Server.Microfeed.SPMicrofeedManager.CommonGetFeedFor(SPMicrofeedRetrievalOptions retrievalOptions)
at Microsoft.Office.Server.Microfeed.SPMicrofeedManager.CommonPubFeedGetter(SPMicrofeedRetrievalOptions feedOptions, MicrofeedPublishedFeedType feedType, Boolean publicView)
at Microsoft.Office.Server.Microfeed.SPMicrofeedManager.GetPublishedFeed(String feedOwner, SPMicrofeedRetrievalOptions feedOptions, MicrofeedPublishedFeedType typeOfPubFeed)
at Microsoft.Office.Server.Social.SPSocialFeedManager.Microsoft.Office.Server.Social.ISocialFeedManagerProxy.ProxyGetFeed(SPSocialFeedType type, SPSocialFeedOptions options)
at Microsoft.Office.Server.Social.SPSocialFeedManager.<>c__DisplayClass4b`1.<S2SInvoke>b__4a()
at Microsoft.Office.Server.Social.SPSocialUtil.InvokeWithExceptionTranslation[T](ISocialOperationManager target, String name, Func`1 func)
--------------
Microsoft.Office.Server.Social.SPSocialFeedManager.GetFeed: Microsoft.Office.Server.Social.SPSocialException: The operation failed because the server could not access the distributed cache. Internal type name: Microsoft.Office.Server.Microfeed.MicrofeedException.
Internal error code: 55.
at Microsoft.Office.Server.Social.SPSocialUtil.TryTranslateExceptionAndThrow(Exception exception)
at Microsoft.Office.Server.Social.SPSocialUtil.InvokeWithExceptionTranslation[T](ISocialOperationManager target, String name, Func`1 func)
at Microsoft.Office.Server.Social.SPSocialFeedManager.<>c__DisplayClass48`1.<S2SInvoke>b__47()
at Microsoft.Office.Server.Social.SPSocialUtil.InvokeWithExceptionTranslation[T](ISocialOperationManager target, String name, Func`1 func)
Hi,
In our 2010 web app we connect the collections to the root collection by using the setting "Portal site connection".
After upgrading the setting is still in place only where can we use it?
In 2010 the little map icon did the tric but this is gone.
So where is it now?
Thanks
Paul
All,
This issue is killing me and I'm quite lost now, I've run procmon and I can't see any file level denies, I'm watching the developer console on IE and keep seeing POST's to /_vti_bin/client.svc/ProcessQuery return a 401, I've seen the same thing using Kerberos, Claims, Forms, NTLM.
Navigating http://intranet.pf/_vti_bin/client.svc just throws up authentication prompts and rejects my login until a 401.
Beyond lost, would anyone have a helpful hint?
Simon Stearn - Militant South - Agile Architecture
Hi,
I have installed sql server 2012 sp1. However, the collation with the name Latin1_General_CI_AS_KS_WS is not available.
What have you guys used for the collation?
I am new to Sharepoint and have installed Sharepoint 2013 foundation on Windows 2008 R2 for the purposes of using it as an Intranet. With regards to this question, I think 2013 and 2010 are quite similar in this respect. The server name is WLSHAREPOINT.
So, I get to the Central Admin page and click to create a new Site Collection. I am forced to choose a 'web site address, which is created off the root. I did that and ended up with my sharepoint site at
http://wlsharepoint/home
Firstly, how can I get my site to appear when just typing http://wlsharepoint into a browser?
Secondly, to make it even easier I would like to create an alias or alternative name mapping so my users just need to type "http://intranet" into a browser and they get taken to my site.
So, again in the Central Admin page I went to 'configure alternative access name', changed the mapping collection to 'sharepoint - 80', clicked 'add internal URL', called it 'intranet' and set it as intranet zone. Then I went into IIS, found the sharepoint - 80 site and created a binding....
Type: http
Host name: intranet
Port:
80
I also created an internal DNS A record for 'intranet' and pointed that to the server IP.
However, when I try http://intranet or http://intranet/home, neither work.
Please can you point me in the right direction!?
Thanks
M+
Looking for the best answer, Question for experts
We have a SP2010 web application that has almost 40 site collections, contoso.com/departments/dept1
contoso.com/departments/dept2
and so on
each department has its own site collection,
there are reasons to move from this web app to another web app, and keep the same URL, the move needs to be done by per sit collection not all at once due to the size and support.
how can to move a site collection to another web app and keep the same URL taking into consecration that the Root will move first and also the need is to keep the root URL the same when moving to the other web app, there is a load balancer implemented sing CC
any clue.
Best Regards, Ammar MCT http://ahmed-ammar.blogspot.com Posting is provided "AS IS" with no warranties, and confers no rights.
Hi All,
I want to change the admin content db for sharepoint to a db with a proper name (i.e. no guids). How can I do this on a new farm? (Which has no content).
Thanks
I was trying to publish a new masterpage to a publishing site template.
- Go to design manager - Edit master pages
- Got the mapped network drive
- Copied the HTML
- Went to Design manager - edit master pages - selected html - inserted
- HTML showed on the master list
- Published in site settings and was able to review the new UI on the site
Deleted the site collection and repeated the above steps few times.
After inserting the HTML into master page collection list, reviewing the HTML errors out. Any idea why ?
Using office 365 sharepoint.
PowerShell Output:
PS C:\Users\sp_farm> Convertto-SPProjectDatabase -WebApplication http://pm.mypmsite.net -Dbserver mypmsqlserver.net -ArchiveDbname SP_PM_ProjectServer_ Archive -DraftDbname SP_PM_ProjectServer_Draft -PublishedDbname SP_PM_Projec tServer_Published -ReportingDbname SP_PM_ProjectServer_Reporting -ProjectServi ceDbname SP_PM_ProjectServer_ServiceDb Convertto-SPProjectDatabase : Cannot open database"SP_PM_ProjectServer_Published" requested by the login. The login failed. Login failed for user 'AD\sp_farm'. At line:1 char:1+ Convertto-SPProjectDatabase -WebApplication http://pm.mypmsite.net -Dbserver d ...+ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ ~~~+ CategoryInfo : InvalidArgument: (Microsoft.Offic...baseImplemen tor:ConvertToProjec...baseImplementor) [ConvertTo-SPProjectDatabase], SqlE xception+ FullyQualifiedErrorId : Microsoft.Office.Project.Server.Cmdlet.PSCmdletC onvertToProjectServiceDatabase Convertto-SPProjectDatabase : Published database is invalid or corrupt. The published database must have a default language specified in the WADMIN_DEFAULT_LANGUAGE column of the MSP_WEB_ADMIN table. At line:1 char:1 + Convertto-SPProjectDatabase -WebApplication http://pm.mypmsite.net -Dbserver d ...+ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ ~~~+ CategoryInfo : InvalidArgument: (Microsoft.Offic...baseImplemen tor:ConvertToProjec...baseImplementor) [ConvertTo-SPProjectDatabase], Inva lidOperationException+ FullyQualifiedErrorId : Microsoft.Office.Project.Server.Cmdlet.PSCmdletC onvertToProjectServiceDatabase
1. I have already migrated and mounted/upgraded the SharePoint 2010 database to SharePoint 2013
2. I have backed up the four Project Server databases and restored them to the new SQL server that will house the 2013 SharePoint / Project Server data
3. I have checked for errors and found none that will block or severely hurt the upgrade
4. I run the ConvertTo-SPProjectDatabase cmdlet and get the above error
5. Every time I try, it locks up the database and causes me to have to restart SQL services to try the cmdlet again, otherwise it keeps saying "database in use" in PowerShell
6. I have tried domain administrator accounts, the SharePoint service account and given all of them db_owner permissions in SQL to all of the databases involved, even the SharePoint 2013 config database
7. At first when I tried, it only came back with the error regarding the failed login, after trying it for the third or fourth time after changing permissions, it started adding on the error regarding that invalid value in the column as shown in the error above
Please help me Microsoft or anyone else - I've tried everything I could
Hi,
I'm facing a strange error coming from my SharePoint 2013,
All is installed on the same machine for developpement team.
Windows2008R2SP1 Full Updated
SQL2012 with SP1
SharePoint 2013 (with trial Licence - users should update it once they got the virtual machine)
I've downloaded Report Builder 3.0 Sample to add them to the SP Library
And the previous error is showing.
I've double check the installation, that should be ok.
I've also check:
IIS Advanced Settings
There is no special configuration on SQL Reporting Services (i mean all is by default)
If anyone could help :-)
Many thanks,
Michael
Michael
Product: AppFabric 1.1 for Windows Server -- Error 1722. There is a problem with this Windows Installer package. A program run as part of the setup did not finish as expected. Contact your support personnel or package vendor. Action Env_PSModulePath_powershell_i, location: c:\Program Files\AppFabric 1.1 for Windows Server\Microsoft.ApplicationServer.InstallHelper.exe, command: powershell.exe "-command \"$str = [System.Environment]::GetEnvironmentVariable(\\\"PSModulePath\\\", [System.EnvironmentVariableTarget]::Machine); $str = $str+\\\";c:\Program Files\AppFabric 1.1 for Windows Server\PowershellModules\\\"; c:\Windows\system32\setx.exe /M PSModulePath\\\"$str\\\"\"" "C:\Users\Administrator\AppData\Local\Temp\AppServerSetup1_1_CustomActions(2012-12-15 17-53-06).log"
Source : MsiInstaller
EventID 11722
I am trying to install Sharepoint 2013 on my server. I have tried to install patches from internet but everytime I run the WindowsServerAppFabricSetup_x64.exe file it ends up giving me an error. Above is the error I found in Event log.
Any help is appreciated.