Monday, January 25, 2016

Parsing SPAuditEntry.EventData

SPAuditEntry contains information about an audited event that is connected to a site collection, site, folder, list, or list item. It provides detailed information about event in EventData property. EventData return XML which is not readable for business users. It contains GUID's.  You can see the detail information about event type and value @ https://msdn.microsoft.com/EN-US/library/office/microsoft.sharepoint.spauditentry.eventdata.aspx

I was working on custom report where EventData needs to be updated with readable data. Following is the method I created to parse the event data.


private string ParseEventData(SPWeb web, SPAuditEntry auditEntry, out string eventName)
{
    XmlDocument xmlEventData = new XmlDocument();
    xmlEventData.LoadXml(string.Format("<EventData>{0}</EventData>", auditEntry.EventData));

    string eventData = "";
    eventName = "";
    try
    {
        int userId;
        int groupId;
        string groupName;
        SPUser user;
        SPGroup group;
        string url;
        string permissionName;
        SPBasePermissions permissions;

        switch (auditEntry.Event)
        {
            case SPAuditEventType.SecGroupCreate:
                groupName = xmlEventData.DocumentElement.SelectSingleNode("/EventData/title").InnerText;
                userId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/user").InnerText);
                user = web.AllUsers.GetByID(userId);

                eventData = string.Format("Group created with name {0} by {1}", groupName, user.Name);
                eventName = "Creation of a user group for a SharePoint site collection";
                break;
            case SPAuditEventType.SecGroupDelete:
                groupId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/groupid").InnerText);
                eventData = string.Format("Group deleted with ID {0}", groupId);
                eventName = "Deletion of a group that is associated with a SharePoint site collection.";
                break;
            case SPAuditEventType.SecGroupMemberAdd:
                if (eventData.Contains("<siteadmin"))
                {
                    groupName = "Site Collection Administrator";
                    userId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/user").InnerText);
                }
                else
                {
                    groupId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/groupid").InnerText);
                    group = web.Groups.GetByID(groupId);
                    groupName = group.Name;
                    userId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/userid").InnerText);
                }

                user = web.AllUsers.GetByID(userId);
                eventData = string.Format("Added {0} to the group {1}", user.Name, groupName);
                eventName = "Addition of a new member to a group that is associated with a SharePoint site collection";
                break;
            case SPAuditEventType.SecGroupMemberDel:

                if (eventData.Contains("<siteadmin"))
                {
                    groupName = "Site Collection Administrator";
                }
                else
                {
                    groupId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/groupid").InnerText);
                    group = web.Groups.GetByID(groupId);
                    groupName = group.Name;
                }
                userId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/user").InnerText);
                user = web.AllUsers.GetByID(userId);
                eventData = string.Format("Removed {0} from group {1}", user.Name, groupName);
                eventName = "Deletion of a member from a group that is associated with a SharePoint site collection";
                break;
            case SPAuditEventType.SecRoleBindBreakInherit:
                url = xmlEventData.DocumentElement.SelectSingleNode("/EventData/url").InnerText;
                eventData = string.Format("Inheritance is break for : {0}", url);
                eventName = "Turning off inheritance of role (that is, permission level) definitions from the parent of the object.";
                break;
            case SPAuditEventType.SecRoleBindInherit:
                url = xmlEventData.DocumentElement.SelectSingleNode("/EventData/url").InnerText;
                eventData = string.Format("Set Inheritance permission level for subsite : {0}", url);
                eventName = "Turning on inheritance of security settings from the parent of the object.";
                break;
            case SPAuditEventType.SecRoleBindUpdate:
                int principalId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/principalid").InnerText);

                var eventRoleName = "";
                try
                {
                    int roleId = Convert.ToInt32(xmlEventData.DocumentElement.SelectSingleNode("/EventData/roleid").InnerText);
                    if (roleId != -1)
                    {
                        SPRoleDefinition eventRole = web.RoleDefinitions.GetById(roleId);
                        eventRoleName = eventRole.Name;
                    }
                }
                catch { }
                string operation = xmlEventData.DocumentElement.SelectSingleNode("/EventData/operation").InnerText.Replace("ensure", "");

                try
                {
                    SPUser eventUser = web.SiteUsers.GetByID(principalId);
                    eventData = operation.Trim() + " " + eventRoleName + " permissions for " + (eventUser.Name.Length > 0 ? eventUser.Name : eventUser.LoginName);
                }
                catch
                {
                    SPGroup eventGroup = web.Groups.GetByID(principalId);
                    eventData = string.Format("{0} {1} permissions for {2}", operation.Trim(), eventRoleName, (eventGroup.Name.Length > 0 ? eventGroup.Name : eventGroup.LoginName));

                }
                eventName = "Changing the permissions of a user or group for the object";
                break;
            case SPAuditEventType.SecRoleDefCreate:
                permissionName = xmlEventData.DocumentElement.SelectSingleNode("/EventData/name").InnerText;
                permissions = (SPBasePermissions)Enum.Parse(typeof(SPBasePermissions), xmlEventData.DocumentElement.SelectSingleNode("/EventData/perm").InnerText);
                eventData = string.Format("{0} permission level created with permissions : {1}", permissionName, permissions);
                eventName = "Creation of a new role (that is, permission level) definition associated with the object";
                break;
            case SPAuditEventType.SecRoleDefModify:
                permissionName = xmlEventData.DocumentElement.SelectSingleNode("/EventData/name").InnerText;
                permissions = (SPBasePermissions)Enum.Parse(typeof(SPBasePermissions), xmlEventData.DocumentElement.SelectSingleNode("/EventData/perm").InnerText);
                eventData = string.Format("{0} permission level updated with permissions : {1}", permissionName, permissions);
                eventName = "Changing a role (that is, permission level) definition associated with an object";
                break;
            case SPAuditEventType.SecRoleDefDelete:
                int permLevel = int.Parse(xmlEventData.DocumentElement.SelectSingleNode("/EventData/id").InnerText);
                eventData = string.Format("Permission Level Delete with ID {0}", permLevel);
                eventName = "Changing a role (that is, permission level) definition associated with an object";
                break;
            default:
                eventName = "";
                break;
        }

    }
    catch
    {
        eventData = auditEntry.EventData;
        eventName = auditEntry.Event.ToString();
    }
    return eventData;
}


