Concatenare due sequenze
Usare l'operatore Concat per concatenare due sequenze.
L'operatore Concat viene definito per multiset ordinati in cui gli ordini del ricevente e dell'argomento sono gli stessi.
L'ordinamento in SQL è il passaggio finale prima della generazione dei risultati. Per questo motivo l'operatore Concat viene implementato usando UNION ALL
e non mantiene l'ordine dei relativi argomenti. Per essere certi che l'ordine nei risultati sia corretto, ordinarli in modo esplicito.
Esempio 1
In questo esempio viene usato Concat per restituire una sequenza di tutti i numeri di telefono e di fax relativi a Customer
e Employee
.
IQueryable<String> custQuery =
(from cust in db.Customers
select cust.Phone)
.Concat
(from cust in db.Customers
select cust.Fax)
.Concat
(from emp in db.Employees
select emp.HomePhone)
;
foreach (var custData in custQuery)
{
Console.WriteLine(custData);
}
Dim custQuery = _
(From c In db.Customers _
Select c.Phone) _
.Concat _
(From c In db.Customers _
Select c.Fax) _
.Concat _
(From e In db.Employees _
Select e.HomePhone)
For Each custData In custQuery
Console.WriteLine(custData)
Next
Esempio 2
In questo esempio viene usato Concat per restituire una sequenza di tutti i mapping di nomi e numeri di telefono relativi a Customer
e Employee
.
var infoQuery =
(from cust in db.Customers
select new { Name = cust.CompanyName, cust.Phone }
)
.Concat
(from emp in db.Employees
select new
{
Name = emp.FirstName + " " + emp.LastName,
Phone = emp.HomePhone
}
);
foreach (var infoData in infoQuery)
{
Console.WriteLine("Name = {0}, Phone = {1}",
infoData.Name, infoData.Phone);
}
Dim infoQuery = _
(From cust In db.Customers _
Select Name = cust.CompanyName, Phone = cust.Phone) _
.Concat _
(From emp In db.Employees _
Select Name = emp.FirstName & " " & emp.LastName, _
Phone = emp.HomePhone)
For Each infoData In infoQuery
Console.WriteLine("Name = " & infoData.Name & _
", Phone = " & infoData.Phone)
Next