如何将此SQL查询转换为MS Access查询?

时间:2013-04-20 16:16:40

标签: sql ms-access distinct

我在SQL中有查询

SELECT        COUNT(DISTINCT dbo.Polling_Stations.P_ID) AS [Male Stations]
FROM            dbo.Agent INNER JOIN
                     dbo.Polling_Stations ON dbo.Agent.P_ID = dbo.Polling_Stations.P_ID
GROUP BY dbo.Polling_Stations.Gender
HAVING        (dbo.Polling_Stations.Gender = N'Male')

我已将其转换为Access为:

SELECT        COUNT(DISTINCT Polling_Stations.P_ID) AS [Male Stations]
FROM            Agent INNER JOIN
                     Polling_Stations ON Agent.P_ID = Polling_Stations.P_ID
GROUP BY Polling_Stations.Gender
HAVING        (Polling_Stations.Gender = 'Male') 

但它给了我一个错误: 查询表达式'Count(DISTINCT Polling_Stations.P_ID)'中的语法错误(缺少运算符)。

2 个答案:

答案 0 :(得分:5)

Access SQL不支持COUNT(DISTINCT ...),因此您需要执行

SELECT COUNT(*) AS [Male Stations]
FROM
(
    SELECT DISTINCT Polling_Stations.P_ID
    FROM Agent INNER JOIN Polling_Stations 
        ON Agent.P_ID = Polling_Stations.P_ID
    WHERE Polling_Stations.Gender = "Male"
)

答案 1 :(得分:4)

访问权限不支持Count(DISTINCT ...)。子查询中的SELECT DISTINCT,并从父查询中进行计数。

SELECT COUNT(ps.P_ID) AS [Male Stations]
FROM
    Agent
    INNER JOIN
    (
        SELECT DISTINCT P_ID
        FROM Polling_Stations
        WHERE Gender = 'Male'
    ) AS ps
    ON Agent.P_ID = ps.P_ID;
相关问题