Click here to Skip to main content
15,867,453 members
Articles / Web Development / HTML

VITA – A Powerful and Flexible ORM and Additional Building Blocks for .NET Applications

Rate me:
Please Sign up or sign in to vote.
4.95/5 (29 votes)
10 Mar 2017CPOL40 min read 84.6K   1.9K   56   50
Going over key features of the VITA open source ORM and .net application framework, with sample SPAs using the MVC/AngularJS/WebApi/VITA technology stack.

Background

VITA is an open source ORM and .net application framework developed by Roman Ivantsov.  Some of you may know Roman as the developer of the powerful Irony parser and .net language implementation kit.  I’ve used Irony to great effect on a couple of my projects.

You could say that I am or was an Entity Framework guy.  I have used Entity Framework on a fair number of projects, mostly not by choice.  Though I’ve been able to utilize EF to get the job done, I’ve long had several frustrations utilizing EF for more performant and scalable applications.  I have been on the hunt for a more usable framework, having dabbled with ORMs such as NHibernate and micro ORMs such as Dapper.

Late last year I caught wind of VITA and found that framework to have the most potential for the needs I am looking for, even motivating me enough to write this article!

Why VITA?

Why would you consider VITA and read further into this article and dig into it?  There are plenty of other ORMs out there, for example.  For me, two reasons peaked my interest as I dug deeper:

  • ORM - As a whole, I believe VITA stacks up well against the major full-featured ORMs such as Entity Framework and NHibernate.  In this article, I will only cover VITA's basic features.  I won't compare VITA against other ORMs, though I may do so in a follow up article.
  • Building Blocks - You need more than an ORM to create real world data-connected .net applications, and VITA provides a number of different building blocks that you can easily choose to add features that are typically needed in such applications.  I will cover the basic features of these building blocks in this article.

For me, the combination of an effective ORM and very useful building blocks (and how this was thought out and designed from the very beginning) makes VITA a unique offering.

Introduction to VITA

I am going to briefly outline key VITA features that will be covered or mentioned in this article.  Please see the documentation and examples at the VITA github site for more comprehensive information on VITA’s features and capabilities.

Full-featured ORM

VITA at its core is a full-featured ORM (as opposed to a lightweight ORM like Dapper), and includes many if not all of the features you would expect from an ORM.  Some key features include:

  • Data model management – For defining your data model and managing the corresponding database schemas:
    • Entities (data mapped objects) – You can easily define your data model in code with .net interfaces, with no visual designer or complicated mapping.  Your schema is created automatically in a code first approach (db first approach is supported as well).
    • Entity and property attributes – You can utilize a wide variety of entity or property level attributes to allow you to tailor your data model and associated schema (tables, columns, relationships, indexes, etc.) exactly as you need it.
    • Automatic schema updates – Schema updates are managed automatically for you (preserving  data) in a code first approach, based on your current data model (entity interfaces).  See Continuing On with VITA section below for utilizing existing database information for a db first approach.
    • Database types – You can choose to implement your data model with any of a number of supported database types including SQL Server, MySQL, PostgreSQL, SQLite.
    • Computed properties and views  – In addition to entities and properties that define your schema, you can define any number of computed properties and views to transform your data as you need to for application use.
  • Data management and access – For providing the ability to manage and access your data in many conceivable ways:
    • Stored procedures – Stored procedures for CRUD operations are automatically generated and updated for you. You can use SQLs (automatically generated too) if you prefer or if database does not support Stored Procedures (SQL CE, SQLite).
    • Automatic and Lazy loading of related entities and related lists – Full support for 1-to-many and many-to-many relations.
    • LINQ  - Full LINQ support to query your data. Translated LINQ queries are cached for efficiency
    • Self-tracking data – Creating and updating your data is a snap, as your data is self-registered for updates that are organized into transactions.  New/existing keys and original/modified properties are automatically maintained for you during the editing process.
    • Data Caching – data caching is supported directly, including full-table cache with automatic LINQ queries execution against in-memory tables.
  • Packaged components – All of your data management functionality is neatly packaged into an entity module  that can be separately tested and used in several applications.

Web Api support

In addition to being a full-featured ORM, VITA is fully integrated with WebApi, allowing you to easily create effective RESTful data services.  Some key features include:

  • Web call context – Easy access to web related parameters and response information.
  • Sessions – Full support for public and secure web sessions.
  • Client faults – Extensions to easily provide HTTP friendly response codes and messaging based on validation or other issues.
  • Base api controller – An easy to use building block for you to build VITA enhanced RESTful data services.  This building block provides features listed above and integration with other services such as error logging.

Slim Api

VITA now provides an easier and more streamlined way to provide RESTful web services for your applications.  You can easily add slim api controllers in your core library (with no ASP.NET WebApi package dependences) and incorporate business logic in a central place.  Then, it is a snap to utilize slim api services in your UI applications.

Standard Entity Modules

In addition to building applications with your core data model, you can add to your applications any number of built in modules that automatically provide some powerful capabilities.  These include:

  • Logging modules– This module provides a seamless way to add automatic logging facilities to your applications.  You can choose any number of specific types of logging such as errors, SQL operations and transactions, web api calls, and general incidents.  Includes ability to automatically add tracking columns for transaction logging.  Persistent sessions are now included in the logging module.
  • Login – This module provides advanced signup and login functionality.  You can easy integrate login with your own core user or login table for enhanced registration, tracking, etc.

Authorization Framework

This powerful framework provides the means to define and implement all of the critical authorization rules that determine who can access what data.  Authorization rules are easily configured with entity resources, data filters, permissions, activities, and user roles.  Rules can be configured utilizing a wide variety of access types and can even be defined to the property level.

Learning VITA by example

I will walk you through various features of VITA with working examples that you can download and play around with.  Each of the examples is an MVC/AngularJS SPA which makes WebApi calls which in turn utilize the VITA framework.  The examples use MS SQL databases, though you could easily switch to another supported database type as you wish.

Below is a VITA basics section followed by two digging deeper sections.  Each section has a separate example solution and download.  This is organized so that you can read a section and choose to play around with VITA before coming back to the next section to learn more.

The code presented in this article will likely be a condensed version of the code found in the example downloads, so bring up the example applications to have a more complete view of what is going on.

VITA basics

To understand the VITA basics, the goal in this section is to use the minimum of core VITA features to get a very simple set of tests and a very basic web application up and running.  Follow along with the Basics Example Solution download, which has the following projects:

  • Basic.VITA – The core VITA managed data model and related packaging.
  • Basic.Tests – Some basic CRUD tests for exercising your VITA managed data model.  Create a test MS SQL database matching the DbConnectionString config value.
  • Basic.DS – A library of web api services and related materials.
  • Basic.UI – An MVC/AngularJS single page web application utilizing the web api services.  Create an MS SQL database matching the DbConnectionString config value.

Basic example

Our very basic example just consists of buildings and rooms, and we want the ability to manage basic building and room data.  Our desired database schema looks like the following:

Image 1

Data model

Let’s create a data model and package it up for application use (see Basic.VITA project for details).  Defining a data model to produce the above schema is very simple.  We need to:

  • Define an entity interface for each table.  The interface must have the Entity attribute to be a valid data model interface.  We will create an interface for Building and Room.
  • Define basic table columns as entity interface properties.  We will add all of the non-foreign key properties above.
  • Define a primary key for each entity.  We will have Guid primary keys, and will add the PrimaryKey and Auto attributes to that property for auto generated Guid keys.
  • Define the relationship on both ends, a (get only) list of rooms for a building and a reference to a building for a room.

Below are the interfaces for this data model:

C#
[Entity]
public interface IRoom
{
    [PrimaryKey, Auto]
    Guid Id { get; set; }

    int Number { get; set; }

    IBuilding Building { get; set; }
}

[Entity]
public interface IBuilding
{
    [PrimaryKey, Auto]
    Guid Id { get; set; }

    string Name { get; set; }

    IList<IRoom> BuildingRooms { get; }
}

That’s it!  VITA has default rules for mapping the types and names in your interfaces to the schema.  You can easily override any of these default rules, which we will cover in a later section.

In my opinion, ORMs that have you define your data model with concrete classes are behind the times.  In this day and age, we need to build real world applications with scalable and loosely coupled architectures.  We need to utilize our data as part of mockable and dependency injectable services, factories, and other libraries.  This is so much easier to do if our core data model is described in terms of interfaces!  With interfaces, you don’t get exposed to the complexities of the ORM implementation, and you don’t start packing non-data related details into your data model.

We will start accessing data for our little data model shortly, and demonstrate how the BuildingRooms property will be automatically populated for you based on the Building reference in IRoom.  But first, we need to do a little bit of configuration work.

Entity module and application

OK, we have a data model, now what do we do with it?  VITA provides an effective means for packaging up your data related functionality for easy use in your applications.

To begin, you create one or more EntityModules.  An EntityModule is essentially a self-contained group of related entities.  Setting up an entity module is essentially registering your group of related entities to an EntityArea, which we have done below by registering our two entities:

C#
public class DomainModule: EntityModule
{
    public DomainModule(EntityArea area) : base(area, "DomainModule")
    {
        area.RegisterEntities( typeof(IBuilding)
            , typeof(IRoom));
    }
}

So, what is an EntityArea?  An EntityArea is essentially a group of entities (one or more modules) registered to a database schema.  We will set one up in a second.

To effectively use all of our data related functionality, we package everything up into an EntityApp.  In our DomainApp, we add one area (with area name and schema name), and set up our module with that area.  You can certainly define and use multiple areas and modules in your entity application as you see fit.

C#
public class DomainApp: EntityApp
{
    public DomainApp()
    {
        var domainArea = this.AddArea("Domain");
        var mainModule = new DomainModule(domainArea);
    }
}

In our example, we wrapped all of this up into a class library (see Basic.VITA project for details), so that we can easily configure and use applications with VITA managed entities.

Accessing and managing your data

Now we want to use our handy little DomainApp component, create our schema, and do some actual data operations!  Let’s look over how to set up some tests to perform these operations (see Basic.Tests project for details).

