Студопедия Главная Случайная страница Обратная связь

Разделы: Автомобили Астрономия Биология География Дом и сад Другие языки Другое Информатика История Культура Литература Логика Математика Медицина Металлургия Механика Образование Охрана труда Педагогика Политика Право Психология Религия Риторика Социология Спорт Строительство Технология Туризм Физика Философия Финансы Химия Черчение Экология Экономика Электроника

Task 2 – Additional Query Expressions Using Anonymous Types





1. Combine the many features presented before to simplify the previous query. To simplify this query, you make use of a lambda expression and another query expression.

static void Query()

{

var results = from c in CreateCustomers()

select new

{

c.CustomerID,

c.City,

CustomerName = c.Name,

Stores = CreateStores().Where(s => s.City == c.City)

};

 

foreach (var result in results)

{

Console.WriteLine("{0}\t{1}", result.City, result.CustomerName);

foreach (var store in result.Stores)

Console.WriteLine("\t<{0}>", store.Name);

}

}

 

2. Press Ctrl+F5 to build run the application and notice the output is the same as the previous task. Then press any key to terminate the application.

3. Now use another approach. Rather than finding all stores per customer, the customers are joined with the stores using the Join expression. This creates a record for each customer store pair.

static void Query()

{

var results = from c in CreateCustomers()

join s in CreateStores() on c.City equals s.City

select new

{

CustomerName = c.Name,

StoreName = s.Name,

c.City,

};

 

foreach (var r in results)

Console.WriteLine("{0}\t{1}\t{2}",

r.City, r.CustomerName, r.StoreName);

}

4. Press Ctrl+F5 to build and run the program to see that a piece of data from each object is correctly merged and printed. Press any key to terminate the application.

5. Next, instead of writing each pair to the screen, create a query that counts the number of stores located in the same city as each customer and writes to the screen the customer’s name along with the number of stores located in the same city as the customer. This can be done by using a group by expression.

 

static void Query()

{

var results = from c in CreateCustomers()

join s in CreateStores() on c.City equals s.City

group s by c.Name into g

select new { CustomerName = g.Key, Count = g.Count() };

 

foreach (var r in results)

Console.WriteLine("{0}\t{1}", r.CustomerName, r.Count);

}

The group clause creates an IGrouping<string, Store> where the string is the Customer Name. Press Ctrl+F5 to build and run the code to see how many stores are located in the same city as each customer. Now press any key to terminate the application.

6. You can continue working with the previous query and order the customers by the number of stores returned in the previous queries. This can be done using the Order By expression. Also the let expression is introduced to store the result of the Count method call so that it does not have to be called twice.

static void Query()

{

var results = from c in CreateCustomers()

join s in CreateStores() on c.City equals s.City

group s by c.Name into g

let count = g.Count()

orderby count ascending

select new { CustomerName = g.Key, Count = count };

 

foreach (var r in results)

Console.WriteLine("{0}\t{1}", r.CustomerName, r.Count);

}

 

7. Press Ctrl+F5 to build and run the code to see the sorted output. Then press any key to terminate the application.

Here the orderby expression has selected the g.Count() property and returns an IEnumerable<Store>. The direction can either be set to descending or ascending. The let expression allows a variable to be stored to be further used while in scope in the query.







Дата добавления: 2015-09-07; просмотров: 440. Нарушение авторских прав; Мы поможем в написании вашей работы!




Шрифт зодчего Шрифт зодчего состоит из прописных (заглавных), строчных букв и цифр...


Картограммы и картодиаграммы Картограммы и картодиаграммы применяются для изображения географической характеристики изучаемых явлений...


Практические расчеты на срез и смятие При изучении темы обратите внимание на основные расчетные предпосылки и условности расчета...


Функция спроса населения на данный товар Функция спроса населения на данный товар: Qd=7-Р. Функция предложения: Qs= -5+2Р,где...

Схема рефлекторной дуги условного слюноотделительного рефлекса При неоднократном сочетании действия предупреждающего сигнала и безусловного пищевого раздражителя формируются...

Уравнение волны. Уравнение плоской гармонической волны. Волновое уравнение. Уравнение сферической волны Уравнением упругой волны называют функцию , которая определяет смещение любой частицы среды с координатами относительно своего положения равновесия в произвольный момент времени t...

Медицинская документация родильного дома Учетные формы родильного дома № 111/у Индивидуальная карта беременной и родильницы № 113/у Обменная карта родильного дома...

БИОХИМИЯ ТКАНЕЙ ЗУБА В составе зуба выделяют минерализованные и неминерализованные ткани...

Типология суицида. Феномен суицида (самоубийство или попытка самоубийства) чаще всего связывается с представлением о психологическом кризисе личности...

ОСНОВНЫЕ ТИПЫ МОЗГА ПОЗВОНОЧНЫХ Ихтиопсидный тип мозга характерен для низших позвоночных - рыб и амфибий...

Studopedia.info - Студопедия - 2014-2024 год . (0.008 сек.) русская версия | украинская версия