There are plenty of great posts on SQL that selects unique rows and write (truncates) a table so the dus are removed. e.g
WITH ev AS (
SELECT
*,
ROW_NUMBER() OVER (PARTITION BY id ORDER BY loadTime DESC) AS rowNum
FROM `duplicates`
)
SELECT
* EXCEPT(rowNum)
FROM
ev
WHERE rowNum = 1
I was trying to explore this slightly differently using DML and DELETE
(e.g if you don't want to use a BQ savedQuery, just execute SQL). What I want to do is roughly:
WITH dup_events AS (
SELECT
*,
ROW_NUMBER() OVER (PARTITION BY id ORDER BY loadTime DESC) AS rowNum
FROM `duplicates`
)
DELETE FROM
dup_events
WHERE rowNum > 1
but got this error in the console:
Syntax error: Expected "(" or keyword SELECT but got keyword DELETE at [10:1]
Can this be achieved (standardSQL) using DELETE
?
From the syntax documentation, the argument to DELETE
needs to be a table, and there is no provision for using a WITH
clause. This makes sense given that you can't delete from what is essentially a logical view (a CTE). You can express what you want by putting the logic inside the filter, e.g.
DELETE
FROM duplicates AS d
WHERE (SELECT ROW_NUMBER() OVER (PARTITION BY id ORDER BY loadTime DESC)
FROM `duplicates` AS d2
WHERE d.id = d2.id AND d.loadTime = d2.loadTime) > 1;