In order to run some tests, we need to set up our DomainApp for actual use.  Setting up an EntityApp for use is just 3 simple steps: create, initialize, and connect (to your database).  For the tests, I decided to set up a base test class to set up the DomainApp in the beginning of the test run (of course you can choose to do this for every test):

C#
    [TestClass]
    public abstract class BaseUnitTest
    {
        [AssemblyInitialize]
        public static void Initialize(TestContext testContext)
        {
            // set up application
            var protectedSection = (NameValueCollection)ConfigurationManager.GetSection("protected");
            DomainApp = new DomainApp();
            DomainApp.Init();
            var connString = protectedSection["MsSqlConnectionString"];
            var driver = MsSqlDbDriver.Create(connString);
            var dbOptions = MsSqlDbDriver.DefaultMsSqlDbOptions;
            var dbSettings = new DbSettings(driver, dbOptions, connString, modelUpdateMode: DbModelUpdateMode.Always);
            DomainApp.ConnectTo(dbSettings);
        }

        protected static DomainApp DomainApp { get; set; }
    }

When an EntityApp is initialized and connected, your database (schema, stored procedures, etc.) will be created/updated.  Examine that these items are created in your database.

Now examine the following test which performs some CRUD operations with IRoom instances:

C#
[TestMethod]
public void RoomCRUDTest()
{
    IEntitySession session1 = DomainApp.OpenSession();
    IEntitySession session2;

    // create Room
    IRoom room1 = session1.NewEntity<IRoom>();
    room1.Number = 221;
    room1.Building = session1.NewEntity<IBuilding>();
    room1.Building.Name = "Building 1";

    session1.SaveChanges();
    Assert.IsNotNull(room1, "Create and save of IRoom item failed.");

    // read Room
    session2 = DomainApp.OpenSession();
    IRoom room2 = session2.GetEntity<IRoom>(room1.Id);
    Assert.IsNotNull(room2, "Retrieval of new IRoom item failed.");
    Assert.IsTrue(RoomTest.CompareItems(room1, room2), "Retrieved IRoom item match with created item failed.");

    // search Room
    session2 = DomainApp.OpenSession();
    room2 = (from i in session2.EntitySet<IRoom>()
             where i.Number == room1.Number
             select i).FirstOrDefault();
    Assert.IsNotNull(room2, "Search of new IRoom item failed.");

    // update Room
    room1.Number = 222;
    room1.Building.Name = "Building 1a";
    session1.SaveChanges();
    session2 = DomainApp.OpenSession();
    room2 = session2.GetEntity<IRoom>(room1.Id);
    Assert.IsNotNull(room2, "Retrieval of updated IRoom item failed.");
    Assert.IsTrue(RoomTest.CompareItems(room1, room2), "Retrieved IRoom item match with updated item failed.");

    // delete Room
    session1.DeleteEntity<IBuilding>(room1.Building);
    session1.DeleteEntity<IRoom>(room1);
    session1.SaveChanges();
    session2 = DomainApp.OpenSession();
    room2 = session2.GetEntity<IRoom>(room1.Id);
    Assert.IsNull(room2, "Delete of IRoom item failed.");
}

We start off by opening a session for our DomainApp that we will use to perform CRUD operations.  We use a second session in the test to verify update operations.

Creating an item

See the “create Room” portion of the test above.  We use the NewEntity call to create an IRoom that will be tracked as a created (new) item:

C#
IRoom room1 = session1.NewEntity<IRoom>();

You can populate your IRoom as you wish, and then save changes for your session.  If you are in the debugger, you will notice that before the save, the IRoom is in the “New” state and has an automatically generated Guid, and after the save the IRoom is in the “Loaded” state.

You will notice that an IBuilding was also created:

C#
room1.Building = session1.NewEntity<IBuilding>();

All we had to do is set the reference to the new IBuilding.  Changes are tracked for us, and details such as foreign key values are handled for us.  Easy!

If you run into issues in the edited data, reverting changes in your session is easy, you just need to call CancelChanges().

Retrieving an item

See the “read Room” portion of the test above.  Getting an item by primary key is easy with the GetEntity call. In the debugger, you will notice that the retrieved IRoom is in the “Loaded” state.

Searching for an item

See the “search Room” portion of the test above.  This is just a simple LINQ query to retrieve an IRoom by room number.  With full LINQ support, you can build up complex queries, with joins and groupings, paging, etc.

Updating an item

See the “update Room” portion of the test above.  Since your entities are self-tracking, all we have to do is update whatever properties we want (including references).  When you are done, save changes for your session.

In the debugger, you will notice that the updated IRoom is in the “Modified” state before saving changes and “Loaded” state after the save.

Deleting an item

See the “delete Room” portion of the test above.  Marking items for deletion is simple by using the DeleteEntity call:

C#
session1.DeleteEntity<IBuilding>(room1.Building);
session1.DeleteEntity<IRoom>(room1);

 

As before, save changes when you are done.  In the debugger, you will notice that the updated IRoom (and associated IBuilding) is in the “Deleting” state before saving changes and “Fantom” state after the save.

Handling changes to your database

Take a look at the generated schema in your database if you haven’t already done so.  Now we want to make some changes.

Go ahead and add some properties to your data model.  In my case, I added a Name and a Capacity to IRoom:

C#
[Entity]
public interface IRoom
{
    [PrimaryKey, Auto]
    Guid Id { get; set; }

    int Number { get; set; }

    string Name { get; set; }

    int Capacity { get; set; }

    IBuilding Building { get; set; }
}

I made corresponding additions in the “create Room” test to populate these new properties:

C#
room1.Name = "My Room";
room1.Capacity = 77;

Go ahead and rerun the tests.  During the test run, when the EntityApp is initialized and connected, the schema changes (additions) are applied automatically, and the tests pass.

Go ahead and make a couple of additions and deletions (of your additions) to your entities and rerun the tests.  VITA will automatically apply your changes.  The only issue you might run into is if a change violates a constraint in your existing data.  We will address how to deal with that later.

Go ahead and revert all of your changes before moving forward.

RESTful web services

The VITA framework is fully integrated with MS WebApi framework, and we want to create some RESTful services that we can use wherever we need to.  Let’s start building some services in a data services project (see Basic.DS project for details).  Note that we will cover slim api in the next example.

Api controllers

We want to build an api controller for each entity in our data model to provide the services.  This is a simple process using VITA’s BaseApiController.  We will walk through creating a controller for IRoom:

C#
public class RoomsController : BaseApiController
{
}

Examine the following method to search for IRoom items:

C#
        [HttpGet, Route("api/rooms")]
        public QueryResults<RoomDto> GetRooms([FromUri] RoomQuery query)
        {
            var session = OpenSession();
            query = query ?? new RoomQuery();
            if (query.Take == 0) query.Take = 10;
            
            // Build where clause
            Guid buildingId;
            Guid.TryParse(query.BuildingId, out buildingId);
            var where = session.NewPredicate<IRoom>();
            where = where
                .AndIf(query.Number != 0, i => i.Number == query.Number.Value)
                .AndIf(buildingId != Guid.Empty, i => i.Building.Id == buildingId);
            
            // Build order by
            Dictionary<string, string> orderByMapping = new Dictionary<string, string>(StringComparer.InvariantCultureIgnoreCase)
            {
                { "id", "Id" },
                { "number", "Number" },
                { "building_name", "Building.Name" },
            };
            
            QueryResults<RoomDto> results = new QueryResults<RoomDto>(session.ExecuteSearch(where, query, i => i.ToDto(), null, orderByMapping));
            results.CanCreate = true;
            
            return results;
        }

VITA provides a convenient ExecuteSearch method to provide paginated data based on your input criteria.  The first step is to use NewPredicate<IRoom> to build up a where clause with optional criteria in the RoomQuery. The predicate building provides a number of extension methods such as True and AndIfNotEmpty for building up your where clause.  Next, build up a dictionary of order by cases, where the dictionary key is the order by name and value is the order by property (can be deep properties such as Building.Name).  Then, calling ExecuteSearch provides a page of ordered results (the results includes the total items in the search).  Note that the input query has a order by property that specifies which property to order by.  The order property can be a column delimited list of names in the dictionary (appending -desc to a name specifies descending sort).

I’m not going to show the details here, but in the example you will find additional support classes for transferring and providing data:

  • Query classes (such as RoomQuery) – These classes merely make it simpler to pass in optional search criteria for search methods, used in the query parameter above.
  • Dto classes (such as RoomDto) – These classes are a concrete representation of data model entities.  The properties essentially match those in the corresponding interfaces (such as IRoom).
  • Dto extensions (such as RoomDtoExtensions) – These extensions are used to make it easier to transfer data from VITA into the dto object equivalents, as seen in the ToDto call above.

Examine the following controller method to get an IRoom item:

C#
       [HttpGet, Route("api/rooms/{id}")]
        public RoomDto GetRoom(Guid id)
        {
            var session = OpenSession();
            var item = session.GetEntity<IRoom>(id);
            if (item == null)
            {
                WebContext.CustomResponseStatus = HttpStatusCode.BadRequest;
                WebContext.ResponseBody = String.Format("Room with ID '{0}' not found.", id);
                return null; 
            }
            RoomDto itemDto = item.ToDto(true);
            Type[] blockingEntities;
            itemDto.CanDelete = itemDto.CanDelete && session.CanDeleteEntity<IRoom>(item, out blockingEntities);
            return itemDto;
        }

Here we use GetEntity<IRoom> to get an IRoom by id.  The built-in WebContext property and extension methods makes it easy to provide an HTTP friendly response with expected error codes and messaging.

One feature to point out here is the CanDeleteEntity<IRoom> call.  This built in method checks if there are any foreign key references that would block the successful deletion of this item.  I created the CanDelete property that can be utilized by the UI to disable delete if it will cause foreign key violations.

Examine the following controller methods to create and update IRoom items:

