|
|
Question : Correlated subquery in a JOIN
|
|
I have 2 tables, tIssue and tIssueEvent which contains a history of updates to the issue.
I want to retrieve in a single query the details of the issue and the last entry in tIssueEvent.
However I'm running into a problem, when I try the following SQL statement I get the error: The column prefix 'tIssue' does not match with a table name or alias name used in the query.
SELECT issueEventDate, issueNumber FROM tIssue, (SELECT TOP 1 issueEventDate FROM tIssueEvent WHERE tIssueEvent.IssueID = tIssue.IssueID ORDER BY issueEventDate DESC) tIssueEvent
I've also tried
SELECT issueNumber, issueEventDate, issueEvent.issueID FROM tIssue LEFT OUTER JOIN (SELECT TOP 1 * FROM tIssueEvent WHERE tIssueEvent.issueID = tIssue.issueID) issueEvent ON issueEvent.issueID = tIssue.issueID
which gives the same error. If I leave the subquery where clause out then the subquery returns the latest event in the entire table.
This seems to work Ok, but it's inefficient as it has to perform the SELECT for every field I retrieve from the tIssueEvent table, and I also want to JOIN to one of the fields in it:
SELECT (SELECT TOP 1 issueEventDate FROM tIssueEvent WHERE tIssueEvent.IssueID = tIssue.issueID ORDER BY issueEventDate DESC) AS LastUpdate FROM tIssue
Any suggestions about the best way to perform this function?
|
Answer : Correlated subquery in a JOIN
|
|
Does this return the correct rows: SELECT * FROM tIssue i LEFT JOIN ( select issueID, Max(issueEventDate ) as MaxEventDate from tIssueEvent group by issueID ) as g on g.IssueID = i.IssueID left join tIssueEvent e on e.IssueID = g.IssueID and e.issueEventdate = g.MaxEventDate
|
|
|
|
|