Above parsing method works with most of the scenarios. Feel free to add other scenarios in the comment section. I hope this will be useful for someone.

Thursday, July 30, 2015

Using T4 Text Templates In SharePoint To Get Lists & Columns Name

T4 text template is mixture of text block and control logic that can generate the file in Visual Studio. First time I noticed text templates when I was working with Entity Framework. T4 text template is one of the best hidden feature of Visual Studio.  It can help you to generate the file on the fly and automate the task. You can even generate the .net classes. You can get more details about T4 text templates here.

As a developer you need SharePoint column internal names while writing code for various operations. You can get the internal name for a column by browsing to the List Settings > Edit Columns. Column internal name is encoded as querystring "Field" in URL. For example:

/_layouts/15/FldEdit.aspx?List=%7B004B80BD-040C-4B68-8C86-F140F2C4F373%7D&Field=StartDate

I wanted to generated C# utility class using T4 text template which contains Web, Lists and columns related information. Following is the template I use to get Web, Lists and Columns related information while SharePoint development:

<#@ template language="C#" #>
<#@ output extension="cs" #>
<#@ Assembly Name="System.Core" #>
<#@ Assembly Name="Microsoft.SharePoint.Client" #>
<#@ Assembly Name="Microsoft.SharePoint.Client.Runtime" #>
<#@ Import Namespace="Microsoft.SharePoint.Client" #>
<#@ Import Namespace="System.Text" #>
<#@ Import Namespace="System.Text.RegularExpressions" #>
//------------------------------------------------------------------------------
// <auto-generated>
//    This code was generated from a template.
//
//    Manual changes to this file may cause unexpected behavior in your application.
//    Manual changes to this file will be overwritten if the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------

using System;
using Microsoft.SharePoint.Client;
using System.Text;

namespace Custom.SharePoint
{
    /// <summary>
    /// Custom class like SharePoint SPBuiltinFieldId with you own columns
    /// </summary>
    public static partial class Constants
    {
<#
    string siteUrl = "http://Sharepoint:1111";

    ClientContext clientContext = new ClientContext(siteUrl);
    Web oWebsite = clientContext.Web;
    ListCollection collList = oWebsite.Lists;
   
    clientContext.Load(oWebsite);
    clientContext.Load(collList);
    clientContext.ExecuteQuery();
#>
        /// <summary>
     /// <para>Title : <#= oWebsite.Title #></para>
     /// </summary>
     public static string WebTitle = "<#= oWebsite.Title #>";

     /// <summary>
     /// <para>Id : <#= oWebsite.Id.ToString() #></para>
     /// </summary>
     public static Guid WebId = new Guid("<#= oWebsite.Id.ToString() #>");

     /// <summary>
     /// <para>Url : "<#= oWebsite.Url #>" </para>
     /// </summary>
     public static string WebUrl = "<#= oWebsite.Url #>";
<#

