Quantcast
Channel: SharePoint 2013 - Setup, Upgrade, Administration and Operations forum
Viewing all 21070 articles
Browse latest View live

User permission report in PowerShell.

$
0
0

Hi All,

 

I am working a PowerShell report that generates all user’s permissions as follows:

  1. All user permissions with inherited and direct permissions (direct permissions) to thesite.
  2. All user permissions in all document libraries with inherited.
  3. If the document libraries have direct permissions (break inheritance) to specificfolder and generate folder permissions to those users for that document library within the site.

I have checked Salaudeen’s blog but the scripts specific user and I am not very proficient with PowerShell when it comes to permission levels. I have tried to make some changes so that I can meet my requirements. I am using SharePoint 2013 Windows SharePoint ISE and loaded the Add-PSSnapin "Microsoft.SharePoint.PowerShell"

 

  1. I am getting SPSite, SPWeb andSPList objects in PowerShell ISE as shown:
  2. But not able to get the SubFolder objects within document library. Am I doing something wrong here? 

  3. However, I am still able to get unique folders using the above following code, but I amnot able to get folder permissions such as Full Control, Editto specific users. 

    Any help in the Folder Permissions within document library PowerShell snippet would be highly 
    be appreciated. 
    Attached is my PowerShell script. 
#Load powershell snapin
Add-PSSnapin "Microsoft.SharePoint.PowerShell"


