LINQ to SQL (Part 3 - Querying our Database)

Last month I started a blog post series covering LINQ to SQL.  LINQ to SQL is a built-in O/RM (object relational mapping) framework that ships in the .NET Framework 3.5 release, and which enables you to easily model relational databases using .NET classes.  You can then use LINQ expressions to query the database with them, as well as update/insert/delete data from it.

Below are the first two parts of my LINQ to SQL series:

In today's blog post I'll be going into more detail on how to use the data model we created in the Part 2 post, and show how to use it to query data within an ASP.NET project.

Northwind Database Modeled using LINQ to SQL

In Part 2 of this series I walked through how to create a LINQ to SQL class model using the LINQ to SQL designer that is built-into VS 2008.  Below is the class model that we created for the Northwind sample database:

Retrieving Products

Once we have defined our data model classes above, we can easily query and retrieve data from our database.  LINQ to SQL enables you to do this by writing LINQ syntax queries against the NorthwindDataContext class that we created using the LINQ to SQL designer above.

For example, to retrieve and iterate over a sequence of Product objects I could write code like below:

In the query above I have used a "where" clause in my LINQ syntax query to only return those products within a specific category.  I am using the CategoryID of the Product to perform the filter.

One of the nice things above LINQ to SQL is that I have a lot of flexibility in how I query my data, and I can take advantage of the associations I've setup when modeling my LINQ to SQL data classes to perform richer and more natural queries against the database.  For example, I could modify the query to filter by the product's CategoryName instead of its CategoryID by writing my LINQ query like so:

Notice above how I'm using the "Category" property that is on each of the Product objects to filter by the CategoryName of the Category that the Product belongs to.  This property was automatically created for us by LINQ to SQL because we modeled the Category and Product classes as having a many to one relationship with each other in the database.

For another simple example of using our data model's association relationships within queries, we could write the below LINQ query to retrieve only those products that have had 5 or more orders placed for them:

Notice above how we are using the "OrderDetails" collection that LINQ to SQL has created for us on each Product class (because of the 1 to many relationship we modeled in the LINQ to SQL designer).

Visualizing LINQ to SQL Queries in the Debugger

Object relational mappers like LINQ to SQL handle automatically creating and executing the appropriate SQL code for you when you perform a query or update against their object model. 

One of the biggest concerns/fears that developers new to ORMs have is "but what SQL code is it actually executing?"  One of the really nice things about LINQ to SQL is that it makes it super easy to see exactly what SQL code it is executing when you run your application within the debugger.

Starting with Beta2 of Visual Studio 2008 you can use a new LINQ to SQL visualizer plug-in to easily see (and test out) any LINQ to SQL query expression.  Simply set a breakpoint and then hover over a LINQ to SQL query and click the magnify glass to pull up its expression visualizer within the debugger:

This will then bring up a dialog that shows you the exact SQL that LINQ to SQL will use when executing the query to retrieve the Product objects:

If you press the "Execute" button within this dialog it will allow you to evaluate the SQL directly within the debugger and see the exact data results returned from the database:

This obviously makes it super easy to see precisely what SQL query logic LINQ to SQL is doing for you.  Note that you can optionally override the raw SQL that LINQ to SQL executes in cases where you want to change it - although in 98% of scenarios I think you'll find that the SQL code that LINQ to SQL executes is really, really good.

Databinding LINQ to SQL Queries to ASP.NET Controls

LINQ queries return results that implement the IEnumerable interface - which is also an interface that ASP.NET server controls support to databind object.  What this means is that you can databind the results of any LINQ, LINQ to SQL, or LINQ to XML query to any ASP.NET control.

For example, we could declare an <asp:gridview> control in a .aspx page like so:

I could then databind the result of the LINQ to SQL query we wrote before to the GridView like so:

This will then generate a page that looks like below:

Shaping our Query Results

Right now when we are evaluating our product query, we are retrieving by default all of the column data needed to populate the Product entity classes. 

For example, this query to retrieve products:

Results in all of this data being returned:

 

Often we only want to return a subset of the data about each product.  We can use the new data shaping features that LINQ and the new C# and VB compilers support to indicate that we only want a subset of the data by modifying our LINQ to SQL query like so:

This will result in only this data subset being returned from our database (as seen via our debug visualizer):

What is cool about LINQ to SQL is that I can take full advantage of my data model class associations when shaping my data.  This enables me to express really useful (and very efficient) data queries.  For example, the below query retrieves the ID and Name from the Product entity, the total number of orders that have been made for the Product, and then sums up the total revenue value of each of the Product's orders:

The expression to the right of the "Revenue" property above is an example of using the "Sum" extension method provided by LINQ.  It takes a Lambda expression that returns the value of each product order item as an argument. 

LINQ to SQL is smart and is able to convert the above LINQ expression to the below SQL when it is evaluated (as seen via our debug visualizer):

The above SQL causes all of the NumOrders and Revenue value computations to be done inside the SQL server, and results in only the below data being retrieved from the database (making it really fast):

We can then databind the result sequence against our GridView control to generate pretty UI:

BTW - in case you were wondering, you do get full intellisense within VS 2008 when writing these types of LINQ shaping queries:

In the example above I'm declaring an anonymous type that uses object initialization to shape and define the result structure.  What is really cool is that VS 2008 provides full intellisense, compilation checking, and refactoring support when working against these anonymous result sequences as well:

 

Paging our Query Results

One of the common needs in web scenarios is to be able to efficiently build data paging UI.  LINQ provides built-in support for two extension methods that make this both easy and efficient - the Skip() and Take() methods.

We can use the Skip() and Take() methods below to indicate that we only want to return 10 product objects - starting at an initial product row that we specify as a parameter argument:

Note above how I did not add the Skip() and Take() operator on the initial products query declaration - but instead added it later to the query (when binding it to my GridView datasource).  People often ask me "but doesn't this mean that the query first grabs all the data from the database and then does the paging in the middle tier (which is bad)?"  No.  The reason is that LINQ uses a deferred execution model - which means that the query doesn't actually execute until you try and iterate over the results. 

One of the benefits of this deferred execution model is that it enables you to nicely compose queries across multiple code statements (which improves code readability).  It also enables you to compose queries out of other queries - which enables some very flexible query composition and re-use scenarios.

Once I have the BindProduct() method defined above, I can write the code below in my page to retrieve the starting index from the querystring and cause the products to be paged and displayed in the gridview:

This will then give us a products page, filtered to list only those products with more than 5 orders, showing dynamically computed product data, and which is pageable via a querystring argument:

Note: When working against SQL 2005, LINQ to SQL will use the ROW_NUMBER() SQL function to perform all of the data paging logic in the database.  This ensures that only the 10 rows of data we want in the current page view are returned from the database when we execute the above code:

This makes it efficient and easy to page over large data sequences.

Summary

Hopefully the above walkthrough provides a good overview of some of the cool data query opportunities that LINQ to SQL provides.  To learn more about LINQ expressions and the new language syntax supported by the C# and VB compilers with VS 2008, please read these earlier posts of mine:

In my next post in this LINQ to SQL series I'll cover how we can cleanly add validation logic to our data model classes, and demonstrate how we can use it to encapsulate business logic that executes every time we update, insert, or delete our data.  I'll then cover more advanced lazy and eager loading query scenarios, how to use the new <asp:LINQDataSource> control to support declarative databinding of ASP.NET controls, optimistic concurrency error resolution, and more.

Hope this helps,

Scott

