NHibernate – Cascades ”; Previous Next In this chapter, we will be covering how to use the Cascade feature. If you have a set or a collection of items or a relationship between two classes such as our customer and order and have a foreign key relationship. If we delete the customer by default, NHibernate doesn”t do anything to the child objects, so the ones that belong to that customer and we could be orphaning orders. We could also be violating foreign key constraints, so we can use the notion of cascades. By default, NHibernate does not cascade operations to child objects. The reason for this is that you can have relationships such as a customer having a default shipping address and that shipping address is shared with many different customers. So you wouldn”t want to cascade that relationship necessarily because other customers are still referring to it. So the whole notion of cascades is to tell NHibernate how to handle its child entities. There are different options for cascading, which are as follows − none − which is the default and it means no cascading. all − which is going to cascade saves, updates, and deletes. save-update − it will cascade, saves and updates. delete − it will cascade deletes. all-delete-orphan − it is a special one which is quite frequently used and is the same as All Except, if it finds Delete-orphan rows, it will delete those as well. You can specify the default in your hbm.xml file, so you can provide a default cascade on that Hibernate mapping element or you can also specify it for specific collections and relationships such as the many-to-one. Let’s have a look into simple example cascades, let”s fix the problem in the program, where we have to manually cascade the save to the orders as shown in the following code. using(var session = sessionFactory.OpenSession()) using(var tx = session.BeginTransaction()) { var newCustomer = CreateCustomer(); Console.WriteLine(“New Customer:”); Console.WriteLine(newCustomer); session.Save(newCustomer); foreach (var order in newCustomer.Orders) { session.Save(order); } id = newCustomer.Id; tx.Commit(); } In the above code snippet, you can see that we are manually saving all the orders for the customer. Now let’s remove manual cascade code in which all the orders are saved. using(var session = sessionFactory.OpenSession()) using(var tx = session.BeginTransaction()) { var newCustomer = CreateCustomer(); Console.WriteLine(“New Customer:”); Console.WriteLine(newCustomer); session.Save(newCustomer); id = newCustomer.Id; tx.Commit(); } We need to specify the cascade option in customer.hbm.xml. <?xml version = “1.0” encoding = “utf-8” ?> <hibernate-mapping xmlns = “urn:nhibernate-mapping-2.2” assembly = “NHibernateDemo” namespace = “NHibernateDemo”> <class name = “Customer”> <id name = “Id”> <generator class = “guid.comb”/> </id> <property name = “FirstName”/> <property name = “LastName”/> <property name = “AverageRating”/> <property name = “Points”/> <property name = “HasGoldStatus”/> <property name = “MemberSince” type = “UtcDateTime”/> <property name = “CreditRating” type = “CustomerCreditRatingType”/> <component name = “Address”> <property name = “Street”/> <property name = “City”/> <property name = “Province”/> <property name = “Country”/> </component> <set name = “Orders” table = “`Order`” cascade = “all-delete-orphan”> <key column = “CustomerId”/> <one-to-many class = “Order”/> </set> </class> </hibernate-mapping> Now, orders fully belong to the customer. So if the customers were deleted from the database, our application here would want to delete all of those orders, including any that might have been orphaned. It will end up doing a delete. By that, it will say delete from order table, where the customer ID equals the customer that you”re deleting. So you can actually cascade these deletes. So with the All, it will do saves, updates, and deletes. Now when you run this application, you will see the following output. New Customer: John Doe (00000000-0000-0000-0000-000000000000) Points: 100 HasGoldStatus: True MemberSince: 1/1/2012 12:00:00 AM (Unspecified) CreditRating: Good AverageRating: 42.42424242 Orders: Order Id: 00000000-0000-0000-0000-000000000000 Order Id: 00000000-0000-0000-0000-000000000000 Reloaded: John Doe (10b2a3d7-7fcf-483c-b1da-a5bb00b8512e) Points: 100 HasGoldStatus: True MemberSince: 1/1/2012 12:00:00 AM (Utc) CreditRating: Good AverageRating: 42.4242 Orders: Order Id: e6680e30-5b3b-4efa-b017-a5bb00b85133 Order Id: b03858e7-8c36-4555-8878-a5bb00b85134 The orders were ordered by: John Doe (10b2a3d7-7fcf-483c-b1da-a5bb00b8512e) Points: 100 HasGoldStatus: True MemberSince: 1/1/2012 12:00:00 AM (Utc) CreditRating: Good AverageRating: 42.4242 Orders: Order Id: e6680e30-5b3b-4efa-b017-a5bb00b85133 Order Id: b03858e7-8c36-4555-8878-a5bb00b85134 John Doe (10b2a3d7-7fcf-483c-b1da-a5bb00b8512e) Points: 100 HasGoldStatus: True MemberSince: 1/1/2012 12:00:00 AM (Utc) CreditRating: Good AverageRating: 42.4242 Orders: Order Id: e6680e30-5b3b-4efa-b017-a5bb00b85133 Order Id: b03858e7-8c36-4555-8878-a5bb00b85134 Press <ENTER> to exit… As you can see that we have deleted the code from the program that manually cascaded and our application is still working. So depending on your relationship, you might want to cascade those. Now, let”s take a look at a different cascade relationship. Let’s go to the Order.hbm.xml file and we can cascade that many-to-one relationship. <?xml version = “1.0” encoding = “utf-8” ?> <hibernate-mapping xmlns = “urn:nhibernate-mapping-2.2” assembly = “NHibernateDemo” namespace = “NHibernateDemo”> <class name = “Order” table = “`Order`”> <id name = “Id”> <generator class = “guid.comb”/> </id> <property name = “Ordered”/> <property name = “Shipped”/> <component name = “ShipTo”> <property name = “Street”/> <property name = “City”/> <property name = “Province”/> <property name = “Country”/> </component> <many-to-one name = “Customer” column = “CustomerId” cascade = “save-update”/> </class> </hibernate-mapping> So if we create a new order and there”s a new customer attached to it and we say, save that order, we might want to cascade that. But one thing that we”d probably don”t want to do is if an order is deleted to delete the corresponding customer. So here, we would want to do a save update, so using a save-update, it will cascade any saves or updates to that customer. So, if we get a new customer or if we are changing the customer, it will cascade that. If it is a delete, it won”t delete that from the database. So running our application again, everything still works as expected. New Customer: John Doe (00000000-0000-0000-0000-000000000000) Points: 100 HasGoldStatus: True MemberSince: 1/1/2012 12:00:00 AM (Unspecified) CreditRating: Good AverageRating: 42.42424242 Orders: Id: 00000000-0000-0000-0000-000000000000 Order Id: 00000000-0000-0000-0000-000000000000 Reloaded: John Doe (10b2a3d7-7fcf-483c-b1da-a5bb00b8512e) Points: 100 HasGoldStatus: True MemberSince: 1/1/2012 12:00:00 AM (Utc) CreditRating: Good AverageRating: 42.4242 Orders: Order Id: e6680e30-5b3b-4efa-b017-a5bb00b85133 Order Id: b03858e7-8c36-4555-8878-a5bb00b85134 The orders
Category: nhibernate
NHibernate – Query Language
NHibernate – Hibernate Query Language ”; Previous Next In this chapter, we will be covering Hibernate Query Language. HQL is shared across both Java”s Hibernate and NHibernate. It is the oldest query mechanism along with Criteria. It was implemented very early and it is a string-based query API. You access it through ISession CreateQuery, and it is almost similar to SQL. It uses many of the same keywords, but has a simplified syntax. It is one of the most common examples, if you”re looking for how to perform a query you”ll often find HQL examples. The following is a simple example of HQL − var customers = session.CreateQuery(“select c from Customer c where c.FirstName = ”Laverne””); So here you can see that they select C from customer, it looks a lot like SQL. This is an opaque string as far as NHibernate is concerned, so you don”t know whether this is a valid HQL until runtime, which is one of the disadvantages. One of the strengths of the LINQ provider is you can get to compile time support. But HQL, is one of the most flexible query mechanisms oftenly used. It is said that, if there”s no other way to do it then there”s a way to do it in HQL. Let’s have a look into a simpe example in which we will recreate our LINQ queries using HQL instead. You can get access to HQL by calling the session.CreateQuery and pass as a parameter using an HQL string. using System; using System.Data; using System.Linq; using System.Reflection; using HibernatingRhinos.Profiler.Appender.NHibernate; using NHibernate.Cfg; using NHibernate.Criterion; using NHibernate.Dialect; using NHibernate.Driver; using NHibernate.Linq; namespace NHibernateDemo { internal class Program { private static void Main() { var cfg = ConfigureNHibernate(); var sessionFactory = cfg.BuildSessionFactory(); using(var session = sessionFactory.OpenSession()) using(var tx = session.BeginTransaction()) { var customers = session.CreateQuery(“select c from Customer c where c.FirstName = ”Laverne””); foreach (var customer in customers.List<Customer>()) { Console.WriteLine(customer); } tx.Commit(); } Console.WriteLine(“Press <ENTER> to exit…”); Console.ReadLine(); } private static Configuration ConfigureNHibernate() { NHibernateProfiler.Initialize(); var cfg = new Configuration(); cfg.DataBaseIntegration(x => { x.ConnectionStringName = “default”; x.Driver<SqlClientDriver>(); x.Dialect<MsSql2008Dialect>(); x.IsolationLevel = IsolationLevel.RepeatableRead; x.Timeout = 10; x.BatchSize = 10; }); cfg.SessionFactory().GenerateStatistics(); cfg.AddAssembly(Assembly.GetExecutingAssembly()); return cfg; } } } This HQL string looks a lot like SQL, the main difference is that FirstName is the property name and not the column name. So, if there”s a discrepancy between the two, you use the property name. Same thing, it looks like a table name, but it”s actually the name of the class that we are selecting from. If the back end table was named as Customers, we would still use Customer in our HQL query. Let’s run this application and you will see the following output. Laverne Hegmann (4e97c816-6bce-11e1-b095-6cf049ee52be) Points: 74 HasGoldStatus: True MemberSince: 4/4/2009 12:00:00 AM (Utc) CreditRating: Neutral AverageRating: 0 Orders: Order Id: 4ea14d96-6bce-11e1-b095-6cf049ee52be Order Id: 4ea14d96-6bce-11e1-b096-6cf049ee52be Order Id: 4ea14d96-6bce-11e1-b097-6cf049ee52be Order Id: 4ea14d96-6bce-11e1-b098-6cf049ee52be Press <ENTER> to exit… Let’s have a look into another simple example in which we will retrieve all those customers whose FirstName starts with the letter H using HQL. using System; using System.Data; using System.Linq; using System.Reflection; using HibernatingRhinos.Profiler.Appender.NHibernate; using NHibernate.Cfg; using NHibernate.Criterion; using NHibernate.Dialect; using NHibernate.Driver; using NHibernate.Linq; namespace NHibernateDemo { internal class Program { private static void Main() { var cfg = ConfigureNHibernate(); var sessionFactory = cfg.BuildSessionFactory(); using(var session = sessionFactory.OpenSession()) using(var tx = session.BeginTransaction()) { var customers = session.CreateQuery(“select c from Customer c where c.FirstName like ”H%””); foreach (var customer in customers.List<Customer>()) { Console.WriteLine(customer); } tx.Commit(); } Console.WriteLine(“Press <ENTER> to exit…”); Console.ReadLine(); } private static Configuration ConfigureNHibernate() { NHibernateProfiler.Initialize(); var cfg = new Configuration(); cfg.DataBaseIntegration(x => { x.ConnectionStringName = “default”; x.Driver<SqlClientDriver>(); x.Dialect<MsSql2008Dialect>(); x.IsolationLevel = IsolationLevel.RepeatableRead; x.Timeout = 10; x.BatchSize = 10; }); cfg.SessionFactory().GenerateStatistics(); cfg.AddAssembly(Assembly.GetExecutingAssembly()); return cfg; } } } Let’s run your application again and you will see that all of the customers whose name starts with H are returned from this query. Herman Crooks (4ead3480-6bce-11e1-b15c-6cf049ee52be) Points: 74 HasGoldStatus: True MemberSince: 12/3/2010 12:00:00 AM (Utc) CreditRating: Neutral AverageRating: 0 Orders: Order Id: 4ead3480-6bce-11e1-b15d-6cf049ee52be Order Id: 4ead3480-6bce-11e1-b15e-6cf049ee52be Order Id: 4ead3480-6bce-11e1-b15f-6cf049ee52be Order Id: 4ead3480-6bce-11e1-b160-6cf049ee52be Order Id: 4ead3480-6bce-11e1-b161-6cf049ee52be Order Id: 4ead3480-6bce-11e1-b162-6cf049ee52be Order Id: 4ead3480-6bce-11e1-b163-6cf049ee52be Hudson Bins (4ec03f80-6bce-11e1-b2b7-6cf049ee52be) Points: 56 HasGoldStatus: False MemberSince: 10/20/2008 12:00:00 AM (Utc) CreditRating: Terrible AverageRating: 0 Orders: Order Id: 4ec03f80-6bce-11e1-b2b8-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2b9-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2ba-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2bb-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2bc-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2bd-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2be-6cf049ee52be Order Id: 4ec03f80-6bce-11e1-b2bf-6cf049ee52be Hettie Feest (4ec50240-6bce-11e1-b300-6cf049ee52be) Points: 82 HasGoldStatus: False MemberSince: 4/10/2009 12:00:00 AM (Utc) CreditRating: Neutral AverageRating: 0 Orders: Order Id: 4ec50240-6bce-11e1-b301-6cf049ee52be Order Id: 4ec50240-6bce-11e1-b302-6cf049ee52be Order Id: 4ec50240-6bce-11e1-b303-6cf049ee52be Press <ENTER> to exit… We can do more complicated things like wanting all orders where customers with an order count is greater than 9. Following is the HQL query for the same. var customers = session.CreateQuery(“select c from Customer c where size(c.Orders) > 9”); foreach (var customer in customers.List<Customer>()) { Console.WriteLine(customer); } We also need to indicate that we need a size here or count or length. In HQL, we have the option of using the special size method as shown above. The other way to write this, if you prefer is c.Orders.size, and this has the exact effect. var customers = session.CreateQuery(“select c from Customer c where c.Orders.size > 9″); foreach (var customer in customers.List<Customer>()) { Console.WriteLine(customer); } Let”s run this application. Lindsay Towne (4ea3aef6-6bce-11e1-b0cb-6cf049ee52be) Points: 50 HasGoldStatus: False MemberSince: 4/13/2007 12:00:00 AM (Utc) CreditRating: VeryGood AverageRating: 0 Orders: Order Id: 4ea3aef6-6bce-11e1-b0cc-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0cd-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0ce-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0cf-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0d0-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0d1-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0d2-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0d3-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0d4-6cf049ee52be Order Id: 4ea3aef6-6bce-11e1-b0d5-6cf049ee52be Wyman Hammes (4ea61056-6bce-11e1-b0e2-6cf049ee52be) Points: 32 HasGoldStatus: False MemberSince: 2/5/2011 12:00:00 AM (Utc) CreditRating: Good AverageRating: 0 Orders: Order Id: 4ea61056-6bce-11e1-b0e3-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0e4-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0e5-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0e6-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0e7-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0e8-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0e9-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0ea-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0eb-6cf049ee52be Order Id: 4ea61056-6bce-11e1-b0ec-6cf049ee52be Press <ENTER> to exit… You can see that all the customers, who have more than 9 orders are retrieved from the database. Print Page
NHibernate – Orm
NHibernate – ORM ”; Previous Next Before we can really start using NHibernate, we need to understand the foundation on which it is built. NHibernate is a persistence technology that is based on the idea of object relational mapping or ORM. What is ORM? Object-Relational Mapping (ORM) is a programming technique for converting data between incompatible type systems in object-oriented programming languages. In other words, it is the concept of mapping an application”s business objects to relational database tables, so that the data can be easily accessed and updated entirely through the object model of an application. As you already know that relational databases provide a good means of storing data, while object-oriented programming is a good approach to building complex applications. NHibernate and ORM in general are most relevant to applications with nontrivial business logic, the domain model and some sort of database. With ORM, it is very easy to create a translation layer that can easily transform objects into relational data and back again. The acronym ORM can also mean object role modeling, and this term was invented before object/relational mapping became relevant. It describes a method for information analysis, used in database modeling. Why ORM? ORM is a framework that enables you to map the world of objects found in object oriented languages to rows in relational tables found in relational databases To understand this concept, let”s have a look at the following diagram. In the above diagram, you can see that we have a table called Employee on the right side that contains columns with each piece of data associated with an individual employee. We have a column for an Id which uniquely identifies each employee. A column for the employee’s name, another column for their joining date, and finally a column that has an age of an employee. If we wanted to write some code to store a new employee in the tables, it isn”t so easy. In the above diagram, you can also see that we have an employee object that has fields for the Id, name, joining date and age. Without an ORM we have to translate this object into a few different SQL statements that will insert the employee data into the employee table. So writing code to create the SQL to do the above scenario is not that hard, but it is a bit tedious and pretty easy to get wrong. Using an ORM like NHibernate, we can declare how certain classes should be mapped to relational tables and let the ORM or NHibernate deal with the nasty job of creating the SQL to insert, update, delete, in query data in our employee table. This allows us to keep our code focused on using objects and have those objects automatically translated to relational tables. So really what an ORM does is it saves us from manually having to map objects to tables. Print Page Previous Next Advertisements ”;
NHibernate – Overview
NHibernate – Overview ”; Previous Next In this chapter, we will discuss about what NHibernate is, which all platforms it can be implemented, what are its advantages and other aspects related to it. What is NHibernate? NHibernate is a mature, open source object-relational mapper for the .NET framework. It”s actively developed, fully featured and used in thousands of successful projects. It”s built on top of ADO.NET and the current version is NHibernate 4.0.4. NHibernate is an open-source .NET object-relational mapper and is distributed under the GNU Lesser General Public License. It is based on Hibernate which is a popular Java object-relational mapper and it has a very mature and active code base. It provides a framework for mapping an object-oriented domain model to a traditional relational database. NHibernate was started by Tom Barrett and this project has been around since February of 2003, which was their first commit. It”s a big project and provides a lot of functionality. There is a NuGet package available, which makes it very easy to add to a project. Why NHibernate? Now the question is why do we need object-relational mappers? It is because there is a disconnect between the object world and the relational world. In the object world, everything is based around objects; we called objects those things which have our data. The relational world is all set-based and we are dealing with tables and rows which are different than the object world. In the object world, we have unidirectional associations. If a customer has a pointer to an order, it doesn”t necessarily mean that an order has a pointer back to a customer, it might or might not. In the relational world, all associations are bidirectional and it can be done by a foreign key. All associations are inherently bidirectional, so when we are dealing with object-relational mapping, we also need to deal with this disconnect. In the object world, we are working with pointers that are unidirectional, whereas in with the relational world, we have foreign keys which are inherently bidirectional. The object world has this notion of inheritance, where a vehicle can have a number of different subclasses, so a car is a type of vehicle, a boat is a type of vehicle, and a sports car is a type of car, these types of inheritance relationships. The relational world doesn”t have this notion of inheritance. Mapping So how do we map all these disjoint relationships? This concept of mapping comes from the object-relational mapper. There are mainly three things to understand as shown in the following diagram. In your application, you will need class definitions, which is typically C# code and its .NET code that represents our classes, such as Employee class, Customer class, Order class, etc. At the bottom, you can see a database schema, which is our Data Definition Language in a relational database that specifies what a customer table looks like, what an employee table looks like. In between these we have the mapping metadata that tells the object-relational mapper how to translate from the object world in C# to the database world in terms of rows and columns and foreign key relationships. This mapping metadata can be represented in a variety of different ways and we will be looking at a number of this different ways most typical in NHibernate application. It is represented by HBM (Hibernate Mapping) files, which are XML files. Database Supported NHibernate supports a wide variety of different databases. Any existing relational database out there can be accessed to NHibernate. SQL server is the primary supported database, that”s what most developers are using during the development, it”s probably the most common one. It also works very well with Oracle. It also supports DB2, the Firebird, MySQL, PostgreSQL, SQL Lite It also has ODBC and OLEDB drivers. Print Page Previous Next Advertisements ”;