Function  GetAllDoumentLibraiesPerms($WebAppURL)
{
    #Get All Site Collections of the WebApp
    $SiteCollections = Get-SPSite -WebApplication $WebAppURL -Limit All

    #Loop through all site collections
    foreach($site in $SiteCollections)
    {
        Write-Host("`t Site Collection Name: $($site.Url)")


        #Loop throuh all Sub Sites
        foreach($w in $Site.AllWebs)
        {
             Write-Host “————————Webs—————————–”
             Write-Host "Web Site names: $($w.Title)"

             #If the web has Unique permissions
             if($w.HasUniqueRoleAssignments -eq $True)
             {

                 #Get all the users granted permissions to the list
	             foreach($WebRoleAssignment in $w.RoleAssignments)
                 {

                    #if a user account
                    if($WebRoleAssignment.Member.userlogin)
                    {
                        Write-Host("------User's Permissions-----")
                        #Get the Permissions assigned to user
					    $WebUserPermissions=@()
						foreach ($RoleDefinition  in $WebRoleAssignment.RoleDefinitionBindings)
					    {

				            $WebUserPermissions += $RoleDefinition.Name +";"
				        }



                        Write-Host ("$($w.Url) `t $($w.Title) `t Direct Permission $($WebUserPermissions) `t $($WebRoleAssignment.Member.LoginName) ")


                    }
                    else #Its is SharePoint Group
                    {
                        foreach($user in  $WebRoleAssignment.member.users)
                        {
                            #Get the Group's Permissions on site
                            Write-Host("------Group Permissions-----")
						    $WebGroupPermissions=@()
							foreach ($RoleDefinition  in $WebRoleAssignment.RoleDefinitionBindings)
							{
		                        $WebGroupPermissions += $RoleDefinition.Name +";"
		                    }


                            #Send the Data to Log file
                            Write-Host "$($w.Url) `t Site `t $($w.Title) `t Member of $($WebRoleAssignment.Member.Name) Group `t $($WebGroupPermissions) `t $($user.LoginName)  "

                        }

                    }

                 }

             }


             #Get Permissions of the user on Web
             $WebPermissions = Get-PermissionInfo $w


             #loopthrouh the lists and libraries in the site
             foreach($l in $w.Lists)
             {
                #Filter Doc Libs, Eliminate Hidden and only "Douments" library
                if( ( $l.BaseType -eq "DocumentLibrary”) -and ($l.Hidden -eq $false) -and ($l.Title -eq "Documents")  )
                {
                    Write-Host "List title is: $($l.Title)"
                    Write-Host "Root Folder : $($l.RootFolder)"


                      #Check Folders with Unique Permissions
                      $UniqueFolders = $l.Folders | where { $_.HasUniqueRoleAssignments -eq $True }

                      #Get Folder permissions
                      foreach($folder in $UniqueFolders)
                      {
                        Write-Host "Unique Folders are: $($folder.Name)"

                        #Get all the users granted permissions to the list



                        foreach($listRoleAssignment in $l.RoleAssignments)
				        {

							if($listRoleAssignment.Member.userlogin)
                            {
                                #Get the Permissions assigned to user

                                Write-Host "`t ROLE ASSIGNMENT: $($listRoleAssignment.Member) "
								#$ListUserPermissions=@()
                                $listUserPermissions=@()
							    foreach ($RoleDefinition  in $listRoleAssignment.RoleDefinitionBindings)
							    {
							        $listUserPermissions += $RoleDefinition.Name +";"
							    }

                                #Send the Data to Log file
								#Write-Host "PARENT WEB is $($l.ParentWeb.Url) / and LIST FOLDER IS $($l.RootFolder.Url) `t List `t $($l.Title)`t Direct Permission `t $($listUserPermissions)  `t $($listRoleAssignment.Member)"



                            }


                        }

                        #Get the Folder's Permssions
						$folderPermissions=@()


                      }



                    #Loop through all subfolders and call the function recursively

                    foreach ($SubFolder in $l.RootFolder.SubFolders)
                    {
                        if($SubFolder.Name -ne "Forms")
                        {
                            Write-Host "INSIDE LOOP ==> Folder Name : $($SubFolder.Name)"
                            Write-Host "$($SubFolder.)"

                        foreach($listRoleAssignment in $l.RoleAssignments)
				         {
                            #Is it a User Account?
							if($listRoleAssignment.Member.userlogin)
                            {
                                #Get the Permissions assigned to user

                                Write-Host "`t FOLDER ROLE ASSIGNMENT: $($listRoleAssignment.Member) "
								#$ListUserPermissions=@()
                                $listUserPermissions=@()
							    foreach ($RoleDefinition  in $listRoleAssignment.RoleDefinitionBindings)
							    {
							        $listUserPermissions += $RoleDefinition.Name +";"
							    }

                                #Send the Data to Log file
								Write-Host "$($l.ParentWeb.Url) /  $($l.RootFolder.Url) `t List `t $($l.Title)`t Direct Permission `t $($listUserPermissions)  `t $($listRoleAssignment.Member)"



                            }

                        }


                        }
                    }



                    #GetMyFiles($l.RootFolder)



                    #Add-Content -Path $outputPath -Value  ” => Library : $($List.RootFolder) and Size (in MB) $($DocLibSize)”

                    if( $($l.HasUniqueRoleAssignments) -eq $false )
                    {
                        Write-host "List is Inherited: $($l.HasUniqueRoleAssignments) "
                    }
                    else
                    {
                         Write-host "List is Direct Permssions: $($l.HasUniqueRoleAssignments) "
                    }

                }

             }
        }
    }
}


GetAllDoumentLibraiesPerms "http://intranet.contoso.com"



Sandy


SharePoint Products Configuration Wizard takes 7 hours.

$
0
0

I am installing SharePoint 2013SP1 on a Windows2012R2 server. The SQL 2014 server is also a Windows 2012R2 server.

Both servers are virtual, and lives in the same hardware, but has different subnets.

The network speed is 10GB with less than 1ms delay between the two servers.

When I run SharePoint Products Configuration Wizard it takes 7 hours to complete!

As a test I moved the SQL Server to the same subnet as the SharePoint 2013 server and created a new farm.

This time the SharePoint Products Configuration Wizard took only 13 minutes to complete!

Then I tried yet again to create the farm to a different SQL server that is on a third subnet it again took 7 hours to complete?

Why is this? Am I missing something?

EDIT

I installed SQL on the SharePoint server and install was fast.

Now when I tried to install again to a SQL on same subnet the wizard is stuck on step 3 for several hours.

So the reason for this slow performance must be something else.

Problem is that after install the web site gets slow, even it there is just 2 test users.

Every link takes an extra 10 seconds before it opens versus instantly opening links on standalone version.

 EDIT Below information on installation process.

Domain accounts used:

MyAdminAccount is local admin on both servers

SPAdminAccount is local admin on SP the server and OWNER on the SP SQL Instance

SPFarm has no special access beforer configuration wizard.

1) Using MyAdminAccount I install the database engine / SP instance on SQL server.

MyAdminAccount and SPAdminAccount is added as admins on instance.

2) I set max degree of parallelism = 1

