Module: Activities and contacts
5 of 9 Pages
Log custom activities from the server side
The next custom activity scenario we will explore is a Page like widget demonstrating server-side logging with C# code. You will implement a controller action that logs a custom activity, and a widget that posts to the controller.
Define a request model
Create a strongly-typed class to represent the data that the widget will post to the controller, to make working with the data easier. In this case, you only need information to identify which page was liked, and to retrieve the correct item, so the Id of the web page content item, and the name of the content type should suffice.
- Add a new folder named PageLike under TrainingGuides.Web/Features/Activities/Widgets.
- Create a class named PageLikeRequestModel.cs with a property to identify the web page item.
namespace TrainingGuides.Web.Features.Activities.Widgets.PageLike;
public class PageLikeRequestModel
{
public string WebPageItemID { get; set; } = string.Empty;
}
Expand the content item retriever service
You may have noticed that the content item query api requires a strongly typed mapping function in order to select the results of the query.
However, since you’re building a widget, you may not know the content type of the web page item that your widget is placed on.
In order to account for this, you need a way to retrieve a web page item by ID when you don’t necessarily know its content type. For this, you can use the IWebPageFieldsSource
interface that all generated web page content types implement.
- Go to the untyped
ContentItemRetrieverService
class in ContentItemRetrieverService.cs. - Create a method called
RetrieveWebPageById
, taking the Id of a web page and the name of a content type as parameters. - Use the ID to create a parameter action for the existing
RetrieveWebPages
method.C#ContentItemRetrieverService.cs... /// <summary> /// Retrieves the IWebPageFieldsSource of a web page item by Id. /// </summary> /// <param name="webPageItemId">the Id of the web page item</param> /// <returns><see cref="IWebPageFieldsSource"/> object containing generic <see cref="WebPageFields"/> for the item</returns> public async Task<IWebPageFieldsSource?> RetrieveWebPageById( int webPageItemId) { var pages = await RetrieveWebPages(parameters => { parameters.Where(where => where.WhereEquals(nameof(WebPageFields.WebPageItemID), webPageItemId)); }); return pages.FirstOrDefault(); } ...
Create the logging controller
The controller is central to the functionality of the Page like widget. It is where you must log the custom activity and account for any errors.
- Add a new controller named PageLikeController.cs to the ~/Features/Activities/Widgets/PageLike folder.
- Acquire an
ICustomActivityLogger
, anIContentItemRetrieverService
, and anICookieConsentService
through constructor injection. - Define a controller action with the
HttpPost
attribute to register it to the route ~/pagelike for POST requests. - Use the
CurrentContactCanBeTracked
method from earlier in this series to return a message if the visitor has not consented to tracking. - Validate the
WebPageItemID
from the providedPageLikeRequestModel
. - Use your
IContentItemRetrieverService
to retrieve the web page item specified by the supplied Id. - Use the page to construct a
CustomActivityData
object, including relevant information about the liked page in theActivityTitle
andActivityValue
, before logging the activity as described in the documentation. - Include an activity identifier constant, which will be stored in the view component created in a future step.
using CMS.Activities;
using Microsoft.AspNetCore.Mvc;
using TrainingGuides.Web.Features.DataProtection.Services;
using TrainingGuides.Web.Features.Shared.Services;
namespace TrainingGuides.Web.Features.Activities.Widgets.PageLike;
public class PageLikeController : Controller
{
private const string NO_TRACKING_MESSAGE = "<span>You have not consented to tracking, so we cannot save this page like.</span>";
private const string BAD_PAGE_DATA_MESSAGE = "<span>Error in page like data. Please try again later.</span>";
private const string THANK_YOU_MESSAGE = "<span>Thank you!</span>";
private readonly ICustomActivityLogger customActivityLogger;
private readonly IContentItemRetrieverService contentItemRetrieverService;
private readonly ICookieConsentService cookieConsentService;
public PageLikeController(
ICustomActivityLogger customActivityLogger,
IContentItemRetrieverService contentItemRetrieverService,
ICookieConsentService cookieConsentService)
{
this.customActivityLogger = customActivityLogger;
this.contentItemRetrieverService = contentItemRetrieverService;
this.cookieConsentService = cookieConsentService;
}
[HttpPost("/pagelike")]
public async Task<IActionResult> PageLike(PageLikeRequestModel requestModel)
{
if (!cookieConsentService.CurrentContactCanBeTracked())
return Content(NO_TRACKING_MESSAGE);
if (!int.TryParse(requestModel.WebPageItemID, out int webPageItemID))
return Content(BAD_PAGE_DATA_MESSAGE);
var webPage = await contentItemRetrieverService.RetrieveWebPageById(
webPageItemID);
if (webPage is null)
return Content(BAD_PAGE_DATA_MESSAGE);
string likedPageName = webPage.SystemFields.WebPageItemName;
string likedPageTreePath = webPage.SystemFields.WebPageItemTreePath;
string likedPageGuid = webPage.SystemFields.WebPageItemGUID.ToString();
var pageLikeActicityData = new CustomActivityData()
{
ActivityTitle = $"Page like - {likedPageTreePath} ({likedPageName})",
ActivityValue = likedPageGuid,
};
customActivityLogger.Log(PageLikeWidgetViewComponent.ACTIVITY_IDENTIFIER, pageLikeActicityData);
return Content(THANK_YOU_MESSAGE);
}
}
Add the widget view model
The Page like widget will have a relatively simple view model, considering its basic requirements.
- The widget needs to post the WebPageItemID to the controller action from the previous step.
- The widget should hide its button if the current visitor already liked the page in the past.
To meet both of these requirements, create a model with the Id and a boolean property to indicate whether or not the button should be displayed, as well as the base URL of the site, so the widget can construct the URL of the controller action.
namespace TrainingGuides.Web.Features.Activities.Widgets.PageLike;
public class PageLikeWidgetViewModel
{
public bool ShowLikeButton { get; set; }
public int WebPageItemID { get; set; }
public string BaseUrl { get; set; } = string.Empty;
}
Define the view component
The widget’s view component needs to populate the view model. It must retrieve the ID of the current web page item, and also determine whether or not the current visitor has already liked the page, in order to pass that information along to the widget.
Create a file called PageLikeWidgetViewComponent.cs in the TrainingGuides.Web/Features/Activities/Widgets/PageLike folder.
Use the
RegisterWidget
assembly attribute to register the widget, using a newly defined constant that holds the widget identifier.Add another constant to hold the identifier of the page like activity.
Acquire
IInfoProvider<ActivityInfo>
andIContentItemRetrieverService
objects with constructor injection.Define the
InvokeAsync
method, usingIInfoProvider<ActivityInfo>
to query for existing page-like activities of the current web page item by the current contact.Remember that in the controller, you stored the Guid of the current web page to the custom activity’s
ActivityValue
. You can use this field to look up likes of the current page.If no existing likes are found, set
ShowLikeButton
totrue
in a newPageLikeWidgetViewModel
instance.Use the
Page
property of the providedComponentViewModel
parameter to populate the remaining properties of thePageLikeWidgetViewModel
.Return the path to a view in the same folder, which will be added in the next section.
using CMS.Activities;
using CMS.ContactManagement;
using TrainingGuides.Web.Features.Activities.Widgets.PageLike;
using Kentico.PageBuilder.Web.Mvc;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.ViewComponents;
using TrainingGuides.Web.Features.Shared.Services;
using CMS.DataEngine;
[assembly: RegisterWidget(
identifier: PageLikeWidgetViewComponent.IDENTIFIER,
viewComponentType: typeof(PageLikeWidgetViewComponent),
name: "Page like button",
Description = "Displays a page like button.",
IconClass = "icon-check-circle")]
namespace TrainingGuides.Web.Features.Activities.Widgets.PageLike;
public class PageLikeWidgetViewComponent : ViewComponent
{
private readonly IInfoProvider<ActivityInfo> activityInfoProvider;
private readonly IContentItemRetrieverService contentItemRetrieverService;
private readonly IHttpRequestService httpRequestService;
public const string IDENTIFIER = "TrainingGuides.PageLikeWidget";
public const string ACTIVITY_IDENTIFIER = "pagelike";
public PageLikeWidgetViewComponent(IInfoProvider<ActivityInfo> activityInfoProvider,
IContentItemRetrieverService contentItemRetrieverService,
IHttpRequestService httpRequestService)
{
this.activityInfoProvider = activityInfoProvider;
this.contentItemRetrieverService = contentItemRetrieverService;
this.httpRequestService = httpRequestService;
}
public async Task<ViewViewComponentResult> InvokeAsync(ComponentViewModel properties)
{
var currentContact = ContactManagementContext.GetCurrentContact(false);
var webPage = await contentItemRetrieverService.RetrieveWebPageById(
properties.Page.WebPageItemID);
var likesOfThisPage = currentContact != null
? await activityInfoProvider.Get()
.WhereEquals("ActivityContactID", currentContact.ContactID)
.And().WhereEquals("ActivityType", ACTIVITY_IDENTIFIER)
.And().WhereEquals("ActivityValue", webPage?.SystemFields.WebPageItemGUID.ToString())
.GetEnumerableTypedResultAsync()
: [];
bool showLikeButton = likesOfThisPage.Count() == 0;
var model = new PageLikeWidgetViewModel()
{
ShowLikeButton = showLikeButton,
WebPageItemID = properties.Page.WebPageItemID,
BaseUrl = httpRequestService.GetBaseUrl()
};
return View("~/Features/Activities/Widgets/PageLike/PageLikeWidget.cshtml", model);
}
}
Make the identifier available
In the future, you may need to limit which widgets are available in different Page Builder sections and zones. To make this easier, add the page like widget’s identifier to the ComponentIdentifiers
class.
- Navigate to TrainingGuides.Web/ComponentIdentifiers.cs.
- Add a new static class called
Widgets
inside theComponentIdentifiers
class if it does not already exist. - Add a constant string that is equal to that of the page like widget view component.
public static class ComponentIdentifiers
{
...
public static class Widgets
{
...
public const string PAGE_LIKE = PageLikeWidgetViewComponent.IDENTIFIER;
...
}
...
}
Add the widget view
The last piece you need to add is the view file referenced by the view component.
If you didn’t follow along with the Data protection series yet, add a dependency on the AspNetCore.Unobtrusive.Ajax NuGet Package, and add the following line to the part of Program.cs where services are added to the application builder.
C#Program.cs... builder.Services.AddUnobtrusiveAjax(); ...
Add a view file called PageLikeWidget.cshtml to the TrainingGuides.Web/Features/Activities/Widgets/PageLike folder.
Create an AJAX form that posts to the path of the controller action from earlier.
- Pass the Id of a div for the AJAX form to write its response.
- Use a hidden input to pass the web page item’s Id to the controller action when the widget submits the form.
@using TrainingGuides.Web.Features.Activities.Widgets.PageLike;
@model PageLikeWidgetViewModel
@{
var messageId = "pageLikeMessage";
}
@if(Model.ShowLikeButton || Context.Kentico().Preview().Enabled)
{
@using (Html.AjaxBeginForm("PageLike", "PageLike", new AjaxOptions
{
HttpMethod = "POST",
InsertionMode = InsertionMode.Replace,
UpdateTargetId = messageId
}, new { action = $"{Model.BaseUrl}/pagelike" }))
{
<div class="container">
<div class="cookie-preferences js-cookie-preferences">
<input id="WebPageItemID" name="WebPageItemID" type="hidden" value="@Model.WebPageItemID" />
<button class="btn btn-secondary text-uppercase mt-4 cookie-preferences__button" type="submit" name="button">
Like this page
</button>
<div id="@messageId" class="cookie-preferences__message"></div>
</div>
</div>
}
}
The coding is done, so you can test your new widget.
- Run the TrainingGuides.Web project locally.
- Log in to the administration interface, and open the Training guides pages channel.
- Choose Edit → Create new version the Cookie policy page, and add an instance of the Page like widget to the widget zone.
- Save and publish the page, then do the same for the Contact us page.
- Visit the /cookie-policy path on the live site.
- Make sure your cookie level is set to Marketing, and click the like button.
- Return to the administration interface, opening the Activities tab of the Contact management application to see that Xperience has logged the Page like activity.