Introduction
In the previous MVC-related tutorial, I described how to integrate dhtmlxScheduler into an ASP.NET MVC application and create an event calendar to manage and edit events online. This time I decided to continue this series and show you how to extend the calendar functionality to implement a meeting room booking system.
In this tutorial, I will explain how to add multi-user functionality to the scheduling system, allowing different users to make changes in the calendar simultaneously. A meeting room booking system, which we're going to build, will look like this:
In the end of the tutorial, we will get a ready-to-use event scheduling application that allows end-users to add, delete, edit, and move events between different rooms. I'm going to continue my previous tutorial, so you can learn how to integrate the calendar into an ASP.NET MVC application here.
Setting Goals
Before I describe how to extend the functionality of the calendar, we need to define the list of features of our room booking app:
- Events can be created only by authorized users
- A user can edit only events that he/she created
- Expired events can't be edited
- Each event can be assigned only to one room from a list
- Users can see events by assigned room (room view)
- Users can see all events within a week (week agenda view)
- Events created by different users are colored differently
The list is not short, but most of the requirements can be achieved by using dhtmlxScheduler extensions and standard ASP.NET MVC solutions.
Getting Started
In the previous tutorial, I described how to use dhtmlxScheduler 2.6, but recently the new version 3.0 has been released. The update includes some bug fixes and some new features that we will need in our app.
So at first, download the most recent version of dhtmlxScheduler from this page. After you download the package, copy the content from the folder 'codebase' to the folder 'Scripts' of your project (if you were using v.2.6, new files will overwrite the old ones).
The new features that we will use in our booking application:
- simple event colors (to set different colors for events created by each user)
- week agenda view (allows end-user to see all events within the current week)
Database Structure and .NET Membership
Our database should store information about available rooms and users that have access to the system. So let's create a table Rooms in our database with the following columns:
- room_id – ID of the room
- title – name of the room
In order not to create user infrastructure manually, we will use the built-in ASP.NET Membership utility (read more about it here). All we need to do is:
Run the tool with the following keys:
aspnet_regsql.exe -E -S <servername> -d <databasename> -A m
It will create several tables (and a database, if it doesn't exist yet):
All these tables are used by ASP.NET Membership for providing its functionality. We should only edit the table aspnet_Users by adding a column 'color' into it.
To simplify things, let's rename the mapping table aspnet_User to User and leave just the columns we will use, which are:
We'll use the controllers and views generated by a standard MVC project. So you don't need to create any new files, you just need to alter the existing ones a little:
To link users and rooms with events, we add two more columns to the table Events:
When you finish with this (created all the needed tables and added the missing columns), don't forget to refresh MyEvents.dbml.
If you don't want to edit the DB manually, you can use the database from the package with the sample files. It contains all the needed tables and columns.
- Run the ASP.NET SQL Server Registration Tool (Aspnet_regsql.exe) (find the details here). The tool comes with the .NET Framework, and can be found under: C:\WINDOWS\Microsoft.NET\Framework\\aspnet_regsql.exe.
- aspnet_Applications
- aspnet_Membership
- aspnet_SchemaVersions
- aspnet_Users
- color – the color of the user's events
- Customize authorization-related controllers and views.
- change the redirect path in AccountController.cs
- remove the default CSS processing
- room_id – a foreign key for the Rooms table
- user_id – a foreign key for the aspnet_Users table
User Authentication
Now all the required conditions for authentication are provided, so we can add this functionality to our calendar. For that, we will need to do three things:
<membership defaultProvider="CustomMembershipProvider">
<providers>
<clear/>
<add name="CustomMembershipProvider"
type="System.Web.Security.SqlMembershipProvider"
connectionStringName="MyCalendarConnectionString"
enablePasswordRetrieval="false"
enablePasswordReset="true"
requiresQuestionAndAnswer="false"
requiresUniqueEmail="false"
maxInvalidPasswordAttempts="5"
minRequiredPasswordLength="1"
minRequiredNonalphanumericCharacters="0"
passwordAttemptWindow="10"
applicationName="/" />
</providers>
</membership>
Here MyCalendarConnectionString
is the name of the connectionString
attribute set in the same file. The generated views and controllers are ready to use and don't need any corrections.
In our sample, we use a database that contains two test users. You can use the following username/password pairs to log in:
...
<div class="dhx_cal_navline">
<div class="" style="removed420px;height:23px;">
<% Html.RenderPartial("LogOnUserControl"); %></div>
...
- Add settings into the Web.config file:
- It's not necessary that our app will have free registration, so we can remove the registration link from LogOn.aspx and the related 'action' from the controller.
- Add a link to LogOn in the Index.aspx file. View/Calendar/Index.aspx:
After all these steps, we’ll get a working calendar system which contains a user login form. In Month View, our calendar will look like this:
User Access Security
To provide user access control (according to our requirements), we need to add some checks on both client and server side.
Server-side checks are needed to provide security for the application. Client-side checks do not affect application security and we could do without them, but it would make our system slow. So, we will define client-side checks to provide better performance and real-time user experience.
Client-side rules – Views/Calendar/Index.aspx:
<script type="text/javascript">
<% if(Request.IsAuthenticated){ %>
scheduler._user_id = "<%= Model.User.UserId %>";
scheduler._color = "<%= Model.User.color %>";
<%} %>
scheduler.config.readonly =
<%= Request.IsAuthenticated ? "false" : "true" %>;
var isEditable = function(event_id){
var ev = scheduler.getEvent(event_id);
return (ev && ev.start_date > new Date() &&
ev.user_id == scheduler._user_id);
};
scheduler.attachEvent("onBeforeLightbox", isEditable);
scheduler.attachEvent("onBeforeDrag", isEditable);
scheduler.attachEvent("onClick", isEditable);
scheduler.attachEvent("onDblClick",isEditable);
scheduler.attachEvent("onEventCreated", function(event_id){
var ev = scheduler.getEvent(event_id);
if (ev.start_date < new Date()){
scheduler.deleteEvent(event_id, true);
} else {
ev.user_id = scheduler._user_id;
ev.textColor = scheduler._color;
return true;
}
});
</script>
We will add the same rules to the server-side. If a user is not authorized to edit the events, or a user name doesn't match the name of the current user, then changes won't be saved and 'error' will be returned.
Controllers/CalendarController.cs
public ActionResult Save(Event changedEvent, FormCollection actionValues)
{
...
if (Request.IsAuthenticated && changedEvent.user_id ==
(Guid)Membership.GetUser().ProviderUserKey &&
changedEvent.start_date > DateTime.Now)
{
...
}
else
{
action_type = "error";
}
Now we need to include the information about the event holder to our data feed and pass the needed models from the Index.aspx controller to the view.
Views/Calendar/Data.aspx
<data>
<% foreach (var myevent in Model) { %>
<event id="<%=myevent.id%>" textColor=
"<%= (myevent.start_date < DateTime.Now ?
"gray" : myevent.User.color) %>">
<start_date><![CDATA[</start_date>
<end_date><![CDATA[</end_date>
<text><![CDATA[</text>
<room_id><![CDATA[</room_id>
<username><![CDATA[</username>
</event>
<% } %>
</data>
Also, we will specify the property 'color' for events. From this moment on, events created by each user will be colored in the appropriate color. Expired events, which can't be edited, will be shown in grey color as disabled.
Views/Calendar/Data.aspx
public ActionResult Index()
{
MyEventsDataContext context = new MyEventsDataContext();
User current_user = null;
if (Request.IsAuthenticated)
current_user = context.Users.SingleOrDefault(user =>
user.UserId == (Guid)Membership.GetUser().ProviderUserKey);
return View(new CalendarModel(current_user, context.Rooms.ToList());
}
CalendarModel
is a class that contains information about the current user and the available rooms (creating a list of available rooms is our next step).
This is how our event calendar will look like. In Month view, we can see the events displayed in different colors by the user who created them. The old events are displayed in grey color and can't be edited.
After these changes, we've achieved our main goal and created a multi-user event calendar. Users can see all the events, but they can only edit events that they created.
Agenda View and Room View
To follow the requirements we've set in the beginning, we will now add the ability to show events by room and view all events within the current week.
To see the list of events taking place within the current week, we can use the Week Agenda view of dhtmlxScheduler. We need to add the appropriate script and button to the Index.aspx file.
Views/Calendar/Index.aspx
<script
src="http://www.codeproject.com/Scripts/ext/dhtmlxscheduler_week_agenda.js"
type="text/javascript"></script>
...
<div class="dhx_cal_tab" name="week_agenda_tab"
style="removed278px;"></div>
The image below shows how our booking calendar will look in the Week Agenda view. We can see the list of events assigned per day of the week.
To show events by the assigned room, we will use the Unit view of dhtmlxScheduler. Let's make the necessary modifications in the Index.aspx file:
<script src="http://www.codeproject.com/Scripts/ext/dhtmlxscheduler_units.js"
type="text/javascript"></script>
...
<div class="dhx_cal_tab" name="units_tab"
style="removed214px;"></div>
Also, we should add JavaScript code to configure the new view in the calendar. In Views/Calendar/Index.aspx:
scheduler.locale.labels.units_tab = 'Rooms';
scheduler.locale.labels.section_room = "Room:";
var rooms = [<% for(var i =0; i < Model.Rooms.Count; i++){ %>
{key:<%= Model.Rooms[i].room_id %>, label:"<%= Html.Encode(
Model.Rooms[i].title) %>"}<%= i<Model.Rooms.Count-1 ? "," : "" %>
<% } %>];
function getRoom(id){
for(var i in rooms){
if(rooms[i].key == id)
return rooms[i].label;
}
}
scheduler.createUnitsView({
"name": "units",
"list": rooms,
"property": "room_id"
});
Now we can see events by room number. This view allows users to check the availability of each room and find the best place and time for each event.
Providing Better User Experience
To simplify user interactions with the calendar, we will add the ability to select a room number directly from the event lightbox of the calendar. To achieve this, we will define our own configuration for the event details form instead of the default one in the Index.aspx file:
scheduler.config.lightbox.sections = [
{name:"description",height:200,map_to:"text",type:"textarea",focus:!0},
{name:"room",map_to:"room_id",type:"select",options:rooms},
{name:"time",height:72,type:"time",map_to:"auto"}
];
Our custom event lightbox now has an additional select box with room numbers:
To give users more information about the event, we can add room number to the event description. Add in Views/Calendar/Index.aspx:
function template(start,end,ev){
return getRoom(ev.room_id) + " : " + ev.text;
}
scheduler.templates.event_text = template;
scheduler.templates.agenda_text = template;
scheduler.templates.event_bar_text = template;
scheduler.templates.week_agenda_event_text =
function(start_date, end_date, event, date) {
return scheduler.templates.event_date(start_date) +
" " + template(start_date, end_date, event);
};
And again, here is the final look of our room booking calendar:
If you have followed all the steps of the tutorial, you now have a multi-user calendar that allows end-users to easily book meeting rooms and arrange the events between rooms.