I grant SPAdminAccount dbcreator and securityadmin ( also is sysadmin from step 1)

3) Login to SharePoint VM using SPAdminAccount

4) Run prerequisiteinstaller ( it needs a boot and continues )

5) I start the SharePoint Products Configuration Wizard ( as SPAdminAccount )

SPFarm account defined as farm account.

Wait 4-7 hours...

The wizard is stuck on step 3 creating config database.

I can see with SQL Server Profiler that stuff is happening.

No errors or warnings can be seen in any logs.



Cannot install any CU

$
0
0

Hi,

I'm using SharePoint 2013 Server. When I run (Get-Spfarm).Buildversion , it gives me 15.0.4701.1000

I tried to install (April 2015 CU) , (May 2015 CU), (November 2015 CU). It didn't work because it doesn't find the right version number. So I run the update with : PACKAGE.BYPASS.DETECTION.CHECK=1

The install run fine, then I ran the psconfig.exe . (by the way the databases shows as no upgrade is required). When it's finished, I run again the (get-spfarm).Buildversion and it gives me the same version as before: 15.0.4701.1000

Any idea what is wrong here? Any help is much appreciated.

Thank you.


-Mehdi

Catch 22 with .NET framework 4.5 during Sharepoint 2013 deployment

$
0
0

I have a standalone HP Server with Windows 2012 R2 foundation and I have run in to a catch 22 situation with SharePoint 2013 Foundation and I can't get past the setup!

I searched forums without success and any advice or workaround would be very much appreciated!

The SharePoint prerequisite installation was finally passed after removing the redundant semicolon in the environment variable PSmodulePath which cause system to reboot repeatedly. The pre prerequisite installation claims that .net framework 4.5 is already in place which it seems to be according the server dashboard add/remove roles and functions tool as well, and as it is also required for the AD, etc.

The SharePoint setup however will not continue and says that .net framework 4.5 is missing!?

I already have tried NetFxRepairTool and hotfix KB2925384-v4-x64 with no effect!

The background is that SharePoint actually was up and running 2 weeks ago, but since I had no previous experience with SharePoint, I used my normal Admin account for the setup and did not research enough to understand and configure the recommended accounts prior to the first deployment, quite stupid though!

Then I got errors repeatedly from the SPTimerV4 service that requires an exclusive account. It became worse after a SharePoint security update and I could not run the SharePoint configuration wizard through step 9 out of 10 with “PostSetupConfigurationTaskException” in the log. I also had error from the SPUCWorkerProcessProxy.exe in the dashboard and I believe some of these problems also may be related to the fact that the Admin password is changed every 30 days, and possibly made login to some of the services impossible for the system?

I finally decided to start all over and uninstall as much as possible and now do the reinstallation correctly in accordance with 1150-page Deployment guide for SharePoint 2013 this time! I have now set up the required exclusive accounts in AD and was prepared for a second deployment.

All software and services can unfortunately not be removed up front, since some are part of the operating system and also used by other applications, which for instance applies to .net framework 4.5!

I still have the SQL 2014 Express server in place, it seems healthy with all the databases used by SharePoint, but I have not so much hope in recovering any of the SharePoint pages I already made, but I did not really see any reason to remove it! 