    foreach (List oList in collList)
    {
        if(!oList.Hidden)
        {
            var listName = Regex.Replace(oList.Title, "[^a-zA-Z0-9_.]+", "", RegexOptions.Compiled);
            clientContext.Load(oList.RootFolder);
            clientContext.ExecuteQuery();
#>
  /// <summary>
  /// <para>ID : <#= oList.Id.ToString() #></para>
  /// <para>Type : <#= oList.BaseType #> </para>
  /// <para>Title : <#= oList.Title #></para>
        /// <para>Url : "<#= oWebsite.Url #><#= oList.RootFolder.ServerRelativeUrl #>" </para>
  /// </summary>
  public class <#= listName #>
  {
   /// <summary>
   /// <para>Title : <#= oList.Title #></para>
   /// </summary>
   public static string Title = "<#= oList.Title #>";

   /// <summary>
   /// <para>Id : <#= oList.Id.ToString() #></para>
   /// </summary>
   public static Guid Id = new Guid("<#= oList.Id.ToString() #>");

   /// <summary>
   /// <para>ServerRelativeUrl : "<#= oList.RootFolder.ServerRelativeUrl #>" </para>
   /// </summary>
   public static string ServerRelativeUrl = "<#= oList.RootFolder.ServerRelativeUrl #>";

   /// <summary>
   /// <para>Url : "<#= oWebsite.Url #><#= oList.RootFolder.ServerRelativeUrl #>" </para>
   /// </summary>
   public static string Url = "<#= oWebsite.Url #><#= oList.RootFolder.ServerRelativeUrl #>";

<# 
            FieldCollection fields = oList.Fields;
            clientContext.Load(fields);
            clientContext.ExecuteQuery();
#>
   public class Fields
   {
<#
            foreach (Field field in fields)
            {
                if (!field.FromBaseType)
                {
#>
    /// <summary>
    /// <para>Title : <#= field.Title #></para>
    /// <para>InternalName : <#= field.InternalName #></para>
    /// <para>Id : <#= field.Id.ToString() #></para>
                /// <para>Type : <#= field.TypeAsString #></para>
    /// </summary>
    public static Guid _<#= field.InternalName #> = new Guid("<#= field.Id.ToString() #>");

<#
                }
            }
#>
      }
     }
<#
        }
    }
#>
    }
}


Above template generates the following class:

//------------------------------------------------------------------------------
// <auto-generated>
//    This code was generated from a template.
//
//    Manual changes to this file may cause unexpected behavior in your application.
//    Manual changes to this file will be overwritten if the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------

using System;
using Microsoft.SharePoint.Client;
using System.Text;

namespace Custom.SharePoint
{
    /// <summary>
    /// Custom class like SharePoint SPBuiltinFieldId with you own columns
    /// </summary>
    public static partial class Constants
    {
        /// <summary>
        /// <para>Title : HemantTest</para>
        /// </summary>
        public static string WebTitle = "Web Title";

        /// <summary>
        /// <para>Id : e8ee6e88-45d2-41f7-b234-f68602fc2f31</para>
        /// </summary>
        public static Guid WebId = new Guid("e8ee6e88-45d2-41f7-b234-f68602fc2f31");

        /// <summary>
        /// <para>Url : "http://Sharepoint:1111" </para>
        /// </summary>

