You have a nested query in the projection: the select on qf.XfComments is a separate query which results in multiple values. This means that the engine will execute 2 queries and merge them in memory. So you should see 2 queries being executed, not 1. Do you see 2 queries? (the 1 AS "LLBLV_1" is a placeholder in the first query's resultset which is replaced with the nested query results for each row).
CorrelatedOver is a method which will result in a where clause predicate which ties a subquery to the parent query over the predicate (the subquery 'correlates' over the predicate produced by the predicate specified to CorrelatedOver).
There's one problem with your query which I find odd:
.Where(XfCommentsFields.Id ==
qf.Create()
.Select(XfCommentsFields.Date)
.CorrelatedOver(XfCommentsFields.RecordId == HfPoziadavkyFields.Id)
.Max())
Here you create a predicate which compares XfCommentsFields.Id with the max of XfCommentsFields.Date. That doesn't sound right.
Looking at your SQL query in the top post, there's a problem there:
SELECT
poz.Id,
(
SELECT TEXT FROM "SMTAPP"."XF_COMMENTS"
WHERE "SMTAPP"."XF_COMMENTS"."DATE" =
(
SELECT MAX("SMTAPP"."XF_COMMENTS"."DATE") AS "Date"
FROM "SMTAPP"."XF_COMMENTS"
WHERE "SMTAPP"."XF_COMMENTS"."RECORD_ID" = poz.Id
)
) xfUzivId
FROM HF_POZIADAVKY poz
(fixed a quote in the first WHERE).
You have two queries over SMTAPP.XF_COMMENTS. Some databases automatically assume you're using the inner most element with the name specified, but it's a bit confusing, i.e. the correlation predicate WHERE "SMTAPP"."XF_COMMENTS"."RECORD_ID" = poz.Id, does it refer to the outer SMTAPP.XF_COMMENTS or the inner one? Some db's assume automatically the inner one, but others don't. It's best to alias one:
SELECT
poz.Id,
(
SELECT TEXT FROM "SMTAPP"."XF_COMMENTS"
WHERE "SMTAPP"."XF_COMMENTS"."DATE" =
(
SELECT MAX(C."DATE") AS "Date"
FROM "SMTAPP"."XF_COMMENTS" C
WHERE C."RECORD_ID" = poz.Id
)
) xfUzivId
FROM HF_POZIADAVKY poz
In QuerySpec, 'As()' on a query is aliasing the query's resultset, 'TargetAs()' is specifying the alias for the target of the query. However we can do that with the field as well, as the field is all we specify here and the field implicitly defines the target. So your query becomes:
var pr = qf.Create()
.Select(
HfPoziadavkyFields.Id,
qf.Create()
.Select(XfCommentsFields.Text)
.Where(XfCommentsFields.Date ==
qf.Create()
.Select(XfCommentsFields.Date.Source("C"))
.CorrelatedOver(XfCommentsFields.RecordId.Source("C")==HfPoziadavkyFields.Id)
.Max())
.As("xfUzivId"));
(not tested, but I think this is what you wanted). It aliases the inner most query on XfComments with 'C'
This will execute 2 queries, as the xfUzivId query is not a scalar query but will return potentially multiple rows.