Some problems are of course related to my lack of experience, but still there are a lot of issues with the SharePoint deployment that Microsoft really need to handle with a service pack or a hot fix! Building installation packages requires thorough craftsmanship and considerations. Obviously a lot went wrong here, causing it professionals many issues with the SharePoint installation. Reinstallation of Windows should not be an option that needs to be considered when an application gets corrupt!

Find an item not working in one site

$
0
0

Hi,
We use SharePoint 2013 Enterprise and have done for some time without issues.
We use a global search centre, search and "find a file" has been working fine forever!

Until last week, now find a file/item has stopped returning results for a single site collection.
Last week I created a new page in this SC and added 3 web parts search box/results/navigation. I specified that the results be displayed on the same page and I specified the default result source - the only change to this was to add a property filter to specify the Url of the current site collection.

We wanted to have a search function in this site that only searched the contents of this site collection... and this works perfectly.
But somehow, since then, the find a file/item function returns nothing for all the lists and libraries in this site collection and I have no idea why!

Any body have any ideas as to the possible reason. I can't see how the 2 could be related.

 

Moving all Databases associated with Sharepoint 2013 Enterprise to another SQL server.

$
0
0

We have sharepoint 2013 (Ent) platform, where front end is comprised of a single server which is web server / application server and a SQL server (2008 r2 Std) as backend  with all the DBs of sharepoint. we need to move all these DBs to another windows 2012 r2 server with SQL server Std (latest edition). 

i came across 2 approaches for achieving this. one was the use of $db=db.update () as mentioned in https://technet.microsoft.com/en-us/library/cc512725.aspx#PS  . another option was to use sql alias method ,as shown in http://blogs.technet.com/b/meamcs/archive/2014/06/10/moving-sharepoint-databases-to-another-server-without-reconfiguring-sharepoint.aspx . 

i wanted an expert advise on best method to use and possible obstacles we may face/fixes for it etc. 

thanks,


Exploring IT...

This service instance 'Microsoft SharePoint Foundation Usage' cannot be provisioned on server 'APP01' because it is mapped to server 'WFE02'. in sharepoint 2013

$
0
0

HI

when i modify event logs in configure usage and health data collection service , i found below message in central administration site 

This service instance 'Microsoft SharePoint Foundation Usage' cannot be provisioned on server 'APP01' because it is mapped to server 'WFE02'. 

in this sharepoint farm it has two app servers,two wfe servers.

i run central admin from one of app server where c.a hosts.

how to trace for this issue and how to fix this problem?


adil

User Profile Synchronization Service not starting

$
0
0

Hey everyone,

I've just installed sharepoint 2013 on sql always on 2014 with all the latest updates, everything is running ok but i can't start the User Profile Synchronization Service. I've been searching for a few days but cant seem to find a solution.

SP_farm account has all the rights on the db's, when i try to start fim sync service manually i get in event viewer system:

The Forefront Identity Manager Synchronization Service service terminated with the following service-specific error: 
%%2148732962

And in app: 

 

The server encountered an unexpected error and stopped.

 "BAIL: MMS(6324): sql.cpp(2325): 0x80230404 (The operation failed because the attribute cannot be found)