        public static string WebUrl = "http://Sharepoint:1111";
....
/// <summary> /// <para>ID : 0aa3da1b-b1a4-42b6-9136-008f0d462b80</para> /// <para>Type : GenericList </para> /// <para>Title : TestList</para> /// <para>Url : "http://Sharepoint:1111/Lists/TestList" </para> /// </summary> public class TestList { /// <summary> /// <para>Title : TestList</para> /// </summary> public static string Title = "TestList"; /// <summary> /// <para>Id : 0aa3da1b-b1a4-42b6-9136-008f0d462b80</para> /// </summary> public static Guid Id = new Guid("0aa3da1b-b1a4-42b6-9136-008f0d462b80"); /// <summary> /// <para>ServerRelativeUrl : "/Lists/TestList" </para> /// </summary> public static string ServerRelativeUrl = "/Lists/TestList"; /// <summary> /// <para>Url : "http://Sharepoint:1111/Lists/TestList" </para> /// </summary> public static string Url = "http://Sharepoint:1111/Lists/TestList"; public class Fields { /// <summary> /// <para>Title : Field_SingleLineText</para> /// <para>InternalName : Field_SingleLineText</para> /// <para>Id : 386a0aff-9acb-4e86-a619-b56fdfc8124d</para> /// <para>Type : Text</para> /// </summary> public static Guid _Field_SingleLineText = new Guid("386a0aff-9acb-4e86-a619-b56fdfc8124d"); /// <summary> /// <para>Title : Field_MultiLineText</para> /// <para>InternalName : Field_MultiLineText</para> /// <para>Id : 497e52a5-e87b-46c3-857e-b15effc46659</para> /// <para>Type : Note</para> /// </summary> public static Guid _Field_MultiLineText = new Guid("497e52a5-e87b-46c3-857e-b15effc46659"); .... /// <summary> /// <para>Title : Taxonomy Catch All Column</para> /// <para>InternalName : TaxCatchAll</para> /// <para>Id : f3b0adf9-c1a2-4b02-920d-943fba4b3611</para> /// <para>Type : LookupMulti</para> /// </summary> public static Guid _TaxCatchAll = new Guid("f3b0adf9-c1a2-4b02-920d-943fba4b3611"); } } } }

Now you can using intellisense to get List, Column Id .







Simply add "SharePointObjects.tt" file to your project in Visual Studio. Update the Site url and save. It will generate the C# class.

Tuesday, May 5, 2015

CAML Queries For SharePoint Fields


Collaborative Application Markup Language (CAML) is an XML based markup language to define queries against list data. You can use CAML query to get the filtered, grouped or sorted data from SharePoint list.  CAML query can be used to retrieve SharePoint data in SharePoint object model, Web Service as well as PowerShell.
Following is the basic structure of CAML query:

<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" />
<Value Type="DataType">Value</Value>
</Eq>
</Where>
<GroupBy>
<FieldRef Name="FieldName" />
<FieldRef Name="FieldName" />
</GroupBy>
<OrderBy>
<FieldRef Name="FieldName" Ascending="TRUE"></FieldRef>
<FieldRef Name="FieldName" Ascending="FALSE"></FieldRef>
</OrderBy>
</Query>

Followings are the operators to use under Where element:

Logical Operators

And Or are the logical operators you can use to filter the data on multiple fields.

Comparison Operators


Operator Meaning
Eq = (Equal To)
Neq <> (Not Equal To)
Lt < (Less Than)
Gt > (Greater Than)
Geq >= (Greater Than Or Equal To)
Leq <= (Less Than Or Equal To)
Contains Like
IsNull Null
IsNotNull Not Null
BeginsWith Beginning with the word
DateRangesOverlap Compare the dates in a recurring event with a specified
DateTime value, to determine whether they overlap


Order/Group Operators


Operator Meaning
OrderBy Specify the sort order. Query can be sort by multiple fields.
GroupBy Specify the grouping for data. Data can be group by multiple fields

Followings are few snippets of CAML query to filter on the different types of fields in SharePoint. 

Text, Choice, Number, Currency, Boolean


Replace the DataType in the query. Followings are the datatypes:
DataType Field
Text Single line of text
Choice Choice field (menu to choose from)
Number Number field (1, 1.0, 100)
Currency Currency field ($, ¥, €)
Boolean Yes/No field (check box)
1 = Yes
0 = No

<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" />
<Value Type="DATA_TYPE">Value</Value>
</Eq>
</Where>
</Query>
view raw CAML_Fields.xml hosted with ❤ by GitHub
SPQuery query = new SPQuery
{
Query = string.Format(@"<Where>
<Eq>
<FieldRef Name='{0}' />
<Value Type='DATA_TYPE'>{1}</Value>
</Eq>
</Where>", "FieldName", "Value"),
RowLimit = 10,
ViewFields = string.Concat("<FieldRef Name='FieldName' />",
"<FieldRef Name='FieldName' />")
};

Date and Time


DateTime datatype can be used with multiple options. It can work with provided Date/DateTime or time part Today
<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" />
<Value Type="DateTime" IncludeTimeValue='FALSE'>2001-01-01</Value>
</Eq>
</Where>
</Query>
SPQuery query = new SPQuery
{
Query = string.Format(@"<Where>
<Eq>
<FieldRef Name='{0}' />
<Value Type='DateTime' IncludeTimeValue='FALSE'>{1}</Value>
</Eq>
</Where>", "FieldName", SPUtility.CreateISO8601DateTimeFromSystemDateTime(DateTime.Now)),
RowLimit = 10,
ViewFields = string.Concat("<FieldRef Name='FieldName' />",
"<FieldRef Name='FieldName' />")
};

Using Today


<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" />
<Value Type="DateTime" IncludeTimeValue="FALSE">
<Today OffsetDays="-7" />
</Value>
</Eq>
</Where>
</Query>

Lookup



<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" LookupId="TRUE" />
<Value Type="Lookup">1</Value>
</Eq>
</Where>
</Query>
view raw CAML_Lookup.xml hosted with ❤ by GitHub
SPQuery query = new SPQuery
{
Query = string.Format(@"<Where>
<Eq>
<FieldRef Name='{0}' LookupId='TRUE' />
<Value Type='Lookup'>{1}</Value>
</Eq>
</Where>", "FieldName", "Value"),
RowLimit = 1,
ViewFields = string.Concat("<FieldRef Name='FieldName' />",
"<FieldRef Name='FieldName' />")
};

Person


By ID

<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" LookupId="TRUE" />
<Value Type="Integer">1</Value>
</Eq>
</Where>
</Query>
SPQuery query = new SPQuery
{
Query = string.Format(@"<Where>
<Eq>
<FieldRef Name='{0}' LookupId='TRUE' />
<Value Type='Integer'>{1}</Value>
</Eq>
</Where>", "FieldName", "1"),
RowLimit = 10,
ViewFields = string.Concat("<FieldRef Name='FieldName' />",
"<FieldRef Name='FieldName' />")
};

By Name

<Query>
<Where>
<Eq>
<FieldRef Name="FieldName" />
<Value Type="User">Doe, John</Value>
</Eq>
</Where>
</Query>
SPQuery query = new SPQuery
{
Query = string.Format(@"<Where>
<Eq>
<FieldRef Name='{0}' />
<Value Type='User'>{1}</Value>
</Eq>
</Where>", "FieldName", "Doe, John"),
RowLimit = 10,
ViewFields = string.Concat("<FieldRef Name='FieldName' />",
"<FieldRef Name='FieldName' />")
};


Taxonomy


<Query>
<Where>
<Eq>
<FieldRef Name="FieldName"/>
<Value Type="Text">Value</Value>
</Eq>
</Where>
</Query>
SPQuery query = new SPQuery
{
Query = string.Format(@"<Where>
<Eq>
<FieldRef Name='{0}'/>
<Value Type='Text'>{1}</Value>
</Eq>
</Where>", "FieldName", "Value"),
RowLimit = 10,
ViewFields = string.Concat("<FieldRef Name='FieldName' />",
"<FieldRef Name='FieldName' />")
};


Thursday, April 23, 2015

Preserve properties after overriding document

The value from SharePoint columns for Office documents is actually stored in the document. When user updates the column values in the SharePoint document library(Edit Form), the values are updated in document itself. Columns included in the content type are represented as properties in the content type schema stored in the document. They are identified in the document Management node of the properties element in the schema. These document properties map to document library columns, represented by Field elements in the content type definition stored in the document library.

When user overrides document with different properties in SharePoint document library then it overwrites the current values.  Following are the ways to preserve the old column values:


  • Checkout and update document content
    Checkout the document and open it from SharePoint. Update the document content with new data and check in.
  • Edit document and update the properties
    You can open the document in Client(Word, Excel etc) and update the the properties. After that upload the document to SharePoint.


SharePoint does not provide any event to check if document is overrode. One of my client wanted to preserve the old values after override the document. I came up with following code to preserve the values. Its not full proof. It only works with new document for which properties are not set or the document is not uploaded to SharePoint previously. Same time Title field should be mandatory field. This code fires on ItemUpdated list item event. Following is the code:

/// <summary>
/// An item is being updated.
/// </summary>
public override void ItemUpdated(SPItemEventProperties properties)
{
base.ItemUpdated(properties);
// Get Current ListItem
SPListItem item = properties.ListItem;
// Check if Title is Null Or Empty.
// Title will be empty in case user is uploading the new document without any property. Same time Title field should be mandatory field.
if (string.IsNullOrEmpty(item.Title))
{
// Get Before Properties
var beforeProperties = properties.BeforeProperties;
// Loop and update all the properties
foreach (System.Collections.DictionaryEntry prop in beforeProperties)
{
try
{
if (prop.Key.ToString().Equals("vti_title"))
{
item["Title"] = beforeProperties[prop.Key.ToString()];
}
if (item.Fields.ContainsField(prop.Key.ToString()))
{
var field = item.Fields.GetField(prop.Key.ToString());
// Check if it is valid property
if (item.Fields.ContainsField(prop.Key.ToString()) && !field.ReadOnlyField && !field.Sealed)
{
item[prop.Key.ToString()] = beforeProperties[prop.Key.ToString()];
}
}
}
catch
{ }
}
// Update the ListItem
EventFiringEnabled = false;
item.SystemUpdate();
EventFiringEnabled = true;
}
}

Above code helped me to preserve the properties in case user is uploading new document without setting properties. I hope this will help someone. Add comment if anyone knows other workaround.

Some useful JavaScript methods and objects in Sharepoint

SharePoint provides some useful methods and objects in JavaScript. Followings are some methods and objects which I use frequently in my client side code:

SP.ScriptUtility

SP.ScriptUtility provides methods and an emptyString field. It contains following methods:


  • isNullOrEmptyString - Checks if the specified text is null, an empty string or undefined
  • isNullOrUndefined - Checks if the specified object is null or undefined.
  • isUndefined - Checks if the specified object is undefined.
  • truncateToInt - Returns largest integer value that is less than or equal to the specified number if the number is greater than 0 else returns the smallest integer value that is greater than or equal to the number.

SP.Guid

SP.Guid.newGuid().toString() return new guid.

_spPageContextInfo

_spPageContextInfo provides following properties:
  • pageListId - Get Current List Guid
  • pageItemId - Get id for current item. 
  • serverRequestPath - Get current server requested relative path. 
  • siteAbsoluteUrl - Get current site absolute URL
  • siteServerRelativeUrl - Get current site relative url
  • userId - Get current user ID
  • webTitle - Get current web Title
  • webAbsoluteUrl - Get current web absolute Url
  • webServerRelativeUrl - Get web server relative url. For exmaple "/teams/SITE_NAME"

escapeProperly(str)

escapeProperly function returns the encoded value for provided string.

var encodedString = escapeProperly("SharePoint 2013 & JavaScript"); // Returns "SharePoint%202013%20%26%20JavaScript"

unescapeProperly(str)

unescapeProperly function returns decoded string for provided encoded string.

var decodedString = unescapeProperly("SharePoint%202013%20%26%20JavaScript"); // Returns "SharePoint 2013 & JavaScript"

Cookies

GetCookie(str)

GetCookie function returns the value for the cookie. It returns null in case cookie is not available.

DeleteCookie(str)

DeleteCookie function remove the cookie by setting expiry to minimum DateTime. 

SetCookie(str, str)

SetCookie function adds session cookie. But this is not very useful function as it adds value as true or false.  Its only useful if you want to set a flag. Second parameter is optional. If you pass second parameter then value of cookie will be "true" else its "false".

JSRequest

You can use JSRequest object to get the FileName, PathName and QueryString. To use the JSRequest object, you must initialize it using EnsureSetup method.

// Initialize JSRequest
JSRequest.EnsureSetup();
var fileName = JSRequest.FileName; // Returns the webpage file name. For example "default.aspx"
var pagePath = JSRequest.PathName; // Returns the relative path. For example "/Sites/SITE_NAME/default.aspx"
var querystringValue = JSRequest.QueryString["QUERYSTRING_NAME"]; // Returns the querystring value if exists else returns undefined
view raw JSRequest.js hosted with ❤ by GitHub

String.format(str, arguments)

You can apply formatting to string using format method.

var stringValue = String.format("{0} and {1} is fun", "SharePoint", "JavaScript"); // Returns "SharePoint and JavaScript is fun"
view raw format.js hosted with ❤ by GitHub

GetUrlKeyValue

GetUrlKeyValue is very useful function when you want to get the querystring values. It can return the querystring value from current url or provided url. Followings are the ways you can use GetURLKeyValue method:

GetUrlKeyValue(str)

It will return the querystring value for provided parameter name from current url. 

GetUrlKeyValue(str, bool)

It will return the encoded or decoded querystring value for provided parameter name from current url on the basis of second parameter. 

GetUrlKeyValue(str, bool, str)

It will return the encoded or decoded querystring value for provided parameter name from given url.

// For example current Url = http://MYWEBAPPLICATION/sites/MYSITE/default.aspx?Param1=SharePoint%20%26%20JavaScript&Param2=100
var qs1 = GetUrlKeyValue("Param2"); // Returns "100"
var qs2 = GetUrlKeyValue("Param1"); // Returns "SharePoint & JavaScript"
var qs3 = GetUrlKeyValue("Param1", true); // Returns "SharePoint%20%26%20JavaScript"
var qs3 = GetUrlKeyValue("Param1", false); // Returns "SharePoint & JavaScript"
var qs4 = GetUrlKeyValue("q", true, "http://www.google.com?q=SharePoint%20%26%20JavaScript"); // Returns "SharePoint%20%26%20JavaScript"
var qs4 = GetUrlKeyValue("q", false, "http://www.google.com?q=SharePoint%20%26%20JavaScript"); // Returns "SharePoint & JavaScript"

STSHtmlEncode(str)

STSHtmlEncode function ecodes the provided HTML string.

var encodedHtml = STSHtmlEncode("<div>This is HTML</div>"); // Returns "&lt;div&gt;This is HTML&lt;/div&gt;"

STSHtmlDecode(str)

STSHtmlDecode function decodes the provided string into HTML.

val decodedHtml = STSHtmlDecode("&lt;div&gt;This is HTML&lt;/div&gt;"); // Returns "<div>This is HTML</div>"

Wednesday, April 15, 2015

Creating SharePoint Columns Programatically Using C#

As a SharePoint developer you can use SharePoint API to create columns programmatically in Lists or Document Libraries. You can set the different properties for the column. Followings are few snippets to create SharePoint column programmatically using C#.

Single line of text

Represents a column that contains a single line of text.

private void AddTextField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Text, false);
// Get Field
SPFieldText textField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldText;
// Set other properties
textField.Description = "Text Field Description";
// Update field
textField.Update();
}
view raw TextField.cs hosted with ❤ by GitHub

Multiple lines of text

Represents a column that contains a multiple line of text.

private void AddMultiLineTextField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Note, false);
// Get Field
SPFieldMultiLineText multiLinetextField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldMultiLineText;
// Set other properties
multiLinetextField.Description = "Multiline Text Field Description";
multiLinetextField.NumberOfLines = 10;
// Update field
multiLinetextField.Update();
}

Choice (menu to choose from)

Represents a column that contains choices. It can be single select or multiple select. For single select Choice field renders Dropdown list or Radio button list and for multiple select it renders Checkbox list.

private void AddChoiceField(SPList list)
{
string fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Choice, false);
// Get field
SPFieldChoice choiceField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldChoice;
// Add options
string[] options = { "Enter Choice #1", "Enter Choice #2", "Enter Choice #3" };
choiceField.Choices.AddRange(options);
// By Default it will be dropdown list
// If multi choice Checkbox list.
choiceField.Type = SPFieldType.MultiChoice;
// Set other properties
choiceField.Description = "Choice Field Description";
choiceField.DefaultValue = "Enter Choice #1";
// Update field
choiceField.Update();
}
view raw ChoiceField.cs hosted with ❤ by GitHub

Number (1, 1.0, 100)

Represents a column that contains numbers. You can use DisplayFormat property to set the allowed number of decimal.

private void AddNumberField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Number, false);
// Get field
SPFieldNumber numberField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldNumber;
// Set other properties
numberField.Description = "Number Field Description";
numberField.DisplayFormat = SPNumberFormatTypes.NoDecimal;
// Update field
numberField.Update();
}
view raw NumberField.cs hosted with ❤ by GitHub

Currency ($, ¥, €)

Represents a column that contains currency. You can use DisplayFormat property to set the allowed number of decimal. You can use CurrencyLocaleId property to set the currency symbol. You can find full list of Locale Ids here

private void AddCurrencyField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Currency, false);
// Get field
SPFieldCurrency currencyField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldCurrency;
// Set other properties
currencyField.Description = "Currency Field Description";
currencyField.DisplayFormat = SPNumberFormatTypes.TwoDecimals;
currencyField.CurrencyLocaleId = 1033; // United States
// Update field
currencyField.Update();
}