68 Comments

  • Hi,

    Will there be a LINQDataSource control also? And what if I want to have a dynamic query (where clause depends on user input, e.g. filter controls)?

  • Hi Scott,
    Great series of posts!. Very excited about this!,
    Can't wait to start using it in our apps!
    Cheers,
    Juan

  • Hi Scott,

    This looks fantastic but I have a few questions:

    Using your paging method, will I have to implement my own custom pager or is there a way to get the inbuilt GridView pager to behave correctly using this method of server-side paging?

    Thanks, Chris
    Also, If I want to use Link To Sql to bind to a GridView, how do I implement column sorting? I'll need to be able to add a dynamic field name into the select query...

  • would need of ado.net and sql get remove and what about sql injection security

  • Scott,

    I have one question about data paging on Gridview , as I know that gridview is also have feature to paging data, How can we use gridview paging feature works with LINQ.

    Thank for your post.
    Akaka
    Akaka

  • Hi Scott, apologies to post off topic, but I was wondering if you recevied the e-mail I sent to your Microsoft address yesterday?

  • Scott - I am tinkering with Orcas and the 3.5 beta. I love linq, but what I want to do is use linq to sql to get my data, but I use interfaces in my business layer. So I might have an IProduct which has various properties and methods. Using an architecture like this, would I be better of using linq to sql to populate some new domain object that implements my interface, or is there some way to marry my interface with what linq to sql will give me?

  • Hi Scott, thanks for posting this. I have been quite intrigued by LINQ, but unfortunately the provided examples somewhat leave me at a loss. Please show some love to the millions of VB programmers by providing examples in both languages! C# should never considered superior!

  • Hi Koen,

    There will be a control, and I'll be blogging about it more over the next few weeks.

    You can also use dynamic queries with LINQ - this allows end-users to dynamically specify what columns/filters they want and then build it via code. I'll try and put a sample together that shows this in the future.

    Thanks,

    Scott

  • Hi Chris,

    The good news is that you can point the GridView at the control, and get automatic server-side paging with it using the GridView UI. We also now have a control that you can use with other controls (like the new ) to enable server-side paging UI for them as well.

    I'll show more how to use the linqdatasource control in the future. I wanted to show the code-approach first so that people wouldn't get confused about LINQ only being a databinding scenario - the great news is that you can use it with both code and declarative binding and have it work great everywhere.

    Hope this helps,

    Scott

  • Scott:

    I just love this stuff! I can't wait for VS 2008 Beta 2 to be made available!

    I attended sessions at Tech Ed that went through all of these LINQ to SQL features, but it is good to go over it all again at a pace I can keep up with!

    And the opposite of Lazy Loading is Eager Loading...makes sense.

    Thanks to your team for all of their hard work!

  • Scott,

    I noticed that one of the lines is

    WHERE p.OrderDetails.Count > 5

    This is a little confusing. LINQ is structured to be like SQL, but it seems to me, that if we wanted it to be similar to SQL, it would have been written:

    HAVING p.OrderDetails.Count > 5

    Does LINQ contain the "HAVING" sql keyword?

    Thanks.

  • Hi Muhammad,

    The good news is that LINQ to SQL protects you against SQL injection attacks. All parameters are automatically SQL encoded for you so that you don't have to-do anything to make them safe.

    Thanks,

    Scott

  • Hi Rob,

    I'll be posting about the validation logic shortly. You should be able to perform the conditional logic you are after to check whether and order (or its order items) are already in the database prior to completing the transaction.

    Thanks,

    Scott

  • Hi Mike,

    There are a couple of approaches you can use if you want to use your own interfaces:

    1) Add the interfaces to your LINQ to SQL data model classes. The LINQ to SQL classes are partial classes - which means you could add the interface directly to them.

    2) Modify your LINQ queries to return not the origional model types, but rather separate objects that implement your interfaces. You can control this via the select clause in your LINQ to SQL query. This blog post shows a little how to-do this: http://weblogs.asp.net/scottgu/archive/2007/04/21/new-orcas-language-feature-query-syntax.aspx

    Hope this helps,

    Scott

  • Hi Scott,

    How do you envision a traditional "n-tier" / "layered" application approach using these technologies. For example, *today* many of us don't want to see SQL outside of a DAL or DBMS, calls from thee UI layer go through a business interface (or facade layer) and then possibly 1 or more calls from the business interface layer into a business logic layer then DAL. You get the jist. :-) Perhaps I'm missing something. Do you think it will be "best practice" to use LINQ query syntax at the UI layer such as an ASP.NET application or would that be more reserved for a DAL layer.

    Appreciate the input.

    Sean

  • What about Stored Procedures? Are we expected to give read/write rights to all of our tables? What about query performance? This is also the problem I have with (n)Hibernate or Rails. I can't believe people aren't demanding more control over the sql statements generated. It looks awesome, but my company would never give users to update tables directly. We currently use iBatis.Net which gives the OR mapping, but lets us still have complete control over the sql and permissions (at the cost of development time).

  • Hi Mike,

    The good news is that you can use Stored Procedures with LINQ to SQL, and can design your data model so that updates, inserts, deletes all go through SPROCs. This ends up being transparent to anyone consumer of a data model.

    You can also use SPROCs for queries, so you can integrate those with your data models as well. I have a small sample of this in my blog post here: http://weblogs.asp.net/scottgu/archive/2007/05/19/using-linq-to-sql-part-1.aspx

    I'll be doing a dedicated blog post on using SPROCs with LINQ to SQL in the next few weeks where I'll go into more detail on this.

    Hope this helps,

    Scott

  • Hi Sean,

    There are a couple of ways you can use LINQ to SQL. One is to use it to effectively replace your DAL layer, and encapsulate a separate business layer between your UI and it.

    One of the nice things about LINQ to SQL, though, is that it enables you to build a pretty flexible object oriented layer for your data/business logic. Specifically, it provides a very clean way to add business logic and rules in your entity classes. The entity classes for LINQ to SQL also support persistance ignorance and flexible inheritance (no base class required). I'll cover some of these in blog posts over the next few weeks. I expect a lot of developers will use these features to merge their data and business layers together for many projects (which for 90% of projects is just fine).

    Hope this helps,

    Scott

  • Scott,

    Regarding paging, you say that if we're using SQL2k5, that ROW_NUMBER() will be used to facilitate paging. Can LINQ be used with SQL2k and still have built-in paging support? If so, what type of SQL pattern is it using?

    Also, for the ROW_NUMBER() approach, I've read things which say that in large volumes, ROW_NUMBER() is quite slow. Is ROW_NUMBER() still appropriate when paging sets of millions of records? What performant alternatives are there?

    I like that LINQ appears to know the right type of JOINs to perform-- this is good because most developers don't ;) It's usually left to our DBAs to optimize the mess. Does LINQ allow you to programatically specify join hints in the cases where they're useful? Or would we need to go the custom sproc route and bypass LINQ fanciness?

    Can you describe the domain of cases where LINQ-genereated SQL might not be the most efficient? In general, LINQ appears to be a great way to prototype at the very least.. but in high volume production scenarios, we'd like to make sure that we're not going to have to go through and tweak (beyond propery indexing) the LINQ-generated SQL everywhere due to performance reasons.

    -Alan

    BTW: Assuming the performance holds up in production scenarios, this approach really beats the hell out of J2EE's EJB/CMP approach ;)

  • Hi Scott;

    As always, great article. Can't tell you how valuable you articles are. This is well spent time educating us the way you write.

    One question: I know LINQ and all the related parts have been changing and getting ready for production and it's hard to write our production code against a moving target. I like to know if starting Beta 2 of VS2008, the feature list have been locked and we can begin to write code against LINQ and ASP.Net 3.5?

    Thanks again!

  • Hi Scott;

    >>I expect a lot of developers will use these features to merge their data and business layers together for many projects (which for 90% of projects is just fine)<<

    This was a comment you made to Sean, and I had been thinking about the exact thing you said prior to reading your post. Seems like the DAL is already done for you when VS creates the ORM DataContext, we just do the rest in the Business layer using LINQ.
    ..Ben

  • Scott,
    You said,"When working against SQL 2005, LINQ to SQL will use the ROW_NUMBER() SQL function to perform all of the data paging logic in the database. This ensures that only the 10 rows of data we want in the current page view are returned from the database when we execute the above code."
    so current page view has 10 rows at most,if we will render >10 rows,Linq To SQL can't do it? The function of Linq To SQL is limited.
    Sorry ,I am Chinese. My English is not good.
    Thank you.

  • Hi Kangnoz,

    You can have any sized page of data that you want. In the code above I am passing 10 to the Take() method - which is why it is returning 10 rows of data. You could change this to be any number you want.

    Hope this helps,

    Scott

  • Hi Ben,

    The Beta2 release of .NET 3.5 and VS 2008 should be fairly baked in terms of feaure set - I wouldn't expect LINQ and ASP.NET to change much after that (a few minor tweaks - but nothing substantial). So I thjink you could start then to write applications with it and not be worried about having to change much for the final release.

    Hope this helps,

    Scott

  • Hi Scott,
    I have the same question with Chris, about sorting the data through LINQ dynamically.
    The paging feature is very convenient for us web developers, and what should we do if we want sort the data in a gridview depending on which column header the user has click?
    Thanks

  • Is Microsoft striving to support other databases besides SQL Server? How about Oracle?

  • Hi Scott,
    I have the same question with Chris, about sorting the data through LINQ dynamically.
    The paging feature is very convenient for us web developers, and what should we do if we want sort the data in a gridview depending on which column header the user has click?

  • Hi Scott,

    This is a great post of LINQ. Could you tell me, when the VS 2008 release?

  • Hi Scott,
    99% of the projects I've worked on use 90% of simple sproc using a NOLOCK isolation level, and 10% of advanced sproc which uses mixed isolation levels to prevent dead locks. An advanced sproc may be written using C# and calls to smaller sprocs. But LOCK controls (NOLOCK, HOLDLOCK, ROWLOCK, ...) are finely tuned.

    Will LINQ be smart enough or soft enough to let us retain control over these ?

    Also what about search facilities ? (indexed searches ?).

  • But where is the sorting facilities. Suppose i want to short the above grid with Product name of Product table

    and

    Quentity, price fields of the OrderDetail table. All these field are in on the same grid. Is there any way.

  • Hi Sambo,

    VS 2008 Beta2 will ship in a few weeks. The final release of VS 2008 and .NET 3.5 will then ship in a few months.

    Hope this helps,

    Scott

  • Hi Microogle and Eric,

    I'll be covering sorting (including dynamic scenarios involving the GridView) in a future blog post. There is an orderby keyword that LINQ supports that makes this easy to support. When you point a GridView control at a LinqDataSource the paging and sorting support works automatically.

    Thanks,

    Scott

  • Hi Matt,

    LINQ itself is a datasource agnostic - so you can use it against in-memory objects, XML files, and any relational database.

    On the database front, what you need is a data provider that performs the appropriate mappings between LINQ queries and the database. Both LINQ to Entities and LINQ to NHibernate will support Oracle.

    Thanks,

    Scott

  • Hi Jason,

    Thanks for the suggestion - I'll try and incorporate that scenario into my validation logic post.

    Thanks,

    Scott

  • Hey Scott,

    You didn't get back to my previous comment on your blog.

    Will you guys release the source to LINQ to SQL?

    You guys did a fabulous job releasing the source for the SQL Server Membership Provider which let people quickly modify the code and connect to whatever flavour of database they were using in-house.

    The source for LINQ to SQL would let people quickly go through and replace out all the SQL statements with the equivalents for other DBs.

    I realise those in the hierarchy above you might feel that it reduces the MS lock-in, but there are plenty of us out there that love .NET and Visual Studio and are happy to buy Windows servers all day long, but where SQL Server is not the right database for the task, or just not an option because of other application stacks that are in use at the organization.

    I badly want to use LINQ to SQL exclusively and drop all the other DALs I'm using. Ease my pain and release the source. Pretty please?

    - BY's Zombie

  • Scott, just a quick ping to see if you had any comments on my reply above regarding ROW_NUMBER() and performance issues.

    -Alan

  • How to do Insert, Update, Delete. Do I need individual table adapters like vs2005 DataSets?

  • Scott,

    First, excellent post. Functional concepts are like deferred execution are really making this all look very elegant.

    I've a question: does LINQ to SQL do anything for updating the data? Say I bind the data to a WinForms DataGridView. I make a change to the data in the UI - what happens then? Does LINQ to SQL play any role there?

  • Hi Zack,

    Yep - Beta2 isn't that far away. I'd probably recommend holding off for that - since the quality will be much higher than the CTP, and it shouldn't be more than about 3 weeks away.... :-)

    Thanks,

    Scott

  • Hi Boris,

    Sorry for the delay in getting back to you - for some reason your first comment didn't go through (the spam filter might have nuked it!).

    To answer your question - I'm hoping we'll be able to release the source for LINQ to SQL - I definitely think that is something we should do.

    Thanks,

    Scott

  • Hi Judah,

    Yep - LINQ to SQL supports not just querying data, but also applying updates back to the database. It is really easy to-do this both with WinForms (using say a DataGridView) as well as with ASP.NET. I'll be covering this more in the next few weeks.

    Thanks,

    Scott

  • Hi Alan,

    Sorry for the delay in getting back to you!

    I've heard relatively good things about ROW_NUMBER() performance, but in general if you have extremely large result sets (millions of rows) then you might want to look hard at how you page it. Note that by result-set I don't mean millions of rows in the table - but rather millions of rows in the table that match the where filter and are to be paged in the UI.

    LINQ to SQL allows you to call SPROCs (or embed custom SQL) for totally custom queries - so that is an option if you find ROW_NUMBER() causes problems.

    I don't know the query optmizer in LINQ to SQL well enough to know the exact domain models that are best with LINQ to SQL. But Matt Warren from the LINQ to SQL team has a great blog here: http://blogs.msdn.com/mattwar/default.aspx and would be a great person to ask for more suggestions on this.

    Hope this helps,

    Scott

  • Hi Shashi,

    My next set of posts will start to cover insert, update and delete scenarios for LINQ to SQL. Here is a post I did earlier that shows a few syntax examples on how to-do them: http://weblogs.asp.net/scottgu/archive/2007/05/19/using-linq-to-sql-part-1.aspx

    Hope this helps,

    Scott

  • Scott,
    Great post. It is very helpful.
    When do you think we may look forward to the next post in this series?
    Thanks again,
    Brendan

  • Hi Brendan,

    I'm hoping to have a newer post on LINQ to SQL up this weekend or early next week.

    Thanks,

    Scott

  • Thanks for another great post. LINQ looks great and is a long awaited addition to the stack. After doing some testing with LINQ and the SQL mapping tool I realized that I can't change the namespaces of my generated classes. Are there any plans to allow this before RTM?

  • Hi Brian,

    I don't have the older builds of LINQ to SQL installed so can't check if this behavior is new, but with Beta2 builds there are two properties on the root designer called "Entity Namespace" and "Context Namespace". You can set these in order to change the namespaces for the data entitity classes generated as well as the root DataContext class generated.

    If you don't set these, then the designer will default to using the project namespace.

    Hope this helps,

    Scott

  • Thanks for the reply Scott. Hope you can release that LINQ to SQL source.

    p.s. You work too hard. I talked to your boss - he said you can have next week off.

  • Scott,

    You previously mentioned that you will be discussing many to many relationships and how to work around them. Can you point me to something that might get me started or give me confidence that I can migrate my application from nHibernate to LINQ to SQL? I have an existing ASP.net 2.0 app that has around 10 tables but 2 of them have a m-m relationship. I don't want to start learning this tool if it will be a dead end due to lack of m-m support.

    Thanks,
    Steve

  • Hi Steve,

    Here is a good blog post that talks about how you can implement M:M relationships using LINQ to SQL: http://blogs.msdn.com/mitsu/archive/2007/06/21/how-to-implement-a-many-to-many-relationship-using-linq-to-sql.aspx

    Hope this helps,

    Scott

  • I wonder if linq can link any database without changing it,how can it deal with different SQLs,you know ,the SQL translater of every database is improving

  • As far as I can see LINQ is based on mapping tables and classes more or less 1:1, but how about mapping classes and table patterns 1:1? In our database we have a lot of "codetable" tables that follows the same patterns; ie. they have the same columns and "sub-tables" (connected). So the classes would basically be the same, within a specific pattern. We have 4 different "codetable" patterns (hierarchial etc.).

    Is this a scenario you already support or are planning to support?

  • Hi Jarle,

    >>>>>> As far as I can see LINQ is based on mapping tables and classes more or less 1:1, but how about mapping classes and table patterns 1:1? In our database we have a lot of "codetable" tables that follows the same patterns; ie. they have the same columns and "sub-tables" (connected). So the classes would basically be the same, within a specific pattern. We have 4 different "codetable" patterns (hierarchial etc.).

    Can you provide more details on the schema model you are using with these table patterns?

    LINQ to SQL does support the ability to use the single-table inheritance pattern, which allows you to model sub-classes based on a discriminator key in a table. That sounds loosely like what you are looking for above - but I'm not entirely sure.

    Thanks,

    Scott

  • Hello Scott,
    Where can I find the code samples of this article.
    Thanks,
    Amr

  • Hi Lucas,

    To install the debug visualizer, you'll want to follow these following steps:

    1. Unzip \Samples\CShaprLinqSamples.zip
    2. Build the query visualizer project
    3. Copy the DLL to \Common7\Packages\Debugger\Visualizers\

    You'll then want to shutdown and restart VS 2008. It should then work.

    Thanks,

    Scott

  • Whats the best way to return the results you get through LINQ as xml, or JSON?

  • Hi discovia,

    There are a couple of ways to transfer the result of a LINQ query into XML. The best way is to probably use LINQ to XQL - which is built-in with .NET 3.5. I'll try and do a few samples that show this off in the near future.

    Thanks,

    Scott

  • Thanks Scott,

    You do great posts. It'll be real nice to see a write up on using LINQ for a web service as consumer and provider.
    It's be great to see it being used from the client, with nothing to do with asp.net controls. The controls are great for quick impressive demos, but personally I'm not a fan. It'd be great to see how it would be used with AJAX controls like extjs grid, etc.

  • Say I want to cache some lookup data from SQL Server and I want to use LINQ to do the query. Is there a way to use SQL Notification Services to be notified when data retrieved with LINQ to SQL has been updated in the database?

  • Hi Mark,

    >>>>>>> Say I want to cache some lookup data from SQL Server and I want to use LINQ to do the query. Is there a way to use SQL Notification Services to be notified when data retrieved with LINQ to SQL has been updated in the database?

    There isn't automatic support for this scenario today, but you could manually handle it. I'll put it on my list of things to post about in the future.

    Hope this helps,

    Scott

  • Scott,

    When writing static methods to access data, does the deferred query "feature" work? See the code below, is this safe to run? or will it be extremely slow in large query situations?

    public static IQueryable SelectAllLessons()
    {
    eigoDB db = new eigoDB();
    var lessons = from l in db.Lessons
    orderby l.DateAdded descending
    select l;

    return lessons;
    }

    public static IQueryable SelectAllLessons(int skip, int take)
    {
    return SelectAllLessons().Skip(skip).Take(take);
    }

    Notice how I'm simply reusing the static method, and adding .Skip/.Take to it? It works, but I'd like to know if I should not be doing it this way.

    Thanks!

  • Hi Chad,

    The deferred query exection still works fine in your sample above. It won't access the database until someone starts trying to access the database - which allows you to cleanly compose Skip() and Take() operators like you are above.

    Hope this helps,

    Scott

  • Thanks for the quick response Scott. I would really like to see a sample of this. In the mean time, I'll try to figure it out myself.

  • I saw a comment above about defining the namespace for the entities and the context, is there a way to set the namespace per entity? I am trying to replace some (hopefully all) of some business objects that are just containers and at the present they are seperated into many namespaces.

  • Hi Orrin,

    >>>>>> I would greatly appreciate seeing examples of the more complicated scenarios and also learning if the above is a bug or, hopefully, just my wetware error. I am using Orcas Beta 2.

    If you can send me email (scottgu@microsoft.com), I can loop you in with the LINQ to SQL team to get an answer on this.

    Thanks,

    Scott

  • Hi Kevin,

    >>>>>>> I saw a comment above about defining the namespace for the entities and the context, is there a way to set the namespace per entity? I am trying to replace some (hopefully all) of some business objects that are just containers and at the present they are seperated into many namespaces.

    Unfortunately right now I don't think the LINQ to SQL designer supports configuring separate namespaces per data model entiity. You could create the data model classes by hand, though.

    Hope this helps,

    Scott

  • Hi Scott,

    Why can't I see SQL Server query visualizer window?
    I already set a breakpoint and run website,then hover over the linq to sql.

Comments have been disabled for this content.