I have data that looks like:
Customers Table
CustomerId CustomerName CustomerEmail
------------------------------------------
1 Ben [email protected]
2 Robert [email protected]
3 Paul [email protected]
CustomerContacts Table
CustomerContactId CustomerId ContactName ContactEmail
----------------------------------------------------------
99 1 Lisa [email protected]
98 3 Jane [email protected]
97 3 Wendy [email protected]
Here's the result I'm looking for:
[
{
"CustomerId": 1,
"Names": [ "Ben","Lisa" ],
"Emails": [ "[email protected]","[email protected]" ]
},
{
"CustomerId": 2,
"Names": [ "Robert" ],
"Emails": [ "[email protected]" ]
},
{
"CustomerId": 3,
"Names": [ "Paul","Jane","Wendy" ],
"Emails": [ "[email protected]","[email protected]","[email protected]" ]
}
]
What I have tried: I'm embarrassed to say I'm not even close:
SELECT
Customers.CustomerId,
STUFF( ISNULL(',' + Customers.CustomerName, '') + ISNULL(',' + CustomerContacts.ContactName, ''),1,1,'') as Names
FROM Customers
FULL JOIN CustomerContacts
ON Customers.CustomerId = CustomerContacts.CustomerId
GROUP BY Customers.CustomerId;
Unfortunately, SQL Server jumped on the JSON wagon a bit late in the game (started built in support only in 2016 version), which means it's JSON support is still not great (Though what it does know how to do it does great).
Personally, I don't know of any built-in way to create a JSON array of values as a result of a query
(
{"Name":["Value1", "Value2"...]}
) though it's quite easy to generate an array of key-value pairs(
["Name":"Value1", "Name":"Value2"...]
) - at least not by using theFOR JSON
clause.However, Since you're working with 2017 and Azure versions, it is quite easy to generate such arrays yourself, using
string_agg
(It's a bit more cumbersome in earlier versions - usingfor xml path
andstuff
to aggregate strings).Note the usage of
WITHIN GROUP (ORDER BY CustomerContactId)
, that forces a specific order to the aggregated string. Without it, the order of the names and emails of the contacts would be arbitrary (though I'm pretty sure they will probably still both be ordered the same way within one run of the query).That being said - here's my proposed solution:
First, create and populate sample tables (Please save is this step in your future questions):
Then, use a query with
FOR JSON PATH
to get a json output.The trick here is to generate the inner arrays by concatenating the
CustomerName
/CustomerEmail
with the result of aSTRING_AGG
subquery of the relevant column in theCustomerContacts
table.Note the
JSON_QUERY
wrapper around these columns. They are needed to prevent SQL Server to escape the"
chars in the json output - by telling it that the content is proper JSON.Also, note the usage of
ISNULL
to act as aLEFT JOIN
- you'll get all the customers, even if they don't have a corresponding record in theCustomerContacts
table.Result:
You can see a live demo on DB<>Fiddle
(Unfortunately, json output isn't nicely indented but it's valid none the less)