Date and Time

Represents a column that contains a DateTime value. You can use DisplayFormat property to set the date format.

private void AddDateTimeField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.DateTime, false);
// Get field
SPFieldDateTime dateTimeField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldDateTime;
// Set other properties
dateTimeField.Description = "DateTime Field Description";
dateTimeField.DisplayFormat = SPDateTimeFieldFormatType.DateOnly;
dateTimeField.DefaultValue = "[Today]";
// Update field
dateTimeField.Update();
}

Lookup (information already on this site)

Represents a column that contains a information from other List/Document Library from current site.

private void AddLookupField(SPList lookupList, SPList list)
{
var lookupFieldName = "LookupFieldName";
var fieldName = "FieldName";
// Create field
var fieldInternalName = list.Fields.AddLookup(fieldName, lookupList.ID, true);
// Get field
SPFieldLookup lookupField = list.Fields[fieldInternalName] as SPFieldLookup;
// Set properties
lookupField.Description = "Lookup Field Description";
lookupField.LookupField = lookupList.Fields[lookupFieldName].InternalName;
// Update field
lookupField.Update();
}
view raw LookupField.cs hosted with ❤ by GitHub

Yes/No (check box)

Represents a column that contains Boolean value.

private void AddBooleanField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Boolean, false);
// Get field
SPFieldBoolean booleanField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldBoolean;
// Set other properties
booleanField.Description = "Boolean Field Description";
// Update field
booleanField.Update();
}
view raw BooleanField.cs hosted with ❤ by GitHub