ERR: MMS(6324): storeimp.cpp(5813): Failed to get computer id info from db.
BAIL: MMS(6324): storeimp.cpp(5815): 0x80230447 (Service start up has failed.  Cannot read computer_id from the FIM Synchronization Service database.)
BAIL: MMS(6324): storeimp.cpp(5892): 0x80230447 (Service start up has failed.  Cannot read computer_id from the FIM Synchronization Service database.)
BAIL: MMS(6324): storeimp.cpp(482): 0x80230447 (Service start up has failed.  Cannot read computer_id from the FIM Synchronization Service database.)
BAIL: MMS(6324): server.cpp(388): 0x80230447 (Service start up has failed.  Cannot read computer_id from the FIM Synchronization Service database.)
BAIL: MMS(6324): server.cpp(3860): 0x80230447 (Service start up has failed.  Cannot read computer_id from the FIM Synchronization Service database.)
BAIL: MMS(6324): service.cpp(1539): 0x80230447 (Service start up has failed.  Cannot read computer_id from the FIM Synchronization Service database.)
ERR: MMS(6324): service.cpp(988): Error creating com objects. Error code: -2145188793. This is retry number 0.
BAIL: MMS(6324): clrhost.cpp(283): 0x80131022 
BAIL: MMS(6324): scriptmanagerimpl.cpp(7670): 0x80131022 
BAIL: MMS(6324): server.cpp(251): 0x80131022 
BAIL: MMS(6324): server.cpp(3860): 0x80131022 
BAIL: MMS(6324): service.cpp(1539): 0x80131022 
ERR: MMS(6324): service.cpp(988): Error creating com objects. Error code: -2146234334. This is retry number 1.
BAIL: MMS(6324): clrhost.cpp(283): 0x80131022 
BAIL: MMS(6324): scriptmanagerimpl.cpp(7670): 0x80131022 
BAIL: MMS(6324): server.cpp(251): 0x80131022 
BAIL: MMS(6324): server.cpp(3860): 0x80131022 
BAIL: MMS(6324): service.cpp(1539): 0x80131022 
ERR: MMS(6324): service.cpp(988): Error creating com objects. Error code: -2146234334. This is retry number 2.
BAIL: MMS(6324): clrhost.cpp(283): 0x80131022 
BAIL: MMS(6324): scriptmanagerimpl.cpp(7670): 0x80131022 
BAIL: MMS(6324): server.cpp(251): 0x80131022 
BAIL: MMS(6324): server.cpp(3860): 0x80131022 
BAIL: MMS(6324): service.cpp(1539): 0x80131022 
ERR: MMS(6324): service.cpp(988): Error creating com objects. Error code: -2146234334. This is retry number 3.
BAIL: MMS(6324): service.cpp(1002): 0x80131022 
Forefront Identity Manager 4.0.2450.49"

Has anyone encountered this or know a solution?

Kind regards,

Borrie

*Edit I've noticed that in the Sync Database in table dbp.mms_server_configurtion alot of fields are null



Analytics in a Cross Site Publishing Environment

$
0
0

Hey,

we have an intranet based on SharePoint 2013 (On Premise) and Cross Site Publishing/Term based Navigation. Currently we are evaluating our possibilities to track unique visitors and page visits. As far as i can see, the generated pages will not be tracked in the usage logging database, which leads to my question:

Which possibilities do we have to track these things in such an architecture?

  • Is there a native way? With customization?
  • IIS Logs?
  • Third Party Tools?

Do you have any recommendations or experiences to share?

With kind regards and thanks in advance!

Tim

Back up & Restore Tenants in a Multi Tenant SharePoint 2013 environment

$
0
0

I have a SharePoint 2013 environment with Multi-Tenancy configured. I have various tenants provisioned in the environment. Is it possible to backup and restore a tenant from one environment to another. If so, please provide the steps.

PS: I know we can backup a single site collection using PowerShell, but a tenant normally has a group of site collections grouped with a subscription. Hence I am raising this. Also, I know there is a Content DB backup approach. But what about the other aspects, which are required to be kept in mind while doing this, like Service Applications, Permissions, Users, Custom Code, SharePoint version and so on. Please provide your inputs.


Ven

How to load and display SharePoint list items baded on Selected Item using JavaScript in Content Editor Webpart

$
0
0

Hi, I have a list name=  'Customer Link'.

And have the List columns:

Title:

            1. Customer A    --------English

            2. Customer B  ---------French

            3. Customer C  ---------English

            4. Customer D----------French

Language:(Type Choice)

               1. English

               2. French

URL:

if I select the Language=English, then I need to load and display only the items value = English.

i.e  1. Customer A and

      2. Customer C.

Here is my code:

<script type="text/javascript" src="https://Site Coll URL/Style Library/jquery.min.js"> </script>

<script type="text/javascript" src="https://Site Coll URL/Style Library/jquery.SPServices.min.js"> </script>

<script type="text/javascript">

$(document).ready(function() {

var SOStatusreports=[]

  $().SPServices({

    webUrl: "http://weburl/"

    operation: "GetListItems",

    async: false,

    listName: "Your-List-Name",

    CAMLViewFields: "<ViewFields><FieldRef Name='Title' /><FieldRef Name='Attachments' /><FieldRef Name='Modified' /><FieldRef Name='Link' /></ViewFields>",

    CAMLQueryOptions: "<QueryOptions><IncludeAttachmentUrls>True</IncludeAttachmentUrls></QueryOptions>",

    completefunc: function (xData, Status) {

      $(xData.responseXML).SPFilterNode("z:row").each(function(index) {

               

      SOStatusreports.push($(this).attr("ows_Attachments").replace(';#',''))

                                var trimurl= SOStatusreports[index];

                               itmurl = trimurl.replace(';#','')

        var liHtml = "<li><a href='"+itmurl+"'>" +$(this).attr("ows_Title") + "</a></li>";

        $("#MyListItems").append(liHtml);

      });

    }

  });

});

</script>

How to implement?

Any help will be appreciated.

From 2-tier to 3-tier

$
0
0
Hello,
at the moment we're running a 2 tier sharepoint farm with project server installed. The Farms consists of a SQL-Server and an APP-Server. I now want to make this a 3-tier system by addin a web frontend. The web applications and PWA don't use host headers at the moment meaning the URL looks like this at the moment: http://APP-Server:1080/PWA
What would be the best way to add the web frontend server?
Thanks and best regards,
Sven 

How to Retrive list items from SharePoint list using Java Script

$
0
0

Hi, I have a list name=  'Customer Link'.

And have the List columns:

Title:

Language:

URL:

I have to retrieve the "URL' list column value and need to display in the App Part, (SharePoint Hosted Apps) through java script.

Hi any help how to retrieve, I am new to coding, will u please help with entire code example.

Create a hyperlink from a SharePoint 2013 List (URL/Link column) to a OneNote notebook (on a different SharePoint server)

$
0
0

Hello,

i need a Hyperlink column in a SharePoint 2013 custom list, which is linking to a OneNote Notebook. The OneNote itself is NOT inside the SharePoint 2013 Website documents Folder, but is hosted on a different SharePoint Server.

So i create the "Hyperlink or Picture" column. When i want to insert an element into this list, I get the link to a specific page in OneNote, which looks something like this:

onenote:http://servername-xyz/One%20Note/Projekte.one#20140912MMU01&section-id={7756543C-A1F6-4C14-8860-925755C807AB}&page-id={2BE84121-FE5B-4F34-972A-8E5CBC44ACAA}&object-id={EB340924-08E7-4BCB-9A12-B37342BAB8A0}&D2

When i paste the link into the column and try to save the list element, i get a red error line telling me that it's an invalid URL ("Ungültiger URL: OneNote" in german).

When i remove the leading "onenote:" from the URL, it seems to work and also I can save the list element. But as this list works with many OneNote-URL, it would be very useful, if the URL works out-of-the-box, how OneNote produce the URL to me...without manually changing the URL every time.

What i already tried to do, is to add the protocol "onenote:" (and also "onenote:http:" and "onenote:http://") to the list of allowed Hyperlink protocols by changing the core.js file inside the folder:

C:\Program Files\Common Files\microsoft shared\Web Server Extensions\15\TEMPLATE\LAYOUTS\INC

There is a line which holds the allowed protocols for hyperlinks and i changed it to:

Hyperlink.arrAllowedProtocols=["http://","https://","file://","file:\\\\","ftp://","mailto:","msn:","news:","nntp:","pnm://","mms://","outlook:","onenote:http:","onenote:","onenote:http://"]

