我有一个工资单数据的sql表,其中包含与这些工资率相关的工资率和生效日期,以及在不同日期工作的小时数。看起来有点像这样:
EMPID DateWorked Hours WageRate EffectiveDate
1 1/1/2010 10 7.00 6/1/2009
1 1/1/2010 10 7.25 6/10/2009
1 1/1/2010 10 8.00 2/1/2010
1 1/10/2010 ...
2 1/1/2010 ...
...
等等。基本上,数据的组合方式是,对于每天工作,所有员工的工资历史都是连在一起的,我想要获取与最晚生效日期相关的工资率,该日期不晚于工作日期。所以在上面的例子中,我想要的是在2009年6月10日生效的7.25的比率。
我可以为此进行什么样的查询?我可以使用MAX(EffectiveDate)以及基于工作日期之前的标准,但这只给我最新的日期本身,我想要相关的工资。我正在使用Sql Server。
或者,我有用于创建此数据的原始表。其中一个包含工作日期,小时数和EMPID,另一个包含工资率和生效日期列表。有没有办法加入这些,而不是每个工作日正确应用合适的工资率?
我以为我想要通过EMPID分组,然后是DateWorked,并从那里做一些事情。我想得到一个结果,它给我的工资率实际上是每个工作日期的最新有效率
答案 0 :(得分:3)
select p.*
from (
select EMPID, DateWorked, Max(EffectiveDate) as MaxEffectiveDate
from Payroll
where EffectiveDate <= DateWorked
group by EMPID, DateWorked
) pm
inner join Payroll p on pm.EMPID = p.EMPID and pm.DateWorked = p.DateWorked and pm.MaxEffectiveDate = p.EffectiveDate
<强>输出:强>
EMPID DateWorked Hours WageRate EffectiveDate
----------- ----------------------- ----------- --------------------------------------- -----------------------
1 2010-01-01 00:00:00.000 10 7.25 2009-06-10 00:00:00.000
答案 1 :(得分:2)
试试这个:
DECLARE @YourTable table (EMPID int, DateWorked datetime, Hours int
,WageRate numeric(6,2), EffectiveDate datetime)
INSERT INTO @YourTable VALUES (1,'1/1/2010' ,10, 7.00, '6/1/2009')
INSERT INTO @YourTable VALUES (1,'1/1/2010' ,10, 7.25, '6/10/2009')
INSERT INTO @YourTable VALUES (1,'1/1/2010' ,10, 8.00, '2/1/2010')
INSERT INTO @YourTable VALUES (1,'1/10/2010',10, 20.00,'12/1/2010')
INSERT INTO @YourTable VALUES (2,'1/1/2010' ,8 , 12.00, '2/1/2009')
SELECT
e.EMPID,e.WageRate,e.EffectiveDate
FROM @YourTable e
INNER JOIN (SELECT
EMPID,MAX(EffectiveDate) AS EffectiveDate
FROM @YourTable
WHERE EffectiveDate<GETDATE()+1
GROUP BY EMPID
) dt ON e.EMPID=dt.EMPID AND e.EffectiveDate=dt.EffectiveDate
ORDER BY e.EMPID
输出
EMPID WageRate EffectiveDate
----------- --------------------------------------- -----------------------
1 8.00 2010-02-01 00:00:00.000
2 12.00 2009-02-01 00:00:00.000
(2 row(s) affected)
答案 2 :(得分:2)
这样的事情应该有效:
SELECT T.* FROM T
INNER JOIN (
SELECT EMPID, MAX(EFFECTIVEDATE) EFFECTIVEDATE
FROM T
WHERE DATEWORKED <= EFFECTIVEDATE
GROUP BY EMPID) t2
ON T2.EMPID = T.EMPID
AND T2.EFFECTIVEDATE = T.EFFECTIVEDATE
答案 3 :(得分:0)
SELECT TOP 1 EMPID, WageRate
FROM wages
WHERE ......
ORDER BY EffectiveDate DESC