Person or Group

Represents a column that contains a user or group information.

private void AddUserField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.User, false);
// Get field
SPFieldUser userField = new SPFieldUser(list.Fields, fieldInternalName);
// Set other properties
userField.Description = "User Field Description";
userField.AllowMultipleValues = false;
userField.SelectionMode = SPFieldUserSelectionMode.PeopleAndGroups;
userField.LookupField = "Title";
userField.Update();
// Update field
userField.Update();
}
view raw UserField.cs hosted with ❤ by GitHub

Hyperlink or Picture

Represents a column that contains a Url information. It can be Hyperlink or Picture Url.

private void AddUrlField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.URL, false);
// Get field
SPFieldUrl urlField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldUrl;
// Set other properties
urlField.Description = "Url Field Description";
// SPUrlFieldFormatType.Hyperlink or SPUrlFieldFormatType.Image
urlField.DisplayFormat = SPUrlFieldFormatType.Hyperlink;
// Update field
urlField.Update();
}
view raw UrlField.cs hosted with ❤ by GitHub

Calculated (calculation based on other columns)

Represents a column that contains a calculated value based on other columns.

private void AddCalculatedField(SPList list)
{
var fieldName = "FieldName";
// Create field
string fieldInternalName = list.Fields.Add(fieldName, SPFieldType.Calculated, false);
// Get field
SPFieldCalculated calculatedField = list.Fields.GetFieldByInternalName(fieldInternalName) as SPFieldCalculated;
// Set other properties
calculatedField.Description = "Calculated Field Description";
calculatedField.Formula = "=[Title]";
calculatedField.OutputType = SPFieldType.Text;
// Update field
calculatedField.Update();
}

