我的航班表中有“DEP”(离开)和“ARR”(抵达)等列。
很明显,出发和到达列可以有可互换的城市名称。例如,1行可以将“SEA”作为出发,将“NYC”作为到达,而另一行可以将“NYC”作为出发,将“SEA”作为到达。
我想只获取出发和到达城市的独特组合。因此,在这种情况下,我希望看到2行中的任何一行作为输出,而不是两行。
以下是我的表格在数据上看起来更逼真的方式:
CREATE TABLE flights(DEP CHAR(3), ARR CHAR(3), COST INT)
INSERT INTO flights VALUES ('SEA', 'CHG', 100)
INSERT INTO flights VALUES ('CHG', 'SEA', 100)
INSERT INTO flights VALUES ('SEA', 'SFO', 100)
INSERT INTO flights VALUES ('SEA', 'LSA', 100)
INSERT INTO flights VALUES ('SEA', 'SJO', 100)
INSERT INTO flights VALUES ('SFO', 'CHG', 100)
INSERT INTO flights VALUES ('SFO', 'SEA', 100)
INSERT INTO flights VALUES ('BOS', 'SEA', 100)
INSERT INTO flights VALUES ('NYC', 'CHG', 100)
INSERT INTO flights VALUES ('NYC', 'SEA', 100)
INSERT INTO flights VALUES ('SEA', 'NYC', 100)
SELECT * FROM flights --(11 rows)
DEP ARR COST
---- ---- ----
BOS SEA 100
CHG SEA 100
NYC CHG 100
NYC SEA 100
SEA CHG 100
SEA LSA 100
SEA NYC 100
SEA SFO 100
SEA SJO 100
SFO CHG 100
SFO SEA 100
对于上表,我的输出应该是(8行):
COL1 COL2
---- ----
SFO SEA
SFO CHG
SEA SJO
SEA NYC
SEA LSA
SEA CHG
NYC CHG
BOS SEA
我能够使用临时表,变量和循环等编写TSQL代码,但我强烈认为这可以通过使用UNION / INTERSECT / EXCEPT / EXISTS等更简单的SQL来实现。
这是我的解决方案:
DECLARE @i INT = 1 --loop counter
DECLARE @exist BIT = 0 --flag to check if the combination already exists
DECLARE @dep CHAR(3), @arr CHAR(3)
SELECT @i = COUNT(*) FROM dbo.flights --get the row count
CREATE TABLE #tResult(dep CHAR(3), arr CHAR(3)) --output table
CREATE TABLE #tTemp (id TINYINT identity, dep CHAR(3), arr CHAR(3))
INSERT INTO #tTemp (dep, arr)
SELECT DISTINCT dep, arr FROM flights
WHILE (@i > 0)
BEGIN
--get
SELECT @dep = dep, @arr = arr
FROM #tTemp WHERE id = @i
SET @exist = (SELECT count(*) FROM #tResult WHERE arr = @dep AND dep = @arr) --check if this combination has been inserted in output
--if not exists, insert this combination
IF (@exist = 0)
BEGIN
INSERT INTO #tResult (dep, arr)
VALUES (@dep, @arr)
END
SET @i = @i - 1 --decreament loop counter
END
SELECT * FROM #tResult
任何人都可以分享一个更好或更简单的解决方案来解决这个问题。 谢谢!
答案 0 :(得分:2)
这样的事情通常有效:
Select distinct case when dep < arr then dep else arr end as col1,
case when dep < arr then arr else dep end as col2
From flights
答案 1 :(得分:2)
一种方法是使用UNION ALL
:
select dep,
arr
from flights
where dep < arr
union all
select dep,
arr
from flights f
where dep > arr
and not exists (
select 1 from flights f2
where f.dep = f2.arr and f.arr = f2.dep
);