Tek-Tips is the largest IT community on the Internet today!

Members share and learn making Tek-Tips Forums the best source of peer-reviewed technical information on the Internet!

  • Congratulations TouchToneTommy on being selected by the Tek-Tips community for having the most helpful posts in the forums last week. Way to Go!

select distinct most frequent value within date range 1

Status
Not open for further replies.

peac3

Technical User
Jan 17, 2009
226
AU
Hello all,

I am trying to select distinct clientid, date, location from the the most frequent value of location from each client within the day.

For example

Code:
ClientID     Date       Location
1       2018-05-01         NY
1       2018-05-01         TOK
1       2018-05-01         HK
1       2018-05-01         NY
1       2018-05-01         NY
1       2018-05-01         NY
1       2018-05-01         NY
1       2018-05-02         HK
1       2018-05-02         HK
1       2018-05-02         HK
1       2018-05-02         HK
1       2018-05-02         HK
1       2018-05-02         HK
1       2018-05-02         SG
2       2018-05-02         SYD
2       2018-05-02         SYD
2       2018-05-02         SYD
2       2018-05-02         SG
2       2018-05-02         SG

And expected output should be
Code:
ClientID     Date       Location
1       2018-05-01         NY
1       2018-05-02         HK
2       2018-05-02         SYD

Any help would be much appreciated.

Thanks guys
 
Hi.

Code:
SELECT ClientID, Date, Location, Count(*)
FROM YourTable
GROUP BY ClientID, Date, Location
ORDER BY 4 DESC

Result...
[pre]
ClientID Date Location Expr1003
1 5/2/2018 0:00 HK 6
1 5/1/2018 0:00 NY 5
2 5/2/2018 0:00 SYD 3
2 5/2/2018 0:00 SG 2
1 5/2/2018 0:00 SG 1
1 5/1/2018 0:00 TOK 1
1 5/1/2018 0:00 HK 1
[/pre]

Skip,
[sub]
[glasses]Just traded in my OLD subtlety...
for a NUance![tongue][/sub]
 
Something like this (untested). It's easier to understand if you write the intermediate results to a temp table and then query the temp table.

Select clientID, date, location, max(freq) from
(Select (ClientID+date+location) as Keyfield, ClientID, date, Location, Count(location) as freq from <your table> group by (clientID+ date+location) order by (clientID+date+location), Count(location) descending) group by clientID, date, location


==================================
advanced cognitive capabilities and other marketing buzzwords explained with sarcastic simplicity


 
I think you will need the RANK function to accommodate ties.

Code:
;WITH t AS (
SELECT ClientID, Date, Location,
       RANK() OVER (PARTITION BY ClientID, Date ORDER BY COUNT(*) DESC) FreqRank
  FROM @Table
 GROUP BY ClientID, Date, Location
)

SELECT ClientID, Date, Location
  FROM t
 WHERE FreqRank = 1
 ORDER BY ClientID, Date, Location
 
Status
Not open for further replies.

Part and Inventory Search

Sponsor

Back
Top