Managed Metadata

Represents a column that contains information from Term Store.

private void AddTaxonomyField(SPSite site, SPList list)
{
var fieldName = "FieldName";
// Get TermSet
TaxonomySession taxonomySession = new TaxonomySession(site);
TermStore termStore = taxonomySession.TermStores["MANAGED_METADATA_SERVICE_NAME"];
Group group = termStore.Groups["GROUP_NAME"];
TermSet termset = group.TermSets["TERMSET_NAME"];
// Create field
TaxonomyField taxonomyField = list.Fields.CreateNewField("TaxonomyFieldType", "DISPLAY_NAME") as TaxonomyField;
taxonomyField.Description = "Managed Metadata Field Description";
taxonomyField.SspId = termStore.Id;
taxonomyField.TermSetId = termset.Id;
taxonomyField.AllowMultipleValues = false;
taxonomyField.Group = "GROUP_NAME";
list.Fields.Add(taxonomyField);
}

Tuesday, March 31, 2015

Processing message for long code operations in SharePoint

As a SharePoint Developer you may need to show spinning wheel or Processing sign while lengthy code operations. You have probably seen this while creating new web application or site collection in Central Administration. You may need to show the processing messages for server side or client side long operation code. Showing processing message improves the user experience. SharePoint provides some nice ways to show processing message while long running code operations.

