如何用最近的记录替换缺失的数字求和

ztmd8pv5  于 2021-08-13  发布在  Java
关注(0)|答案(1)|浏览(464)

假设游戏有5个等级,每个等级玩家可以得到1,2和3的分数。玩家x有以下数据:

  1. Level | Attempt | Score
  2. 1 | 1 | 2
  3. 1 | 2 | 3
  4. 2 | 1 | 3
  5. 3 | 1 | 3
  6. 4 | 1 | 1
  7. 4 | 2 | 3
  8. 5 | 1 | 2
  9. 5 | 2 | 2
  10. 5 | 3 | 3

既然我想 SUM 分数 GROUP BY 尝试,但以一种特殊的方式:
尝试一:简单的2+3+3+1+3=12
尝试2:现在2级和3级没有尝试2,但我还是想用他们最近的分数加起来:3+3+3+3+2=14
第三次尝试:我想把所有等级的分数加起来(如果没有第三次尝试),得到3+3+3+3+3=15
如何使用sql来实现它?请注意,没有对尝试次数的限制,所以一个玩家可能会尝试100次,我必须提供100个总数。

i1icjdpr

i1icjdpr1#

然后,可能是这样的:

  1. WITH
  2. -- your input ...
  3. input(level,attempt,score) AS (
  4. SELECT 1,1,2
  5. UNION ALL SELECT 1,2,3
  6. UNION ALL SELECT 2,1,3
  7. UNION ALL SELECT 3,1,3
  8. UNION ALL SELECT 4,1,1
  9. UNION ALL SELECT 4,2,3
  10. UNION ALL SELECT 5,1,2
  11. UNION ALL SELECT 5,2,2
  12. UNION ALL SELECT 5,3,3
  13. )
  14. -- your input ends here
  15. , -- replace comma with WITH in real query ..
  16. -- creating a table with 5 rows per each of the 3 attempts
  17. frame (level,attempt) AS (
  18. SELECT
  19. i.level
  20. , a.attempt
  21. FROM input i
  22. CROSS JOIN (
  23. SELECT DISTINCT
  24. attempt
  25. FROM input
  26. ) a
  27. WHERE i.attempt=1
  28. )
  29. -- SELECT * FROM frame; -- un-comment this line to test the frame table
  30. ,
  31. gapfilled AS (
  32. -- Query before GROUPing: left join the frame table with the input table
  33. -- and fill the resulting NULLs using the LAST_VALUE ( ... IGNORE NULLS)
  34. -- OLAP function. If you can take a previous one, pick it, if not , pick
  35. -- a following one.
  36. -- Vertica has named OLAP windows, which we use here - one forward, one backward
  37. SELECT
  38. frame.level
  39. , NVL(
  40. LAST_VALUE(input.attempt IGNORE NULLS) OVER(fwd)
  41. , LAST_VALUE(input.attempt IGNORE NULLS) OVER(bwd)
  42. ) AS attempt
  43. , NVL(
  44. LAST_VALUE(input.score IGNORE NULLS) OVER(fwd)
  45. , LAST_VALUE(input.score IGNORE NULLS) OVER(bwd)
  46. ) AS score
  47. FROM frame LEFT JOIN input USING(level,attempt)
  48. WINDOW fwd AS (PARTITION BY frame.attempt ORDER BY frame.level)
  49. , bwd AS (PARTITION BY frame.attempt ORDER BY frame.level DESC)
  50. )
  51. -- SELECT * FROM gapfilled ORDER BY 2,1; -- UN-comment to test gapfilled table
  52. SELECT
  53. attempt
  54. , SUM(score) AS score_sum
  55. FROM gapfilled
  56. GROUP BY
  57. attempt;
  58. -- out attempt | score_sum
  59. -- out ---------+-----------
  60. -- out 1 | 11
  61. -- out 2 | 14
  62. -- out 3 | 15
展开查看全部

相关问题