But it doesn't changed anything in the behavior. Still i am not able to save the element with this URL inside the Hyperlink column.

Why isn't it possible to link to a OneNote page from a Hyperlink column out of the box a fresh SharePoint Installation, as both products (SharePoint and OneNote) are from MS and as both are supposed to work together?

Any ideas?

I've an error while upgrading my sharepoint database with psconfig.exe

$
0
0

I use the following command in order to upgrade my databases:

PSConfig.exe -cmd upgrade -inplace b2b -force -cmd applicationcontent -install -cmd installfeatures

For the WSS_Content Database the command works fine. At step 2 the command crashes with the following error:

System.Data.SqlClient.SqlException (0x80131904): Login failed for User 'sp_sqladm'

The EventViewer shows the following error:

Sorry for a german error message. It means: "Error during the SQL-Database Login for 'SharePoint_Config' for the instance 10.50.10.11. Login failed for the user 'sp_sqladm'.

The user sp_sqladm has rights on the SharePoint_Config-Database:  dbowner

I also checked if the Password and the user still working. There is no problem connecting to the database using Management Studio . The SharePoint works also fine, but states an upgrade is needed.

thanks for any help. I have no more ideas at the moment.


My Site not working

$
0
0

Hi,

Just upgrade from SP 2010 to SP 2013.

Users are facing problems while opening the my site, the error is given below,

Guidance is required to solve the problem.

Thanks

Nasir

SharePoint domain migration

$
0
0
I have Ad migrating from domain A to Domain B. AS per AD team SID will remain same. Do I need to migrate my SharePoint users using below commands 
Move-SPUser -Identity domain\olduser -NewAliasdomain\newuser -IgnoreSID
 

Please remember to mark the replies as answers or vote as helpful if they help.

File / Folder permissions in Sharepoint 2013

$
0
0

We do have one standard document Library for specific department.

we need to share one folder or file with a user outside the department for the specific file or folder only with without the ability of viewing the other available item.

How to do this in an automated way??


hussain

Unable to Create My Sites in Sharepoint 2013

$
0
0

Hi all 

I am getting the following error when i am creating mysites.

After digging into ULS viewer i found the following error log:

MBUtilities.UserProfileFeedIdentifier Exception:[System.IO.FileNotFoundException: http://psh311:5555/Lists/PublishedFeed ---> System.IO.FileNotFoundException: The system cannot find the file specified. (Exception from HRESULT: 0x80070002)    
 at Microsoft.SharePoint.Library.SPRequestInternalClass.GetMetadataForUrl(String bstrUrl, Int32 METADATAFLAGS, Guid& pgListId, Int32& plItemId, Int32& plType, Object& pvarFileOrFolder)    
 at Microsoft.SharePoint.Library.SPRequest.GetMetadataForUrl(String bstrUrl, Int32 METADATAFLAGS, Guid& pgListId, Int32& plItemId, Int32& plType, Object& pvarFileOrFolder)    
 at Microsoft.SharePoint.SPWeb.GetList(String strUrl)    
 at Microsoft.Office.Server.Microfeed.MBUtilities.GetPublishedFeedListPrivate(SPWeb web, String relativeUrl)   
 at Microsoft.Office.Server.Microfeed.MBUtilities.GetPublishedFeedListPrivate(SPWeb web, String relativeUrl)   
 at Microsoft.Office.Server.Microfeed.MBUtilities.UserProfileFeedIdentifier(SPWeb web, Guid partitionID)]

Can  any one please help me .

Thanks 

H

From Central Admin - Creating new Site Collection takes 15 minutes (Yes 15 minutes) - which suspects should I check for this poor performance?

$
0
0

Hi there

From Central Admin - Creating new Site Collection takes 15 minutes (Yes 15 minutes) - which suspects should I check for this poor performance?

Server memory utilization is under 35% and there does not look like a resource issue.

Thanks.

Viewing all 21070 articles
Browse latest View live