Server side code


On Server side, if you are executing some code that takes longer to process then you can use SPLongOperation Class to show processing request message. SPLongOperation would require redirecting the user to the destination page. Destination page could be same page or confirmation page. Following is the sample code to get the processing message for server side code:

protected void Button_Click(object sender, EventArgs e)
{
string redirectUrl = SPContext.Current.Web.Url + "/OperationSuccessful.aspx";
// Long Operation
using (SPLongOperation objSPLongOperation = new SPLongOperation(this.Page))
{
// Custom Messages for long operation code
objSPLongOperation.LeadingHTML = "Processing...";
objSPLongOperation.TrailingHTML = "Waiting for a background operation to finish.";
// Long operation begins
objSPLongOperation.Begin();
// Code for long operation
// Call End method to redirect user when operation finished
objSPLongOperation.End(redirectUrl);
}
}
Once long code is executed, you can end the operation by calling End() method. If you are calling SPLongOperation in modal popup then call EndScript() method to close the current dialog box. For example:

objSPLongOperation.EndScript("SP.UI.ModalDialog.commonModalDialogClose(SP.UI.DialogResult.OK, 'Done!!!')");

Client side code


For client side long operations, SharePoint provides following options to show wait screen dialog:

SP.UI.ModalDialog.showWaitScreenSize(title, message, callbackFunc, height, width) Method

Displays a wait/loading modal dialog with the specified title, message, height and width. Height and width are defined in pixels. Cancel button is shown. If user clicks it, the callbackFunc is called.

SP.UI.ModalDialog.showWaitScreenWithNoClose(title, message, height, width) Method

Displays a wait/loading modal dialog with the specified title, message, height and width. Height and width are defined in pixels. Cancel/close button is not shown.
Following is the code example to show the wait dialog on client side:

var waitDialog;
function ShowWaitDailog()
{
waitDialog = SP.UI.ModalDialog.showWaitScreenWithNoClose('Processing...', 'Waiting for a background operation to finish.', 100, 300);
}
function HideWaitDialog()
{
waitDialog.close();
}
function DoSomething()
{
// Show processing dialog before long client side operation
ShowWaitDialog();
// Code for long operation
// Hide processing dialog
HideWaitDialog();
}