C#
        [HttpPost, Route("api/rooms")]
        public RoomDto CreateRoom(RoomDto item)
        {
            return CreateUpdateRoom(item, create: true);
        }
        
        [HttpPut, Route("api/rooms")]
        public RoomDto UpdateRoom(RoomDto item)
        {
            return CreateUpdateRoom(item, create: false);
        }
        
        private RoomDto CreateUpdateRoom(RoomDto item, bool create)
        {
            var session = OpenSession();
            item.Validate(OpContext);
            OpContext.ThrowValidation(); //will throw if any faults had been detected; will return BadRequest with list of faults in the body
            IRoom updateItem;
            if (create)
            {
                updateItem = session.NewEntity<IRoom>();
            }
            else
            {
                updateItem = session.GetEntity<IRoom>(item.Id);
                OpContext.ThrowIfNull(updateItem, ClientFaultCodes.ObjectNotFound, "Room", "Room with ID '{0}' not found.", item.Id);
            }
            if (create)
            {
                
            }
            updateItem.Number = item.Number;
            updateItem.Building = session.GetEntity<IBuilding>(item.BuildingId);
            session.SaveChanges();
            return updateItem.ToDto(true);
        }

As with the test example, we use NewEntity<IRoom> or GetEntity<IRoom> to create or get an IRoom to update.  VITA provides extensions to the built in operation context OpContext to make it easy to manage and provide a response for client faults.  The dto class Validate() method makes use of some validation extensions (the validation below is for an IBuilding):

C#
public void Validate(OperationContext context)
{
    context.ValidateNotEmpty(Name, "Name", "Name may not be empty.");
    context.ValidateMaxLength(Name, 50, "Name", "Name text is too long.");
}

The ThrowValidation() extension will throw if any faults have been detected, and return a BadRequest with the list of faults.  You can also throw specific client faults with extensions such as ThrowIfNull().  Here we throw a fault if an item requested to be updated is not found.

Just as with the test example, call SaveChanges() to save the changes to the self-tracking entities, and CancelChanges() if you need to.

Finally, examine the following controller method to delete an IRoom item:

C#
        [HttpDelete, Route("api/rooms/{id}")]
        public void DeleteRoom(Guid id)
        {
            var session = OpenSession();
            var item = session.GetEntity<IRoom>(id);
            OpContext.ThrowIfNull(item, ClientFaultCodes.ObjectNotFound, "Room", "Room with ID '{0}' not found.", id);
            session.DeleteEntity(item);
            session.SaveChanges();
        }
        }

As with the test example, we use DeleteEntity() to delete an IRoom, and SaveChanges() to perform the actual delete.  As with the update case, we a throw a client fault if an item requested to be deleted is not found.

Review the overall api controllers and support classes in the example download.

Packaging and configuration

It’s a good idea to package up your web api services into a class library that can be configured and used as you need to.  The core code to configure the services is as follows:

C#
   public static class DomainWebApiConfig
    {
        public static void Register(HttpConfiguration <a>config</a>)
        {
            var app = DomainAppConfig.SetupApp();
            WebHelper.ConfigureWebApi(config, app);
            config.EnsureInitialized();
        }
    }

    public static partial class DomainAppConfig
    {
        public static DomainApp SetupApp()
        {
            // set up application
            var protectedSection = (NameValueCollection)ConfigurationManager.GetSection("protected");
            var domainApp = new DomainApp();
            domainApp.Init();
            var connString = protectedSection["MsSqlConnectionString"];
            var driver = MsSqlDbDriver.Create(connString);
            var dbOptions = MsSqlDbDriver.DefaultMsSqlDbOptions;
            var dbSettings = new DbSettings(driver, dbOptions, connString, modelUpdateMode: DbModelUpdateMode.Always);
            domainApp.ConnectTo(dbSettings);
            
            return domainApp;
        }
    }

Notice that the setting up of the EntityApp is virtually identical to the test example.

AngularJS application

This article isn’t about building UI applications, but we need to build a basic one to be able to really show VITA’s features, particularly WebApi supporting ones.  I will show you some snippets to give you an idea of the application structure and leave it to you to dig deeper.

The UI application is a single page application for basic administration.  The key elements of this application are:

  • MVC home controller/view – This is an mvc application with a home controller to present the home page or main view.  This didn’t need to be an MVC app as Angular will be used to do all of the work, but I thought it was a good idea to do in case you would ever need a traditional MVC controller for some functions.  Angular works well with these controllers too.
  • AngularJS module – The overall module to manage the application with angular controllers, services, and (template) views, etc.
  • AngularJS controllers, services, and templates – Each entity in our data model has a controller, a service, and set of templates to provide UI functionality to administer that entity.  The angular services will make the web api calls to our VITA data services which in turn will manage the data.

Let’s start going through some UI code (see Basic.UI project for details).

Utilizing our web api services

To utilize our class library web api services, we just need to register our DomainWebApiConfig during the start of our MvcApplication (global.asax):

C#
public class MvcApplication : System.Web.HttpApplication
{
    protected void Application_Start()
    {
        DomainWebApiConfig.Register(GlobalConfiguration.Configuration);

        RouteConfig.RegisterRoutes(RouteTable.Routes);
        BundleConfig.RegisterBundles(BundleTable.Bundles);
    }
}

Angular module

In building Angular SPAs, I personally love the ui routing and state manage features that allow you to easily manage and update multiple views.  So, this is the approach taken with each of the example applications.

Following is a condensed view of the angular module (DomainApp.js) with just roomrelated information :

JavaScript
var DomainApp = angular.module('DomainApp', ['ui.router', 'ui.bootstrap', 'angularValidator', 'ngCookies']);

// add controllers, services, and factories
DomainApp.controller('RoomsController', RoomsController);
DomainApp.service('RoomsService', RoomsService);

var configFunction = function ($stateProvider, $httpProvider, $locationProvider) {
   
    $stateProvider
        .state('roomSearch', {
            url: '/rooms?number&buildingId&orderBy&descending&page&pageSize',
            views: {
                "searchView": {
                    templateUrl: '/Templates/rooms/Search.html',
                    controller: RoomsController
                }
            }
        })
        .state('roomResults', {
            url: '/rooms/Results?number&buildingId&orderBy&descending&page&pageSize',
            views: {
                "detailView": {
                    templateUrl: '/Templates/rooms/Results.html',
                    controller: RoomsController
                }
            }
        })
        .state('roomGet', {
            url: '/rooms/get?id',
            views: {"detailView": {
                    templateUrl: '/Templates/rooms/Get.html',
                    controller: RoomsController
                }
            }
        })
        .state('roomCreate', {
            url: '/rooms/create?buildingId',
            views: {
                "detailView": {
                    templateUrl: '/Templates/rooms/Create.html',
                    controller: RoomsController
                }
            }
        })
        .state('roomUpdate', {
            url: '/rooms/update?id',
            views: {
                "detailView": {
                    templateUrl: '/Templates/rooms/Update.html',
                    controller: RoomsController
                }
            }
        })
        .state('roomDelete', {
            url: '/rooms/delete?id',
            views: {
                "detailView": {
                    templateUrl: '/Templates/rooms/Delete.html',
                    controller: RoomsController
                }
            }
        })
        .state('home', {
            url: '/'
        });
}
configFunction.$inject = ['$stateProvider', '$httpProvider', '$locationProvider'];

DomainApp.config(configFunction);

For this ui-routing and state management approach, there are two views in the main page that get updated: searchView and detailView.  For each state, you define the url, and views that are updated.  For each view, you define the source for the template and the angular controller to be loaded.

Angular controller

Examine the following angular controller, which enables the views for performing CRUD operations on IRoom items.  Calls are made to the corresponding service functions to perform the operations (code below is condensed to show search only, other functions are similar):

