I'm trying to update a table in Oracle and I'm running into some difficulty. I'm porting over my code from MySQL and some of the commands that MySQL allows are not supported in Oracle.
Here is the MySQL code:
update table1 t1 set c5 = (select ContractID from table2 t2 where t1.assetid =
t2.assetid and t1.lastdate >= t2.lastdate and t1.firstdate= t2.firstdate
order by lastdate asc limit 1 offset 4);
The subquery returns a list of ContractIDS, sorted by lastdate and I only want a particular one, hence the limit 1 offset X command.
The problem is as follows. Oracle does not support the "limit" or "offset" commands. There are workarounds to the limit problem using rownum and nested queries, but the Oracle 11G parser doesn't like them in an UPDATE command.
I had a similar problem before where I needed a limit within an update command, but not an offset. It was solved here: MySQL to Oracle Syntax Error (Limit / Offset / Update)
There is a workaround that Florin Ghita found using analytical functions.
update table1 alf
set nextcontractid =
(SELECT min(contractid) keep (dense_rank first order by lasttradedate asc)
FROM table1copy alf2
WHERE alf2.assetid = alf.assetid
AND alf2.lasttradedate > alf.lasttradedate
)
where alf.complete = 0
This workaround allows me to get the top or bottom entry (by using asc or desc in the dense_rank command), but I am not able to find a proxy for the offset command, if I wanted the second or third row.
Another solution I've tried used a nested query. The first got the first 5 rows using the rownum command, ordered them in the opposite way, the MINUS-ed off the last four rows. This solution failed because the Oracle parser didn't understand the reference to a table in the outermost command referenced inside one of the nested queries.
(Same problem as I was having before: MySQL to Oracle Syntax Error (Limit / Offset / Update))
The challenge isn't simply to run a select statement in oracle with a limit and offset, as I can already do that through nested queries. The challenge is to get the select statement to work within an update statement, because even though the statement is syntactically correct, the Oracle parser fails to decode them. So far, nested queries (and Google) have failed me.
Has anyone else been having similar problems?