我需要将两个表与第一个表中的所有列组合在一起(左外连接),如果四个列中的值匹配,则只需要在第二个表中组合一个列。
换句话说,如果四列匹配,则updatenotice
应该等于第二个表中的值(表b
)如果其中一列不匹配,则不加入第二个表的值,但保持updatenotice
不在第一个表中(表a
)。
我在case语句中遇到语法错误。
这是我的代码:
proc sql;
create table UseLimit_updates as
select *
from work.updated_mwh as a
left outer join work.archive_dups as b
on a.updatenotice=b.updatenotice
case when a.res_id=b.res_id
and a.limit_start_date=b.limit_start_date
and a.limit_end_date=b.limit_end_date
and a.created_date=b.created_date
then a.updatenotice=b.updatenotice
else a.updatenotice='A'
end;
quit;
case语句必须包含在select部分中:
select
case when b.updatenotice is null then a.updatenotice else b.updatenotice end,
<rest of the columns of work.updated_mwh>
from work.updated_mwh as a
left join work.archive_dups as b
on
a.res_id=b.res_id and
a.limit_start_date=b.limit_start_date and
a.limit_end_date=b.limit_end_date and
a.created_date=b.created_date
end;
我认为coalesce()
更简洁:
proc sql;
create table UseLimit_updates as
select . . .,
coalesce(b.updatenotice, a.updatenotice, 'A') as updatenotice
from work.updated_mwh a left join
work.archive_dups b
on a.updatenotice = b.updatenotice and
a.limit_start_date = b.limit_start_date and
a.limit_end_date = b.limit_end_date and
a.created_date = b.created_date;
end;
quit;
您的代码还建议您如果缺少其他值,则需要'A'
作为默认值。