First let's recap what we do in Part1 which we made an overview about technology used then we explain details about design then we finished Part2 by design all generic JavaScript we will use and layouts , all of these steps made to achieve the example below
To implement our demo we will create sharepoint list "VacationType" to store all types of vacations and "EmployeeVacation" to store submitted employee vacation.
First we will create our sharepoint lists please follow following steps :
Finally we Finished our demo with complete step by step implementation , if you have any question you're welcome anytime .
i'm an employee in company and need to request vacation so i will log into sharepoint with my account and fill form then send vacation request , i need to see process flow where it located now or who is responsible for take an action for my task now, in other side if i'm employee who has this task now i need to respond on this task.In this part we will implement lists that we will save data on it then we will implement both controllers.js and services.js for vacation module to finish our Demo :)
To implement our demo we will create sharepoint list "VacationType" to store all types of vacations and "EmployeeVacation" to store submitted employee vacation.
First we will create our sharepoint lists please follow following steps :
- create sharepoint project "Demo.Employee".
- add new list item "VacationType"
- add new list item "EmployeeVacation"
- add fields below to list :
- DateFrom : date time field to store vacation start date.
- DateTo: datetime field to store vacation end date.
- VacationType: lookup field to "VacationType" list to set type of vacation.
- add event receiver to list to show MyTasks functionality in our demo in this event receiver we will assign task to logged in user once item added , you can replace event receiver with your workflow process if you have.
- code to assign task to logged in userThis file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
public class EmployeeVacationEventReceiver : SPItemEventReceiver { /// <summary> /// An item was added. /// </summary> public override void ItemAdded(SPItemEventProperties properties) { SPWeb web = properties.Web; SPList list = web.Lists.TryGetList("Tasks"); if (list != null) { // get the SharePoint group SPUser user = web.CurrentUser; // Create a new task item SPListItem task = list.Items.Add(); SPFieldUserValue assignToGroup = new SPFieldUserValue(web, user.ID, user.Name); task["AssignedTo"] = assignToGroup; task["Title"] = properties.ListItem["Title"]; task.Update(); } base.ItemAdded(properties); } } - add mapped folder to sharepoint Style Folder then create folders like image below :
- services folder will contains all angular employee services
- create "EmployeeVacationService.js"
- contain all angular controller functionality to add new vacation request.This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .factory("EmployeeVacationService", ["baseSvc", function (baseService) { var listEndPoint = '/_api/web/lists'; //get all employee vacation data var getAll = function () { var query = listEndPoint + "/GetByTitle('EmployeeVacation')/Items"; return baseService.getRequest(query); }; //get employee vacation data created by loggedin user var getEmployeeVacationRequestCreatedByLoggedinUser = function () { var query = listEndPoint + "/GetByTitle('EmployeeVacation')/Items/?$select=ID,Title,FromDate,ToDate,Created,VacationType/Id,VacationType/Title&$expand=VacationType"; return baseService.getMyRequest(query); }; //get employee vacation tasks assigned to loggedin user var getEmployeeVacationRequestAssignedToLoggedinUser = function () { return baseService.getAssignedToUserRequest('Workflow Tasks'); }; //add new employee vacation var addNew = function (EmployeeVacation) { var data = { __metadata: { 'type': 'SP.Data.EmployeeVacationListItem' }, Title: EmployeeVacation.Title, FromDate: EmployeeVacation.EmployeeVacationFromDate, ToDate: EmployeeVacation.EmployeeVacationToDate, VacationTypeId: EmployeeVacation.EmployeeVacationType.ID, }; var url = listEndPoint + "/GetByTitle('EmployeeVacation')/Items"; return baseService.postRequest(data, url); }; //get employee vacation by ID var getById = function (EmployeeVacationRequestID) { var query = listEndPoint + "/GetByTitle('EmployeeVacation')/Items(" + EmployeeVacationRequestID + ")?$select=Title,FromDate,ToDate,VacationType/Id,VacationType/Title,*&$expand=VacationType"; return baseService.getRequest(query); }; //get employee vacation by ID var getEmployeeVacationTaskHistoryByItemId = function (EmployeeVacationRequestID) { var query = listEndPoint + "/GetByTitle('Workflow Tasks')/Items?$select=*,Modified,AssignedTo/Id,AssignedTo/Title&$expand=AssignedTo/Id"; return baseService.getRequest(query); }; //update employee vacation request var update = function (EmployeeVacationRequest) { var data = { __metadata: { 'type': 'SP.Data.EmployeeVacationListItem' }, Title: EmployeeVacationRequest.Title }; var url = listEndPoint + "/GetByTitle('EmployeeVacation')/GetItemById(" + EmployeeVacationRequest.ID + ")"; return baseService.updateRequest(data, url); }; //remove specific employee vacation var remove = function (EmployeeVacationRequestID) { var url = listEndPoint + "/GetByTitle('EmployeeVacation')/GetItemById(" + EmployeeVacationRequestID + ")"; return baseService.deleteRequest(url); }; return { getAll: getAll, getEmployeeVacationRequestCreatedByLoggedinUser: getEmployeeVacationRequestCreatedByLoggedinUser, getEmployeeVacationRequestAssignedToLoggedinUser: getEmployeeVacationRequestAssignedToLoggedinUser, addNew: addNew, getById: getById, getEmployeeVacationTaskHistoryByItemId: getEmployeeVacationTaskHistoryByItemId, update: update, remove: remove }; }]); })(); - create "VacationTypeService.js"
- get data from vacation type sharepoint listThis file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .factory("VacationTypeService", ["baseSvc", function (baseService) { var listEndPoint = '/_api/web/lists'; //get all media types data var getAll = function () { var query = listEndPoint + "/GetByTitle('VacationType')/Items?$select=Title,ID"; return baseService.getRequest(query); }; return { getAll: getAll }; }]); })(); - controllers folder will contains all angular employee controllers.
- create "AddEmployeeVacationController.js"
- functionality for add employee vacation request.This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .controller("AddEmployeeVacationContorller", ["$scope", "EmployeeVacationService", "VacationTypeService", "$location", "toaster", "$http", 'providedValue', 'UtilityService', function ($scope, employeeVacationService, vacationTypeService, $location, toaster, $http, providedValue, UtilityService) { /****** variables declaration ***********/ $scope.EmployeeVacationValidationMessage = { EmployeeVacationFieldRequired: providedValue.FieldRequired, EmployeeVacationCheckDate: providedValue.InvalidDateRange, }; /****** end variables declaration ***********/ //get vacation types from list vacationTypeService.getAll() .then(function (response) { $scope.vacationTypeList = response.d.results; $scope.EmployeeVacationType = $scope.vacationTypeList[0]; }); $scope.addEmployeeVacation = function (EmployeeVacationRequest) { if ($scope.addVacationForm.$valid) { employeeVacationService.addNew(EmployeeVacationRequest) .then(function (EmployeeVacationRequest) { toaster.success({ body: providedValue.AddSuccessMessage }) $location.path("/vacation/myRequests"); }), function (err) { toaster.error({ body: providedValue.AddFailedMsg }); }; } else { toaster.error({ body: providedValue.ValidationFailed }); } }; $scope.CancelAddEmployeeVacation = function (EmployeeVacation) { toaster.info({ body: providedValue.CancelMessage }); $scope.resetDDL(EmployeeVacation); $location.path("/vacation/new"); } $scope.resetDDL = function (EmployeeVacation) { EmployeeVacation.EmployeeVacationSummary = null; EmployeeVacation.Title = null; EmployeeVacation.EmployeeVacationFromDate = null; EmployeeVacation.EmployeeVacationToDate = null; if (typeof (EmployeeVacation.EmployeeVacationType) != 'undefined') EmployeeVacation.EmployeeVacationType = $scope.vacationTypeList[0] } }]); })(); - create "AssignedEmployeeVacationController.js"
- controller to get all tasks assigned to current logged in userThis file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .controller("AssignedEmployeeVacationController", ["$scope", "EmployeeVacationService", "UtilityService", "toaster", "providedValue", "NgTableParams", "$filter", function ($scope, employeeVacationService, UtilityService, toaster, providedValue, NgTableParams, $filter) { var baseUrl = _spPageContextInfo.webAbsoluteUrl; var taskListId; $scope.isopen = false; UtilityService.getListID("Workflow Tasks").then(function (response) { taskListId = response.d.Id; }); var getAssignedEmployeeVacationRequestService = employeeVacationService.getEmployeeVacationRequestAssignedToLoggedinUser(); getAssignedEmployeeVacationRequestService.then(function (response) { var assignedEmployeeVacationRequestResult = response.d.results; //check if taskid is valid and returned from server befor begin retrieve data if (typeof (taskListId) != 'undefined') { var formatedAssignedToEmployeeVacationResult = []; //add data to temp variable to prepare it for grouping $.each(assignedEmployeeVacationRequestResult, function (index, item) { var tmp = { AssignedTo: item.AssignedTo, CreatedBy: item.Author, Created: UtilityService.formateDate(item.Created), ID: item.ID, StartDate: UtilityService.formateDate(item.StartDate), Title: item.Title, EditFormUrl: baseUrl + "/" + item.ContentType.EditFormUrl + "?List=" + taskListId + "&ID=" + item.ID }; formatedAssignedToEmployeeVacationResult.push(tmp); }); if (formatedAssignedToEmployeeVacationResult.length != 0) { //group data by start date $scope.groupedEmployeeVacationResult = UtilityService.groupBy(formatedAssignedToEmployeeVacationResult, function (item) { return [item.StartDate]; }); //generate table for each grouped items $scope.tabledata = []; var counter = 0; for (var i = 0; i < $scope.groupedEmployeeVacationResult.length; i++) { $scope.tabledata[i] = {}; $scope.tabledata[i].tableParams = new NgTableParams({ page: 1, count: 5 , sorting: { Title: 'asc', } }, { getData: function ($defer, params) { var orderedData; var resultData = []; //tableindex will be !=undefined once user click to accordion if (typeof ($scope.tableIndex) != 'undefined') resultData = $scope.groupedEmployeeVacationResult[$scope.tableIndex].Value; else resultData = $scope.groupedEmployeeVacationResult[counter++].Value params.total(resultData.length); //use build-in angular filter and sorting orderedData = params.sorting() ? $filter('orderBy')(resultData, params.orderBy()) : resultData; $defer.resolve(orderedData.slice((params.page() - 1) * params.count(), params.page() * params.count())); } }); } } else { toaster.error({ body: providedValue.AssignedRequestNotFound }); } } else { toaster.error({ body: providedValue.GeneralError }); } }); //function to get current clicked table index and grouped data to reload table $scope.GetSelectedDataGroup = function (dataGroup, index) { $scope.filteredKey = dataGroup.key; $scope.tableIndex = index; $scope.tabledata[index].tableParams.reload(); } }]); })(); - create "DetailsEmployeeVacationController.js"
- controller to show all details about selected vacation request.This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .controller("DetailsEmployeeVacationContorller", ["$scope", "$routeParams", "EmployeeVacationService", "$location", "toaster", "UtilityService", function ($scope, $routeParams, employeeVacationService, $location, toaster, UtilityService) { var EmployeeVacationId; if (typeof ($scope.selectedEmployeeVacationItemId) != 'undefined') { EmployeeVacationId = $scope.selectedEmployeeVacationItemId; } employeeVacationService.getById(EmployeeVacationId) .then(function (EmployeeVacationRequest) { var EmployeeVacationRequestResult = EmployeeVacationRequest.d; $scope.vacation = { Created: UtilityService.formateDate(EmployeeVacationRequestResult.Created), Title: EmployeeVacationRequestResult.Title, FromDate: UtilityService.formateDate(EmployeeVacationRequestResult.FromDate), ToDate: UtilityService.formateDate(EmployeeVacationRequestResult.ToDate), VacationType: EmployeeVacationRequestResult.VacationType.Title }; }), function (err) { toaster.error({ body: providedValue.GeneralError }); }; }]); })(); - create "MyEmployeeVacationController.js"
- controller to get all vacations requested by current logged in user.This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .controller("MyEmployeeVacationController", ["$scope", "EmployeeVacationService", "UtilityService", "toaster", "providedValue", "$modal", "NgTableParams", "$filter", function ($scope, employeeVacationService, UtilityService, toaster, providedValue, $modal, NgTableParams, $filter) { $scope.showAccordion = true; var getMyEmployeeVacationRequestService = employeeVacationService.getEmployeeVacationRequestCreatedByLoggedinUser(); getMyEmployeeVacationRequestService.then(function (response) { var myEmployeeVacationRequestResult = response.d.results; var formatedMyEmployeeVacationResult = []; var i = 1; //add retrieved data in temp vatiable preparing it for grouping $.each(myEmployeeVacationRequestResult, function (index, item) { var tmp = { // Statues: item.employee, FromDate: item.FromDate, displayedFromDate: UtilityService.formateDate(item.FromDate), ID: item.ID, ToDate: item.ToDate, displayedToDate: UtilityService.formateDate(item.ToDate), Title:item.Title, VacationType: { Title: item.VacationType.Title, ID: item.VacationType.ID }, itemIndex: i++ }; formatedMyEmployeeVacationResult.push(tmp); }); //group retrieved data by media coverage type if (myEmployeeVacationRequestResult.length != 0) { $scope.groupedEmployeeVacationResult = UtilityService.groupBy(formatedMyEmployeeVacationResult, function (item) { return [item.VacationType.Title]; }); //generate table for each grouped items $scope.tabledata = []; var counter = 0; for (var i = 0; i < $scope.groupedEmployeeVacationResult.length; i++) { $scope.tabledata[i] = {}; $scope.tabledata[i].tableParams = new NgTableParams({ page: 1, count: 5 , sorting: { ID: 'asc', EmployeeVacationFromDate: 'desc', EmployeeVacationToDate: 'desc' } }, { getData: function ($defer, params) { var orderedData; var resultData = []; //tableindex will be !=undefined once user click to accordion if (typeof ($scope.tableIndex) != 'undefined') resultData = $scope.groupedEmployeeVacationResult[$scope.tableIndex].Value; else resultData = $scope.groupedEmployeeVacationResult[counter++].Value params.total(resultData.length); //use build-in angular filter and sorting orderedData = params.sorting() ? $filter('orderBy')(resultData, params.orderBy()) : resultData; if (orderedData.length == 0) $scope.showAccordion = false; else $scope.showAccordion = true; $defer.resolve(orderedData.slice((params.page() - 1) * params.count(), params.page() * params.count())); } }); } } else { toaster.error({ body: providedValue.MyRequestNotFound }); } }); $scope.OpenTaskStatus = function (size, itemId, htmlFile, controllerName) { $scope.selectedEmployeeVacationItemId = itemId; $scope.$taskStatusModalInstance = $modal.open({ templateUrl: '../../_layouts/15/Demo.CommonUI/EmployeeVacation/' + htmlFile + '.html', controller: controllerName, size: size, keyboard: false, backdrop: 'static', scope: $scope }); $scope.$taskStatusModalInstance.result.then(function (selectedItem) { console.log(selectedItem); }, function (err) { console.log(err); }); } // close add user dialog on cancel $scope.CancelTaskStatus = function () { $scope.$taskStatusModalInstance.close(); } //function to get current clicked table index and grouped data to reload table $scope.GetSelectedDataGroup = function (dataGroup, index) { $scope.filteredKey = dataGroup.key; $scope.tableIndex = index; $scope.tabledata[index].tableParams.reload(); } }]); })(); - create "ProcessEmployeeVacationController.js"
- controller to show the current process status of selected vacation.This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
"use strict"; (function () { angular.module("angularApp") .controller("ProcessEmployeeVacationContorller", ["$scope", "$routeParams", "EmployeeVacationService", "$location", "toaster", "providedValue", "ngTableParams", "UtilityService", function ($scope, $routeParams, employeeVacationService, $location, toaster, providedValue, ngTableParams, UtilityService) { var EmployeeVacationId; if (typeof ($scope.selectedEmployeeVacationItemId) != 'undefined') EmployeeVacationId = $routeParams.selectedEmployeeVacationItemId; else { toaster.error({ body: providedValue.GeneralError }); return; } $scope.ProcessEmployeeVacationRequestTableParams = new ngTableParams({ page: 1, count: 10000 }, { getData: function ($defer, params) { var ProcessEmployeeVacationRequestService = employeeVacationService.getEmployeeVacationTaskHistoryByItemId(EmployeeVacationId); ProcessEmployeeVacationRequestService.then(function (EmployeeVacationRequest) { var processEmployeeVacationRequestResult = EmployeeVacationRequest.d.results; params.total(processEmployeeVacationRequestResult.length); if (processEmployeeVacationRequestResult.length != 0) { var formatedProcessEmployeeVacationResult = []; $.each(processEmployeeVacationRequestResult, function (index, item) { if (item.Status != "Completed") item.Modified = item.DueDate; var tmp = { Title: item.Title, AssignedTo: item.AssignedTo.Title, StartDate: UtilityService.formateDate(item.StartDate), DueDate: UtilityService.formateDate(item.Modified), WorkflowOutcome: item.WorkflowOutcome, ApproverComments: item.ApproverComments }; formatedProcessEmployeeVacationResult.push(tmp); }); // use build-in angular filter var orderedData = formatedProcessEmployeeVacationResult; $defer.resolve(orderedData); } else { toaster.error({ body: providedValue.NoRecordFound }); } }); } }); }]); })(); - create visual webPart(farm solution) "EmployeeVacationWebPart" to render views
- open "EmployeeVacationWebPartUserControl.ascx"
- add all file references to webpart like below :This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
<!-- Styles --> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/font-awesome/4.5.0/css/font-awesome.min.css"> <link rel="stylesheet" href="https://cdn.rawgit.com/esvit/ng-table/v1.0.0/dist/ng-table.min.css"> <link href="https://cdnjs.cloudflare.com/ajax/libs/angularjs-toaster/0.4.16/toaster.min.css" rel="stylesheet" /> <link href="../_layouts/15/STYLES/Demo/vendor/loader.css" rel="stylesheet" /> <link rel="stylesheet" type="text/css" runat="server" id="xlinkCSS" href="../_layouts/15/STYLES/Demo/vendor/jquery.datetimepicker.css" /> <!-- end Styles --> <meta name="WebPartPageExpansion" content="full" /> <!-- sharepoint --> <script type="text/javascript" src="../_layouts/15/sp.runtime.js"></script> <script type="text/javascript" src="../_layouts/15/sp.js"></script> <script type="text/javascript" src="../_layouts/15/SP.RequestExecutor.js"></script> <!--end sharepoint --> <!-- common scripts --> <script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.0.3/jquery.min.js"></script> <script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular.min.js"></script> <script src="../_layouts/15/STYLES/Demo/vendor/httpLoader.js"></script> <script src="../_layouts/15/STYLES/Demo/vendor/httpMethodInterceptor.js"></script> <script src="https://cdn.rawgit.com/esvit/ng-table/v1.0.0/dist/ng-table.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/angular-ui-bootstrap/0.14.3/ui-bootstrap-tpls.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/underscore.js/1.8.3/underscore-min.js"></script> <!-- end common scripts --> <!-- general angular scripts --> <script src="http://ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular-route.js"></script> <script src="http://ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular-resource.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/angularjs-toaster/0.4.16/toaster.min.js"></script> <script src="//ajax.googleapis.com/ajax/libs/angularjs/X.Y.Z/angular-sanitize.js"></script> <script src="../_layouts/15/STYLES/Demo/vendor/dialogs.js"></script> <script src="../_layouts/15/STYLES/Demo/app.js"></script> <script src="../_layouts/15/STYLES/Demo/Messages.js"></script> <script src="../_layouts/15/STYLES/Demo/Directives.js"></script> <script src="../_layouts/15/STYLES/Demo/services/baseSvc.js"></script> <script src="../_layouts/15/STYLES/Demo/services/UtilityService.js"></script> <script src="../_layouts/15/STYLES/Demo/services/GeneralSPServices.js"></script> <!-- end general angular scripts --> <!--Media coverage Request --> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/services/EmployeeVacationService.js"></script> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/services/VacationTypeService.js"></script> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/controllers/AddEmployeeVacationController.js"></script> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/controllers/AssignedEmployeeVacationController.js"></script> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/controllers/DetailsEmployeeVacationController.js"></script> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/controllers/MyEmployeeVacationController.js"></script> <script src="../_layouts/15/STYLES/Employee/Media/MediaCoverage/controllers/ProcessEmployeeVacationController.js"></script> <!-- end Media Coverage Request --> <div data-ng-app="angularApp"> <toaster-container toaster-options="{'time-out': 3000, 'close-button':true, 'animation-class': 'toast-top-center'}"></toaster-container> <script type="text/ng-template" id="example-loader.tpl.html"> <div class="flyover"> <div class="mask"></div> <div class="alert alert-info"> <strong>Loading</strong> </div> </div> </script> <div ng-http-loader methods="['POST']" template="example-loader.tpl.html"></div> <div data-ng-view class="angular-app"></div> </div> - create "Pages" folder
- add module "EmployeePagesModule"
this module consist of page that register webpart created before on it. - delete sample.txt
- add "Management.aspx" page to module
- open page and write our magic code :This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
<%@ Page Inherits="Microsoft.SharePoint.Publishing.TemplateRedirectionPage,Microsoft.SharePoint.Publishing,Version=15.0.0.0,Culture=neutral,PublicKeyToken=71e9bce111e9429c" %> <%@ Reference VirtualPath="~TemplatePageUrl" %> <%@ Reference VirtualPath="~masterurl/custom.master" %> - update Element.Xml with code below :This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
<?xml version="1.0" encoding="utf-8"?> <Elements xmlns="http://schemas.microsoft.com/sharepoint/"> <Module Name="EmployeePagesModule" Url="Pages"> <File Path="EmployeePagesModule\Management.aspx" Url="Management.aspx" Type="GhostableInLibrary" > <Property Name="Title" Value="Management Media" /> <Property Name="PublishingPageLayout" Value="~SiteCollection/_catalogs/masterpage/DemoManagementPageLayout.aspx, DemoManagementPageLayout" /> <AllUsersWebPart WebPartZoneID="bootstrapRow1Column2" WebPartOrder="1"> <![CDATA[ <webParts> <webPart xmlns="http://schemas.microsoft.com/WebPart/v3"> <metaData> <type name="Demo.Employee.WebParts.EmployeeVacationWebPart.EmployeeVacationWebPart, Demo.Employee, Version=1.0.0.0, Culture=neutral, PublicKeyToken=2ea3a22c8ba33707" /> <importErrorMessage>Cannot import this Web Part.</importErrorMessage> </metaData> <data> <properties> <property name="ExportMode" type="exportmode">All</property> <property name="HelpUrl" type="string" /> <property name="Hidden" type="bool">False</property> <property name="Description" type="string">My Visual Web Part</property> <property name="CatalogIconImageUrl" type="string" /> <property name="Title" type="string">Demo.Employee - EmployeeVacationWebPart</property> <property name="AllowHide" type="bool">True</property> <property name="AllowMinimize" type="bool">True</property> <property name="AllowZoneChange" type="bool">True</property> <property name="TitleUrl" type="string" /> <property name="ChromeType" type="chrometype">Default</property> <property name="AllowConnect" type="bool">True</property> <property name="Width" type="unit" /> <property name="Height" type="unit" /> <property name="HelpMode" type="helpmode">Navigate</property> <property name="AllowEdit" type="bool">True</property> <property name="TitleIconImageUrl" type="string" /> <property name="Direction" type="direction">NotSet</property> <property name="AllowClose" type="bool">True</property> <property name="ChromeState" type="chromestate">Normal</property> </properties> </data> </webPart> </webParts> ]]> </AllUsersWebPart> </File> </Module> </Elements>