JavaScript
var RoomsController = function($scope, $stateParams, $state, $window, $location, RoomsService, BuildingsService) {
    // data for search operations
    $scope.searchQuery = {
        number: Number($stateParams.number) || 0,
        buildingId: $stateParams.buildingId || "00000000-0000-0000-0000-000000000000",
        orderBy: $stateParams.orderBy || '',
        descending: $stateParams.descending || 'false',
        page: $stateParams.page || 1,
        pageSize: $stateParams.pageSize || 10,
        totalPages: 0,
        filter: 'none'
    };
    
    // data to get search results
    $scope.searchResults = {
        items: null,
        totalPages: 0,
        totalItems: 0,
        hasResults: false,
        canCreate: true
    };
    
    // data to get an item
    $scope.itemQuery = {
        id: $stateParams.id || "00000000-0000-0000-0000-000000000000",
        itemFound: false
    };
    
    // data for create, update, and delete operations
    $scope.itemForm = {
        number: 0,
        buildingId: $stateParams.buildingId || "00000000-0000-0000-0000-000000000000",
        buildings: null,
        canEdit: false,
        canDelete: false
    };
    
    // status on any operation
    $scope.status = {
        isReadOnly: false,
        isError: false,
        errorMessage: '',
        isSuccess: false,
        successMessage: ''
    };
    
    $scope.navbarProperties = {
        isCollapsed: true
    };
    
    // search api
    $scope.search = function () {
        $scope.searchQuery.filter = '';
        if ($scope.searchQuery.number != 0) {
            if ($scope.searchQuery.filter != '') {
                $scope.searchQuery.filter = $scope.searchQuery.filter + ', ';
            }
            $scope.searchQuery.filter = $scope.searchQuery.filter + 'Number: ' + $scope.searchQuery.number;
        }
        if ($scope.searchQuery.buildingId != "00000000-0000-0000-0000-000000000000") {
            if ($scope.searchQuery.filter != '') {
                $scope.searchQuery.filter = $scope.searchQuery.filter + ', ';
            }
            $scope.searchQuery.filter = $scope.searchQuery.filter + 'Building Id: ' + $scope.searchQuery.buildingId;
        }
        if ($scope.searchQuery.filter == '') {
            $scope.searchQuery.filter = 'none';
        }
        var orderBy = $scope.searchQuery.orderBy;
        if ($scope.searchQuery.descending == 'true') {
            orderBy = orderBy + '-desc';
        }
        var result = RoomsService.searchRooms($scope.searchQuery.number, $scope.searchQuery.buildingId, orderBy, $scope.searchQuery.page, $scope.searchQuery.pageSize);
        result.then(function(result) {
            if (result.isSuccess) {
                $scope.searchResults.items = result.items;
                $scope.searchResults.totalPages = Math.ceil(1.0 * result.totalItems / $scope.searchQuery.pageSize);
                $scope.searchResults.totalItems = result.totalItems;
                $scope.searchResults.hasResults = true;
                $scope.searchResults.canCreate = result.canCreate;
            } else {
                $scope.status.isError = true;
                $scope.status.isSuccess = false;
                $scope.status.errorMessage = result.message;
            }
        });
    }
    
    $scope.refreshSearch = function () {
        $state.go('roomResults', {
            'number': $scope.searchQuery.number,
            'buildingId': $scope.searchQuery.buildingId,
            'orderBy': $scope.searchQuery.orderBy,
            'descending': $scope.searchQuery.descending,
            'page': $scope.searchQuery.page,
            'pageSize': $scope.searchQuery.pageSize
        });
    }
    
    // get api
    $scope.get = function (isEdit) {
        var result = RoomsService.getRoom($scope.itemQuery.id);
        result.then(function(result) {
            if (result.isSuccess) {
                $scope.status.isSuccess = true;
                $scope.itemForm.id = result.data.Id;
                $scope.itemForm.number = result.data.Number;
                $scope.itemForm.buildingId = result.data.BuildingId;
                $scope.itemForm.canEdit = result.data.CanEdit;
                $scope.itemForm.canDelete = result.data.CanDelete;
                if (isEdit == true && $scope.itemForm.canEdit == false) {
                    $scope.status.isReadOnly = true;
                }
                $scope.init();
            } else {
                $scope.status.isError = true;
                $scope.status.isSuccess = false;
                $scope.status.errorMessage = result.message;
            }
        });
    }
    
    // create api
    $scope.create = function () {
        var result = RoomsService.createRoom($scope.itemForm.number, $scope.itemForm.buildingId);
        result.then(function(result) {
            if (result.isSuccess) {
                $scope.status.isSuccess = true;
                $scope.status.isReadOnly = true;
                $scope.status.isError = false;
                $scope.status.successMessage = "Room item successfully created."
            } else {
                $scope.status.isError = true;
                $scope.status.isSuccess = false;
                $scope.status.errorMessage = result.message;
            }
        });
    }
    
    // update api
    $scope.update = function () {
        var result = RoomsService.updateRoom($scope.itemForm.id, $scope.itemForm.number, $scope.itemForm.buildingId);
        result.then(function(result) {
            if (result.isSuccess) {
                $scope.status.isSuccess = true;
                $scope.status.isReadOnly = true;
                $scope.status.isError = false;
                $scope.status.successMessage = "Room item successfully updated."
            } else {
                $scope.status.isError = true;
                $scope.status.isSuccess = false;
                $scope.status.errorMessage = result.message;
            }
        });
    }
    
    // delete api
    $scope.delete = function () {
        var result = RoomsService.deleteRoom($scope.itemQuery.id);
        result.then(function(result) {
            if (result.isSuccess) {
                $scope.status.isSuccess = true;
                $scope.status.isReadOnly = true;
                $scope.status.isError = false;
                $scope.status.successMessage = "Room item successfully deleted."
            } else {
                $scope.status.isError = true;
                $scope.status.isSuccess = false;
                $scope.status.errorMessage = result.message;
            }
        });
    }
}

RoomsController.$inject = ['$scope', '$stateParams', '$state', '$window', '$location', 'RoomsService''BuildingsService'];

Angular service

Examine the following angular service, which has functions that perform the CRUD operations on IRoom items by calling the VITA enhanced web api services.  Success and error response information for each function is then returned (note that you have easy access to response data, status, headers, and config info):

JavaScript
var RoomsService = function ($http, $q) {
    this.searchRooms = function (number, buildingId, orderBy, page, pageSize) {
        var deferredObject = $q.defer();
        var results = {
            isSuccess: true,
            message: '',
            items: null,
            totalItems: 0,
            canCreate: true
        }
        var searchQuery = {
            Number: number,
            BuildingId: buildingId,
            OrderBy: orderBy,
            Skip: (page - 1) * pageSize,
            Take: pageSize
        };
        if (searchQuery.Skip < 0) searchQuery.Skip = 0;
        
        $http.get('/api/rooms', { params: searchQuery }).
            success(function (data) {
                results.items = data.Results;
                results.totalItems = data.TotalCount;
                results.canCreate = data.CanCreate;
                deferredObject.resolve(results);
            }).
            error(function (data, status, headers, config) {
                results.isSuccess = false;
                results.message = 'Could not search for Room items: ';
                if (typeof data == "string") {
                    results.message = results.message + ' ' + data;
                } else {
                    for (var i = 0; i < data.length; i++) {
                        results.message = results.message + ' ' + data[i].Message;
                    }
                }
                deferredObject.resolve(results);
            });
        
        return deferredObject.promise;
    };
    
    this.getRoom = function (id) {
        var deferredObject = $q.defer();
        var results = {
            isSuccess: true,
            message: '',
            data: null
        }
        
        $http.get('/api/rooms/' + id).
            success(function (data) {
                results.data = data;
                deferredObject.resolve(results);
            }).
            error(function (data, status, headers, config) {
                results.isSuccess = false;
                results.message = 'Could not get Room item:';
                if (typeof data == "string") {
                    results.message = results.message + ' ' + data;
                } else {
                    for (var i = 0; i < data.length; i++) {
                        results.message = results.message + ' ' + data[i].Message;
                    }
                }
                deferredObject.resolve(results);
            });
        
        return deferredObject.promise;
    };
    
    this.listRoom = function (id) {
        var deferredObject = $q.defer();
        var results = {
            isSuccess: true,
            message: '',
            data: null
        }
        
        $http.get('/api/roomslist', { params: { take: 100, id: id } }).
            success(function (data) {
                results.data = data;
                deferredObject.resolve(results);
            }).
            error(function (data, status, headers, config) {
                results.isSuccess = false;
                results.message = 'Could not get Room list:';
                if (typeof data == "string") {
                    results.message = results.message + ' ' + data;
                } else {
                    for (var i = 0; i < data.length; i++) {
                        results.message = results.message + ' ' + data[i].Message;
                    }
                }
                deferredObject.resolve(results);
            });
        
        return deferredObject.promise;
    };
    
    this.createRoom = function (number, buildingId) {
        var deferredObject = $q.defer();
        var results = {
            isSuccess: true,
            message: '',
            data: null
        }
        var itemData = {
            Number: number, 
            BuildingId: buildingId
        };
        
        $http.post('/api/rooms', itemData).
            success(function (data) {
                results.data = data;
                deferredObject.resolve(results);
            }).
            error(function (data, status, headers, config) {
                results.isSuccess = false;
                results.message = 'Could not create Room item:';
                if (typeof data == "string") {
                    results.message = results.message + ' ' + data;
                } else {
                    for (var i = 0; i < data.length; i++) {
                        results.message = results.message + ' ' + data[i].Message;
                    }
                }
                deferredObject.resolve(results);
            });
        
        return deferredObject.promise;
    };
    
    this.updateRoom = function (id, number, buildingId) {
        var deferredObject = $q.defer();
        var results = {
            isSuccess: true,
            message: '',
            data: null
        }
        var itemData = {
            Id: id, 
            Number: number, 
            BuildingId: buildingId
        };
        
        $http.put('/api/rooms', itemData).
            success(function (data) {
                results.data = data;
                deferredObject.resolve(results);
            }).
            error(function (data, status, headers, config) {
                results.isSuccess = false;
                results.message = 'Could not update Room item:';
                if (typeof data == "string") {
                    results.message = results.message + ' ' + data;
                } else {
                    for (var i = 0; i < data.length; i++) {
                        results.message = results.message + ' ' + data[i].Message;
                    }
                }
                deferredObject.resolve(results);
            });
        
        return deferredObject.promise;
    };
    
    this.deleteRoom = function (id) {
        var deferredObject = $q.defer();
        var results = {
            isSuccess: true,
            message: '',
            data: null
        }
        
        $http.delete('/api/rooms/' + id).
            success(function (data) {
                results.data = data;
                deferredObject.resolve(results);
            }).
            error(function (data, status, headers, config) {
                results.isSuccess = false;
                results.message = 'Could not delete Room item:';
                if (typeof data == "string") {
                    results.message = results.message + ' ' + data;
                } else {
                    for (var i = 0; i < data.length; i++) {
                        results.message = results.message + ' ' + data[i].Message;
                    }
                }
                deferredObject.resolve(results);
            });
        
        return deferredObject.promise;
    };
}

RoomssService.$inject = ['$http', '$q'];

Admin tool UI

Following is a screen shot of the admin tool.  Go ahead and dig deeper, examining and running the application to manage your data.

Image 2

Digging deeper with VITA modules

In the VITA basics section, we went through many of VITA’s core features.  In this example, we are going to go a little deeper with a larger data model, and utilize one of VITA’s additional modules:  Logging.  We will also illustrate some computed properties and views, and utilize Slim Api.  Follow along with the Northwind Example Solution download, which has the following projects:

  • Northwind.VITA – The VITA managed data model with additional modules, and related packaging.  This assembly also includes the Slim Api controllers.
  • Northwind.Tests – Some basic CRUD tests for exercising your VITA managed data model.  Create a test MS SQL database matching the DbConnectionString config value.
  • Northwind.DS – A library of web api services and related materials.
  • Northwind.UI – An MVC/AngularJS single page web application utilizing the web api services and additional modules.  Create an MS SQL database matching the DbConnectionString config value.

Northwind example

Northwind is a common sample database, and we want to use that familiar structure as our data model for this example.  Our desired database schema looks like the following:

Image 3

Data model with additional attributes

In building real world applications, we need to be able to tailor our data model to meet exacting requirements for a variety of situations.  VITA does not disappoint in that regard.  Review the example download to view the complete data model for this Northwind case.  I will just show some excerpts to illustrate some features that enable you to tailor your data model.

Data model example

View the example data model interface for ICategory:

C#
    [Entity(Name="Category", TableName="Categories")]
    [Paged, OrderBy("CategoryName")]
    public partial interface ICategory
    {
        [Column("CategoryID"), PrimaryKey, ClusteredIndex(IndexName="PK_Categories"), Identity]
        int CategoryID { get; set; }
       
        [Column("CategoryName", Size = 15), Index(IndexName="CategoryName")]
        string CategoryName { get; set; }
       
        [Column("Description"), Nullable, Unlimited]
        string Description { get; set; }
       
        [OrderBy("ProductName")]
        IList<IProduct> Products { get; }
    }

Entity level attributes

VITA provides a number of optional attributes to tailor how your entities/tables are managed.  Some of these attributes include:

  • Entity – This is a required attribute, but you can optionally specify the name of the table and/or the name of the entity type.
  • Paged – For larger tables, use this attribute to trigger VITA to generate stored procedures with paging.
  • OrderBy – Use this attribute to trigger VITA to generate default ordering in listing stored procedures.

Property level attributes

VITA provides a number of optional attributes to tailor how your columns/properties are managed.  Some of these attributes include:

  • Column – You can tailor the name, Size and specific db data type (DbType or DbTypeSpec) for your property.
  • ClusteredIndex – For specifying that the property should be the clustered index, can specify the name of the index.  For smaller tables, use the entity level HeapTable attribute instead, which will also affect how VITA will cache data for this entity.  Use the Index attribute for non-clustered indexes.
  • Identity – For specifying an identity primary key property.  Our basic example used the Auto attribute for automatically generated Guid primary keys.
  • Nullable – For specifying that property is nullable.
  • Unlimited – For specifying no limit to data length.
  • OrderBy – For collections, you can specify a default ordering.

Data model example

View the example data model interface for IOrderDetail:

C#
[Entity(Name="OrderDetail", TableName="Order Details")]
[PrimaryKey("Order,Product")]
[ClusteredIndex("Order,Product", IndexName="PK_Order_Details")]
[Paged]
public partial interface IOrderDetail
{
    [Column("UnitPrice", DbTypeSpec = "money", Scale = 4, Precision = 19)]
    decimal UnitPrice { get; set; }

    [Column("Quantity", DbType = DbType.Int16)]
    short Quantity { get; set; }

    [Column("Discount", DbTypeSpec = "real", Scale = 0, Precision = 24)]
    float Discount { get; set; }

    [EntityRef(KeyColumns = "OrderID")]
    IOrder Order { get; set; }

    [EntityRef(KeyColumns = "ProductID")]
    IProduct Product { get; set; }
}

Entity level attributes

Some additional attributes illustrated here include:

  • PrimaryKey – For composite primary keys, you can define the properties in the key at the entity level.
  • ClusteredIndex – For composite clustered indexes, you can define the properties in the index at the entity level.  Use the Index attribute for non-clustered indexes.

Property level attributes

Some additional attributes illustrated here include:

  • EntityRef – to explicitly specify foreign key column name(s). For example, for Order property default would be Order_id.

Data model example

View the (consolidated) example data model interface for IEmployee:

C#
    [Entity]
    public partial interface IEmployee
    {
        [PrimaryKey, Identity]
        int EmployeeID { get; set; }
       
        string LastName { get; set; }
        
        string FirstName { get; set; }
       
        [ManyToMany(typeof(IEmployeeTerritory))]
        IList<ITerritory> Territories { get; }
       
        [EntityRef(KeyColumns = "ReportsTo"), Nullable]
        IEmployee Employee { get; set; }
        
        [Computed(typeof(EmployeeHelper), "GetEmployeeFullName"), DependsOn("LastName,FirstName")]
        string FullName { get; }
    }

Many to many relationships

Some database tables formalize many-to-many relationships, and if these tables do not contain any useful information beyond mapping the related tables, it would be nice if we don’t have to deal with these “mapping” tables directly.

VITA provides direct support for these many-to-many relationships as illustrated in the ManyToMany attribute on the Territories property, where IEmployeeTerritory is a mapping entity/table.  Now we can just think of what territories the employee belongs to, and VITA will automatically update the mapping table when you use Add or Remove on your (Territories) list.  See the EmployeeCRUDTest in the example download to see this in action.

Computed Properties and Views

Computed properties and views allow you to transform your data in many ways as needed for your applications.

Computed properties

Notice the read only computed property FullName in the IEmployee data model item above.  Setting up computed properties is a snap.  Specify the type and method that will perform the computation, and the properties involved in the computation.  Below is the EmployeeHelper.GetEmployeeFullName() method that performs the computation for the FullName property.

C#
public static class EmployeeHelper
{
    public static string GetEmployeeFullName(IEmployee employee)
    {
        return employee.FirstName + " " + employee.LastName;
    }
}

Let's make use of this property in a test, see a portion of the EmployeeCRUDTest() test method below.  Note that we have access to employee2.FullName and get the expected first and last name.

C#
[TestMethod]
public void EmployeeCRUDTest()
{
    IEntitySession session1 = DomainApp.OpenSession();
    IEntitySession session2;

    // create Employee
    IEmployee employee1 = EmployeeTest.GetTestEmployee(session1);
    employee1.FirstName = "John";
    employee1.LastName = "Doe";
    session1.SaveChanges();
    Assert.IsNotNull(employee1, "Create and save of IEmployee item failed.");

    // read Employee
    session2 = DomainApp.OpenSession();
    IEmployee employee2 = session2.GetEntity<IEmployee>(employee1.EmployeeID);
    Assert.IsNotNull(employee2, "Retrieval of new IEmployee item failed.");
    Assert.IsTrue(EmployeeTest.CompareItems(employee1, employee2), "Retrieved IEmployee item match with created item failed.");
    Assert.AreEqual(employee2.FullName, "John Doe");
}

Views

Setting up views is a little more work, but still an easy effort.  Views are set up as part of your EntityModule as below:

C#
public class DomainModule: EntityModule
 {
     public DomainModule(EntityArea area) : base(area, "DomainModule")
     {
         RegisterEntities( typeof(ICustomer)
             , typeof(IProduct)
             , typeof(ICategory)
             , typeof(ICustomerCustomerDemo)
             , typeof(ICustomerDemographic)
             , typeof(IEmployee)
             , typeof(IEmployeeTerritory)
             , typeof(IOrderDetail)
             , typeof(IOrder)
             , typeof(IRegion)
             , typeof(IShipper)
             , typeof(ISupplier)
             , typeof(ITerritory));

         // IProductView setup
         var productQuery = from i in ViewHelper.EntitySet<IProduct>()
             select new
             {
                 ProductID = i.ProductID,
                 ProductName = i.ProductName,
                 QuantityPerUnit = i.QuantityPerUnit,
                 UnitPrice = i.UnitPrice,
                 UnitsInStock = i.UnitsInStock,
                 UnitsOnOrder = i.UnitsOnOrder,
                 ReorderLevel = i.ReorderLevel,
                 Discontinued = i.Discontinued,
                 CategoryName = i.Category.CategoryName,
                 CompanyName = i.Supplier.CompanyName,
                 ContactName = i.Supplier.ContactName,
                 ContactTitle = i.Supplier.ContactTitle,
             };
         RegisterView<IProductView>(productQuery, DbViewOptions.Materialized);
     }
 }

Here, we set up an IProductView view, using ViewHelper and essentially creating a flattened view of IProduct.  Then we register that view as part of our module using RegisterView.

Let's make use of this view in a test, see a portion of the ProductCRUDTest() test method below.  Note that we have access to the IProductView entity set, and get the expected product name from the view.

C#
[TestMethod]
public void ProductCRUDTest()
{
    IEntitySession session1 = DomainApp.OpenSession();
    IEntitySession session2;

    // create Product
    IProduct product1 = ProductTest.GetTestProduct(session1);
    product1.ProductName = "My Product";
    session1.SaveChanges();
    Assert.IsNotNull(product1, "Create and save of IProduct item failed.");

    // read Product
    session2 = DomainApp.OpenSession();
    IProduct product2 = session2.GetEntity<IProduct>(product1.ProductID);
    Assert.IsNotNull(product2, "Retrieval of new IProduct item failed.");
    Assert.IsTrue(ProductTest.CompareItems(product1, product2), "Retrieved IProduct item match with created item failed.");

    // read Product View
    var productView = session2.EntitySet<IProductView>().Where(i => i.ProductID == product2.ProductID).FirstOrDefault();
    Assert.IsNotNull(productView);
    Assert.AreEqual(product2.ProductName, productView.ProductName);

}

Additional modules

We will utilize an additional VITA modules in this example, Logging.  A VITA module is a reusable component that brings additional functionality with supporting tables into your app.  Adding modules to your application is easy.  Below we added the logging entity application to our EntityApp:

C#
    public class DomainApp: EntityApp
    {
        public DomainApp()
        {
            this.Version = "1.0.0.2";
            
            // add main area and module
            var domainArea = this.AddArea("Domain");
            MainModule = new DomainModule(domainArea);
            
            // add user transaction log, with extra tracking columns in "transaction" entities  
            var transLogStt = new TransactionLogModelExtender();
            // add columns CreatedIn and UpdatedIn - tracking user/date of create/update events
            transLogStt.AddUpdateStampColumns(new[]
            {
                      typeof(ICustomer)
                    , typeof(IProduct)
                    , typeof(ICategory)
                    , typeof(ICustomerCustomerDemo)
                    , typeof(ICustomerDemographic)
                    , typeof(IEmployee)
                    , typeof(IEmployeeTerritory)
                    , typeof(IOrderDetail)
                    , typeof(IOrder)
                    , typeof(IRegion)
                    , typeof(IShipper)
                    , typeof(ISupplier)
                    , typeof(ITerritory)
                },
                createIdPropertyName: "CreatedIn", updateIdPropertyName: "UpdatedIn");
            
            // Error log, operation log, web call log, model change log, incident log, persistent session
            this.LoggingApp = new LoggingEntityApp("log");
            LoggingApp.LinkTo(this);
    }

Logging modules

The logging module is a powerful building block for managing real world applications.  The overall Logging module includes several modules that you can pick and choose from, and we configured all of them in this example to be part of the “Log” area.  The following subsections describe configuring and using each of these logging modules.

Transaction log

Use this module to log database update transactions.  To configure this module, add a new TransactionLogModule with some TransactionLogSettings.  Notice in our settings that we configured the settings to AddUpdateStampColumns to each of our entities.

What does this do?  Notice that all of the tables now have a CreatedIn and UpdatedIn column.  When a record is created or updated, these columns are filled with the id of the corresponding database update transaction.  Tying update operations to overall transactions is a much more effective means for tracking updates that usually do involve updates to multiple records in one or more tables.  It is very common pattern to add tracking columns to tables like CreatedDateTime, UpdatedDateTime, CreatedBy, UpdatedBy.  TransactionLog allows doing the same, but using a reference to TransactionId, and the transaction record has reference to date time and current user.

Also, the following table is added (in your configured schema area) to your database:

  • TransactionLog – Each record logs details of an update transaction that occurred, including change date and details and links to user and web call information.  Each transaction record contains a list of ALL entities (PKs) of all records touched by the transaction. This log can be used when syncing databases – to find out which records were changed in db since last sync.

Operation log

Use this module to log database operations of any kind.  To configure this module, add a new OperationLogModule.  This adds the following table (in your configured schema area) to your database:

  • OperationLog – Each record logs details of a select or procedure call that was made, including parameters, date, and user info.  This log can be turned on/off on the fly, or for specific users, for detailed debugging of issues on production sites.

Error log

Use this module to log errors that may occur, whether.  To configure this module, add a new ErrorLogModule.  This adds the following table (in your configured schema area) to your database:

  • ErrorLog – Each record logs details of an exception that occurred, including date, source, message details, and links to web call and user info.

Web call log

Use this module to log web api calls.  To configure this module, add a new WebCallModule.  This adds the following table (in your configured schema area) to your database:

  • WebCallLog – Each record logs details of a web api call including date, user and location information, request and response information, and error details if errors occurred.  For an error, the system also logs all SQL calls that were made during processing automatically.

Incident log

Use this module to log general incidents.  To configure this module, add a new IncidentLogModule.  This module adds the following tables (in your configured schema area) to your database:

  • IncidentLog – Each record shows details of login failures and disabled logins after N failed attempts.
  • IncidentAlert

Slim Api

If you just need to package up a set of RESTful web services for your own applications, Slim Api is definitely a great streamlined way to build these services.  Build slim api controllers in any library without the overhead of ASP.Net WebApi libraries.  The setup for a SlimApiController is very similar to a normal web api one, the primary differents being the use of Api attrributes.  Below are the method signatures for CategoriesController, found in the VITA.CodeFirst assembly:

C#
public class CategoriesController : SlimApiController
{
    [ApiGet, ApiRoute("categories")]
    public QueryResults<CategoryDto> GetCategories([FromUrl] CategoryQuery query)
    {
    }

    [ApiGet, ApiRoute("categorieslist")]
    public QueryResults<CategoryDto> GetCategoriesList([FromUrl] int take = 100, int categoryID = 0)
    {
    }

    [ApiGet, ApiRoute("categories/{categoryid}")]
    public CategoryDto GetCategory(int categoryID)
    {
    }

    [ApiPost, ApiRoute("categories")]
    public CategoryDto CreateCategory(CategoryDto item)
    {
    }

    [ApiPut, ApiRoute("categories")]
    public CategoryDto UpdateCategory(CategoryDto item)
    {
    }

    [ApiDelete, ApiRoute("categories/{categoryid}")]
    public void DeleteCategory(int categoryID)
    {
    }
}

To utilize these controllers, register them in your EntityApp with the global route prefix:

C#
public DomainApp()
{
    this.Version = "1.0.0.2";

    // add main area and module
    var domainArea = this.AddArea("Domain");
    MainModule = new DomainModule(domainArea);

   // other enity application setup here...

    //api config
    base.ApiConfiguration.GlobalRoutePrefix = "slimapi";
    base.ApiConfiguration.RegisterControllerTypes(
        typeof(CustomersController),
        typeof(ProductsController),
        typeof(CategoriesController),
        typeof(CustomerCustomerDemosController),
        typeof(CustomerDemographicsController),
        typeof(EmployeesController),
        typeof(EmployeeTerritoriesController),
        typeof(OrderDetailsController),
        typeof(OrdersController),
        typeof(RegionsController),
        typeof(ShippersController),
        typeof(SuppliersController),
        typeof(TerritoriesController),
        typeof(ClientErrorController),
        typeof(LoggingDataController));
}

In any of these examples, you can test both the "normal" web api and slim api controllers.  In this example, compare /api/categories to /slimapi/categories.

Testing and admin tool

Go ahead and dig deeper, running the tests and running the admin tool application to manage your data, and review your info and logging related information to see these modules in action.

Diiging deeper with VITA authorization

In the previous sections, we went through many of VITA’s core features and modules.  In this example, we are going to go deeper utilizing the Authorization framework and the supporting module Login.  Follow along with the Forums Example Solution download, which has the following projects:

  • Forums.VITA – The VITA managed data model with additional modules, and related packaging.
  • Forums.Tests – Some basic CRUD tests for exercising your VITA managed data model.  Create a test MS SQL database matching the DbConnectionString config value.
  • Forums.DS – A library of web api services and related materials.
  • Forums.UI – An MVC/AngularJS single page web application utilizing the web api services, additional modules, and authorization framework.  Create an MS SQL database matching the DbConnectionString config value.

Forums example

Our final example is a forums based model, where there are a number of kinds of posts such as discussions, issues, and comments.  Our desired database schema looks like the following:

Image 4

Data model

In this example, we want to implement a common post table with the same primary key as specific tables, and for grins, implement a different table naming convention.  No problem with VITA!  Review the data model for IDiscussion and the common IPost:

C#
   [Entity(Name="Discussion", TableName="tblForums_Discussion")]
   [Paged, OrderBy("Title")]
    public partial interface IDiscussion
    {
        [PrimaryKey, EntityRef(KeyColumns = "PostID")]
        IPost Post { get; set; }
        
        [Column("Title", Size = 255), Index(IndexName="IX_Discussion_Title")]
        string Title { get; set; }
        
        [Column("DiscussionText"), Unlimited]
        string DiscussionText { get; set; }
        
        IList<IDiscussionReply> DiscussionReplies { get; }
    }

    [Entity(Name="Post", TableName="tblForums_Post")]
    [Paged, OrderBy("IntroText")]
    public partial interface IPost
    {
        [Column("PostID"), PrimaryKey, ClusteredIndex(IndexName="PK_tblForums_Post"), Auto]
        Guid PostID { get; set; }
       
        [Column("IntroText", Size = 1000), Nullable]
        string IntroText { get; set; }
       
        IList<IVote> Votes { get; }
       
        [ManyToMany(typeof(IPostTag))]
        IList<ITag> Tags { get; }
       
        [OrderBy("CommentText")]
        [OneToMany("CommentOnPost")]
        IList<IComment> CommentOnComments { get; }
       
        [EntityRef(KeyColumns = "MemberID")]
        IMember Member { get; set; }
    }

Another brilliance of the VITA interface approach to managing your data model is that your focus is only on the data model, and not on higher level design constructs.  With this forums example, you would naturally think of the information in terms of generalized and specialized information (Discussion is a type of Post, Comment is also a type of Post, etc.), and the overall system may reflect that.  VITA supports any type of simple or complex data model that you might need.  But, VITA wisely doesn’t support the notion of generalization/specialization in the data model, something that is not a directly supported relational database construct.  You define the data model exactly as you need it to support your requirements and best practices, and you translate data into the higher level interfaces/classes as you need to.  In this example, I implemented the data model as a classic TPT pattern, and merely flattened the generalized/specialized data in the dto classes (Discussion dto includes base Post information, etc.).

Additional modules

Before we get into authorization, we will utilize an additional VITA modules in this example, Login.  Below we add this module to our EntityApp (with the associated required logging application):

C#
    public class DomainApp: EntityApp
    {
        public DomainApp(string cryptoKey) : this()
        {
            var cryptoService = this.GetService<IEncryptionService>();
            var cryptoBytes = HexUtil.HexToByteArray(cryptoKey);
            if (cryptoService != null) cryptoService.AddChannel(cryptoBytes); //sets up default unnamed channel
        }

        public DomainApp()
        {
            var domainArea = this.AddArea("Domain");
            var mainModule = new DomainModule(domainArea);
           
            var loginArea = this.AddArea("Login");
           
            // add login functionality
            var loginStt = new LoginModuleSettings(passwordExpirationPeriod: TimeSpan.FromDays(180)); //uses BCrypt hashing
            loginStt.RequiredPasswordStrength = PasswordStrength.Medium; 
            // var loginStt = new LoginModuleSettings(passwordHasher: new Pbkdf2PasswordHasher()); // uses Pbkdf2 hasher - inferior method
            var loginModule = new LoginModule(loginArea, loginStt);
            //EncryptedData is used by login module
            var cryptModule = new EncryptedDataModule(loginArea);
            var templateModule = new TemplateModule(domainArea);
            
             this.LoggingApp = new LoggingEntityApp("log");
            LoggingApp.LinkTo(this);

           // add trigger to suspense login after 3 failed attempts within a minute
            var loginFailedTrigger = new Vita.Modules.Login.LoginFailedTrigger(this,
                failureCount: 3, timeWindow: TimeSpan.FromMinutes(1), suspensionPeriod: TimeSpan.FromMinutes(5));
            LoggingApp.IncidentLog.AddTrigger(loginFailedTrigger);
        }
    }

Login

Use this module to enable login functionality.  To configure this module, add a new LoginModule, with LoginModuleSettings.  Also note that you can define a trigger for login failures with timeout and ability to tie with your incident log (to log login failures).  This module adds the following tables (in your configured schema area) to your database:

  • Login – Each record records key information for a login account, including username and password info, date, and status.
  • SecretQuestion – Each record contains a question that can be used for account recovery.
  • SecretAnswer – Each record records a user’s answer to a secret question for account recovery.
  • TrustedDevice – Each record defines a trusted device (I haven’t used this feature).
  • UserSession – Each record records key information about each persistent session, including user, token, and expiration information.
  • UserSessionLastActive – Each record records the date when a given user session was last active.

How do you make use of the login feature?  Typically, you will want to tie login to a user entity in your data model.  In our case, our user entity is IMember:

C#
[Entity]
public partial interface IMember
{
    [PrimaryKey, Auto]
    Guid MemberID { get; set; }

    string DisplayName { get; set; }

    string FirstName { get; set; }

    string LastName { get; set; }

    string EmailAddress { get; set; }

    UserType Type { get; set; } //might be combination of several type flags

    IList<IVote> Votes { get; }

    IList<IPost> Posts { get; }
}

Note that we added a UserType enum property to this entity.  We will make use of this in the authorization framework.

For application use, we need a complete login and registration process, and VITA provides services that we can readily use for this.  Below, we tie login with the IMember user entity during registration (see AuthenticationController in the Forums.DS project for more details):

C#
[HttpPost, Route("api/auth/register")]
public LoginResponseDto Register(RegisterDto registerDto)
{
    // create user
    var session = OpenSession();
    IMember member = session.NewEntity<IMember>();
    member.DisplayName = registerDto.DisplayName;
    member.FirstName = registerDto.FirstName;
    member.LastName = registerDto.LastName;
    member.EmailAddress = registerDto.EmailAddress;
    member.Type = UserType.Member;
    if (registerDto.IsAdmin)
        member.Type |= UserType.Administrator;
    session.SaveChanges();

    // create login
    var login = _loginManagementService.NewLogin(session, registerDto.UserName, registerDto.Password, userId: member.MemberID, loginId: member.MemberID);
    session.SaveChanges();

    // login
    LoginDto loginDto = new LoginDto { UserName = registerDto.UserName, Password = registerDto.Password };
    return Login(loginDto);
}

At the create login step, we tie the login record with our member record.  Now we can log in and create our persistent sessions with our authentication token:

C#
[HttpPost, Route("api/auth/login")]
public LoginResponseDto Login(LoginDto loginDto)
{
    //Login using LoginService
    var loginResult = _loginService.Login(loginDto.UserName, loginDto.Password);
    if(!loginResult.Success)
        return new LoginResponseDto() { ResultCode = "LoginFailed" };

    OpContext.User = loginResult.User;
    _sessionService.StartSession(OpContext);
    var userSession = OpContext.UserSession;
    var resp = new LoginResponseDto() {ResultCode = "Success", AuthenticationToken = userSession.Token };
    return resp;
}

And of course we can logout to end our session:

C#
[HttpDelete, Route("api/auth/login"), AuthenticatedOnly]
public void Logout()
{
    _loginService.Logout(OpContext.User);
    var userSession = OpContext.UserSession;
    if(userSession != null)
    {
        _sessionService.EndSession(OpContext);
    }
}

Authorization framework

Of all of VITA’s additional features, I think the Authorization framework really stands out over other frameworks out there.  With this framework, you can easily define rules using entity resources, filters, permissions, and activities to precisely determine what a user can do, even down to the property level.  We are going to go through a basic scenario here.

Authorization roles and rules

For our forums application, we want 3 types of users with the following rules:

  • Public – A non-logged in user that can view anything.
  • Member – A logged in user that can view anything and create/edit/delete their own posts.
  • Admin – A logged in user that can view and create/edit/delete anything.

Following is the core of the DomainAuthorizationHelper class that defines these roles and rules:

C#
   public static class DomainAuthorizationHelper
    {
        public static void EnsureInitialized()
        {
           var memberDataFilter = new AuthorizationFilter("MemberData");
            memberDataFilter.Add<IMember, Guid>((i, userId) => i.MemberID == userId);
            memberDataFilter.Add<IComment, Guid>((i, userId) => i.Post.Member.MemberID == userId);
            memberDataFilter.Add<IDiscussion, Guid>((i, userId) => i.Post.Member.MemberID == userId);
            memberDataFilter.Add<IDiscussionReply, Guid>((i, userId) => i.Post.Member.MemberID == userId);
            memberDataFilter.Add<IIssue, Guid>((i, userId) => i.Post.Member.MemberID == userId);
            memberDataFilter.Add<IIssueReply, Guid>((i, userId) => i.Post.Member.MemberID == userId);
            memberDataFilter.Add<IPost, Guid>((i, userId) => i.Member.MemberID == userId);
            memberDataFilter.Add<IPostTag, Guid>((i, userId) => i.Post.Member.MemberID == userId);
            memberDataFilter.Add<IVote, Guid>((i, userId) => i.Member.MemberID == userId);
            
            // Entity resources
            var entities = new EntityGroupResource("Entities"
                , typeof(IComment)
                , typeof(IDiscussion)
                , typeof(IDiscussionReply)
                , typeof(IIssue)
                , typeof(IIssueReply)
                , typeof(IPost)
                , typeof(IIssueStatus)
                , typeof(ITag)
                , typeof(IPostTag)
                , typeof(IVote));
            var members = new EntityGroupResource("Members", typeof(IMember));
            
            // Permissions
            var browseAll = new EntityGroupPermission("BrowseAll", AccessType.Read, entities, members);
            var register = new EntityGroupPermission("Register", AccessType.Create, members);
            var manageAccount = new EntityGroupPermission("ManageAccount", AccessType.CRUD, members);
            var manageEntities = new EntityGroupPermission("ManageEntities", AccessType.CRUD, entities);
            
            // Activities
            var browsing = new Activity("Browsing", browseAll);
            var registering = new Activity("Registering", register);
            var editing = new Activity("Editing", manageAccount, manageEntities);
            
            // Roles
            // Public role can browse through anything and register
            PublicUser = new Role("PublicUser", browsing, registering);
            // Member role can browse and edit own stuff
            MemberUser = new Role("MemberUser");
            MemberUser.ChildRoles.Add(PublicUser);
            MemberUser.Grant(memberDataFilter, editing);
            // Admin role can browse and edit anything
            AdminUser = new Role("AdminUser", editing);
            AdminUser.ChildRoles.Add(MemberUser);
            AdminUser.ChildRoles.Add(PublicUser);
        }
    }

We configured the roles and rules above as follows:

  • Data Filter – A data filter is an object that answers a simple question – is this entity X connected to user Y?  If yes, the associated permission is enabled.  We set up a memberDataFilter to filter all of the types of posts and the member entity by the currently logged in member.  We get the current user id from UserIdReader().
  • Entity Resources – We define 2 groups of entity resources, members for the IMember entity, and entities for everything else.  We want to be able to let a public user create an IMember record during registration.
  • Permissions – We define 4 permissions, browseAll to be able to read entites and members resources, register to be able to create members resource, manageAccount to be able to edit members resource, and manageEntities to be able to edit entities resources.
  • Activities – We define 3 activities, browsing to utilize browseAll permissions, registering to utilize register permissions, and editing to utilize manageAccount and manageEntities permissions.
  • Roles – Our roles are defined as:
    • PublicUser – A public user can perform the browsing activity to view anything, and can perform the registering activity to register.
    • MemberUser – A member can perform public user activities, and can perform the editing activity for items that pass the memberDataFilter.
    • AdminUser – An admin can perform public and member user activities, and can perform the editing activity for all items.

Make sense?

To wire up these roles and rules, we need to override GetUserRoles in our EntityApp:

C#
public override IList<Role> GetUserRoles(UserInfo user)
{
    DomainAuthorizationHelper.EnsureInitialized();
    var list = new List<Role>();
    switch(user.Kind)
    {
        case UserKind.Anonymous:
            list.Add(DomainAuthorizationHelper.PublicUser);
            return list;
        case UserKind.AuthenticatedUser:
            var session = this.OpenSystemSession();
            var iUser = session.GetEntity<IMember>(user.UserId);
            var roles = DomainAuthorizationHelper.GetRoles(iUser.Type);
            return roles;
    }
    return new List<Role>();
}

Utilizing authorization

Now let’s take another look at a couple of web api controller methods for IDiscussion (see DiscussionsController in Forums.DS project):

C#
        [HttpGet, Route("api/discussions/{postid}")]
        public DiscussionDto GetDiscussion(Guid postID)
        {
            var session = OpenSecureSession();
            var item = session.GetEntity<IDiscussion>(postID);
            if (item == null)
            {
                WebContext.CustomResponseStatus = HttpStatusCode.BadRequest;
                WebContext.ResponseBody = String.Format("Discussion with ID '{0}' not found.", postID);
                return null; 
            }
            DiscussionDto itemDto = item.ToDto(true);
            Type[] blockingEntities;
            itemDto.CanDelete = itemDto.CanDelete && session.CanDeleteEntity<IDiscussion>(item, out blockingEntities);
            return itemDto;
        }

        [HttpPost, Route("api/discussions"), AuthenticatedOnly]
        public DiscussionDto CreateDiscussion(DiscussionDto item)
        {
            return CreateUpdateDiscussion(item, create: true);
        }

Now that we have our framework in place, we can make direct use of a couple of things:

  • Secure sessions – Now we can use OpenSecureSession() to open a secure session for both logged in and public users.  A secure session is a session associated with particular user (current logged in user), and all data operations are verified against user permissions; it enables VITA’s entity access authorization, so that we can make use of our authorization roles and rules.
  • Authenticate requests – Now we can use the AuthenticatedOnly attribute to allow requests for only logged in users.  If a user is not authenticated, VITA will throw an authenticated required exception, resulting in a BadRequest response.

Now, let’s take a look at the IDiscussion dto extension class:

C#
public static class DiscussionDtoExtensions
{
     public static DiscussionDto ToDto(this IDiscussion discussion)
     {
         var discussionDto = new DiscussionDto()
         {
             Title = discussion.Title,
             DiscussionText = discussion.DiscussionText,
             PostID = discussion.Post.PostID,
             IntroText = discussion.Post.IntroText,
             CanEdit = true,
             CanDelete = true
         };
         var permissions = EntityHelper.GetEntityAccess(discussion);
         discussionDto.CanEdit = permissions.CanUpdate();
         discussionDto.CanDelete = permissions.CanDelete();
         return discussionDto;
     }
 }

Here we use VITA’s EntityHelper to GetEntityAccess permissions for the discussion item.  We can peruse these permissions to check things such as if the user can peek/read/update/delete the corresponding data and do something based on those permissions.  We make use of whether the user can update or delete the data as CanEdit and CanDelete properties for the dto object, so that the UI bind to this and provide or hide functions based on permission.

Wow, how easy it is to use such a powerful authorization framework!

AngularJS application with login and authentication scenarios

The best way to get a feel for how the authorization framework works is to play around with the example admin tool application.  Register both as normal user and as an admin user (you have the power to make yourself an administrator!).  View/edit information while logged in (and out) with different user types.

Following is a view of discussions as seen by a public (not logged in) user, with only access to view information:

Image 5

Following is the same view for Bob, a non admin member.  Bob can edit his own discussions and create new ones:

Image 6

Following is the same view for an admin user.  The admin user can create and edit anything:

Image 7

Note that if Bob (non-admin user) tries to play dirty and fabricates an update service call to update an item he is not allowed to update (using Fiddler for example), then VITA authorization would intercept and throw AccessDenied exception, effectively canceling the operation.

Using VITA for real projects

This article includes some example web api applications using VITA.  But what about using VITA to build large, scalable enterprise applications in the real world?

Features

In terms of core ORM features, general application support, and in particular web api support, I think VITA stands in the top tier of the pack of available frameworks out there.  As mentioned previously, VITA particularly encourages building scalable, loosely coupled architectures.  I would have no concerns at all from a feature standpoint with using VITA on a real enterprise project.

Open source and level of support

One concern enterprise businesses often have in adopting an open source solution is in the arena of support.  How active is the project?  How many installations are out there?  How responsive is support?

The VITA open source project is very active and is unlikely to become a dead end in for foreseeable future.  A 1.1 release with updated nuget packages came out recently.  I do know that a number of additional features are in the works.  I am comfortable that VITA is not going away.

How many installations are out there and how many users of VITA?   I believe VITA is actively used in production and development of several applications running in the cloud already, and from Roman I understand VITA is running on several production servers in the cloud and is even being utilized in the International Space Station (ISS).

How many contributing members to the project are providing support?  No additional developers are listed on the site, and if I can get more data on that I will provide some info.  But I can say from experience in the Irony project that Roman is long term focused and very responsive to issues and discussions and making sure they get resolved.  I expect no less on the VITA project.

Managing production data

Being able to maintain the integrity of your production data and having the ability to apply any schema or data updates you need to is critical in any production environment.  The current approach in production environments right now is to not have VITA automatically update your schema.  Instead, use VITA's vdbtool to generate the DDL scripts for the database changes.  You edit the scripts to make any necessary changes you need to before applying the changes to production.   I plan on running some tests on this and update the article here with a couple of scenarios.

Continuing on with VITA

Below are some additional resources to help you going forward to utilize VITA and/or learn more about VITA features and capabilities.

Downloads

The easiest way to start using VITA in your .net applications is to install VITA nuget packages.  The available packages include:

  • VITA – This package includes the core ORM libraries and MS SQL Server driver.
  • VITA.Modules – TIncludes modules such as logging and login (encrypted data and party have not been covered here).
  • Vita.Web – This package includes integration of the ORM functionality with the web api stack.
  • Vita.Data.xxx – These packages are for supporting additional databases such as MS SQL CE, My SQL, PostreSql, and SQLite.

You can also download VITA from the VITA github site.

Documentation

The VITA github site is the best source for documentation on VITA’s features and capabilities, and current issues.  The VITA codeplex site may also be useful for legacy discussions and issues.

Examples

In addition to utilizing the examples in this article, if you download the source from the VITA github site, you can review and try out the BookStore example which utilizes some features in greater detail than the ones in this article.

Utilizing the latest VITA features

VITA is always on the move with new features being added at least monthly.  One downside (for me at least) is the tendency for your existing code to break when upgrading to the latest version of VITA (mostly due to ongoing refactoring).  I plan to update this article when version 2 comes out to go over some of those additional features, and update examples, etc.

In the meantime, what is the best way to update your code to accomodate the latest changes and features in VITA?  I go through these steps:

  1. I look at the  update history on github (and for versions prior to 1.8.7 I look on codeplex) where a summary is given on new features and refactoring (that may break your code) that has been done.  I generally choose to upgrade when there are bug fixes or new features I want.
  2. Download the latest source code.  In particular, peruse (and run) the sample BookStore application.  The application and associated unit tests are frequently updated to utilize the latest features.
  3. Update your application and tests, using both of the above as a guide.

VITA db tool

The source download at the VITA github site also includes a db tool (code generator) that lets you initially generate your data model from an existing database.  This provides you with a good starting point for ongoing work, especially when you have a legacy database to start with.

Mo+ templates

The sample applications were generated using Mo+.  You can use the templates found in the Mo+ VITA Templates download to generate overall application layers to your database/model as a great starting point for ongoing work.  You can use a source database for your Mo+ model, and thus do a "db first" approach with your overall application.  In any case, Mo+ will make the proper ongoing updates to all of your code based on changes you make to your Mo+ model.  Follow the instructions in the readme file in that download for instructions on getting started to utilize the templates.

In conclusion

I hope this article has given you a good look at the VITA ORM and .NET application framework, and has inspired you to look deeper into utilizing this framework.  Please post any thoughts you have below about VITA and/or the article or application downloads in general.  I for one can’t wait to use VITA on future projects!

 

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer Intelligent Coding Solutions, LLC
United States United States
I enjoy coding like an excellent beer. My particular passion and experience lies in the realm of modeling and code generation. In the late 80s and early 90s, I was involved in early modeling and code generation tools that reached the marketplace, including a tool that modeled FORTRAN programs and generated FORTRAN for parallel supercomputer architectures, and a tool that managed Shlaer-Mellor models and generated C++ code. Over the years, I have applied Shlaer-Mellor, UML, and custom modeling and various code generation techniques to greatly benefit the development of enterprise applications.

My current passion and endeavor is to foster the evolution of model oriented development. In particular, I am passionate about evolving the Mo+ model oriented programming language and related model oriented development tools, with as much community input as possible to achieve higher levels in the ability to create and maintain code. The open source site is at https://github.com/moplus/modelorientedplus.

Comments and Discussions

 
QuestionGreat article! Any chance to update for the latest .Net Core version? Pin
Jason Law26-Sep-18 15:25
Jason Law26-Sep-18 15:25 
QuestionVITA-A-Powerful-and-Flexible-ORM-and-Additional- Pin
sriya2123-Jan-18 2:27
sriya2123-Jan-18 2:27 
QuestionVITA ON WINFORMS Pin
Fidell4-Jul-17 9:38
Fidell4-Jul-17 9:38 
AnswerRe: VITA ON WINFORMS Pin
Dave Clemmer11-Jul-17 15:05
Dave Clemmer11-Jul-17 15:05 
Sure, you just use the basic ORM (domain) features and choose not use the web application building blocks. For example, the test assemblies access the ORM layer directly.
Questioni like the Pin
Member 127131909-Jan-17 22:32
Member 127131909-Jan-17 22:32 
BugVita.Basic, Route("api/rooms")] conversion error Pin
Morten Rud Jensen30-May-16 2:09
Morten Rud Jensen30-May-16 2:09 
QuestionIs VITA portable ? Pin
vlkam28-May-16 23:39
vlkam28-May-16 23:39 
AnswerRe: Is VITA portable ? Pin
Dave Clemmer29-May-16 5:13
Dave Clemmer29-May-16 5:13 
QuestionSupport for .Net Core and cross platform Pin
Morten Rud Jensen3-May-16 23:37
Morten Rud Jensen3-May-16 23:37 
AnswerRe: Support for .Net Core and cross platform Pin
Dave Clemmer4-May-16 2:24
Dave Clemmer4-May-16 2:24 
QuestionComputed Column Pin
mukhlim greatsoft29-Aug-15 8:46
professionalmukhlim greatsoft29-Aug-15 8:46 
AnswerRe: Computed Column Pin
Dave Clemmer29-Aug-15 9:27
Dave Clemmer29-Aug-15 9:27 
GeneralRe: Computed Column Pin
mukhlim greatsoft30-Aug-15 7:22
professionalmukhlim greatsoft30-Aug-15 7:22 
QuestionVITA use on real projects? - yes, VITA is flying high! Pin
Roman Ivantsov25-Feb-15 11:29
professionalRoman Ivantsov25-Feb-15 11:29 
AnswerRe: VITA use on real projects? - yes, VITA is flying high! Pin
p-ta24-Nov-15 4:57
p-ta24-Nov-15 4:57 
GeneralRe: VITA use on real projects? - yes, VITA is flying high! Pin
Roman Ivantsov24-Nov-15 8:08
professionalRoman Ivantsov24-Nov-15 8:08 
QuestionHow is this better than... Pin
João Matos Silva25-Feb-15 3:05
professionalJoão Matos Silva25-Feb-15 3:05 
AnswerRe: How is this better than... Pin
Dave Clemmer25-Feb-15 5:09
Dave Clemmer25-Feb-15 5:09 
AnswerRe: How is this better than... Pin
Roman Ivantsov25-Feb-15 7:32
professionalRoman Ivantsov25-Feb-15 7:32 
GeneralRe: How is this better than... Pin
João Matos Silva25-Feb-15 12:36
professionalJoão Matos Silva25-Feb-15 12:36 
GeneralRe: How is this better than... Pin
Roman Ivantsov25-Feb-15 21:41
professionalRoman Ivantsov25-Feb-15 21:41 
GeneralRe: How is this better than... Pin
João Matos Silva26-Feb-15 4:26
professionalJoão Matos Silva26-Feb-15 4:26 
GeneralRe: How is this better than... Pin
Roman Ivantsov26-Feb-15 4:41
professionalRoman Ivantsov26-Feb-15 4:41 
GeneralRe: How is this better than... Pin
Roman Ivantsov26-Feb-15 7:30
professionalRoman Ivantsov26-Feb-15 7:30 
GeneralRe: How is this better than... Pin
Roman Ivantsov25-Feb-15 22:05
professionalRoman Ivantsov25-Feb-15 22:05 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.