I'm not really sure where your table1Col1 comes into play here, so the below may not quite be suffiecient to fully solve your problem , but it should get you started:
First you need a split function, such as:
CREATE FUNCTION dbo.Split (@Input NVARCHAR(MAX), @Delimiter NVARCHAR(1))
RETURNS @T TABLE (OutputValue NVARCHAR(MAX))
AS
BEGIN
WITH CTE AS
( SELECT [OutputValue] = SUBSTRING(@Input, 1, CHARINDEX(@Delimiter, @Input)),
[InputValue] = SUBSTRING(@Input, CHARINDEX(@Delimiter, @Input) + 1, LEN(@Input)) + ' '
UNION ALL
SELECT [OutputValue] = SUBSTRING([InputValue], 1, CHARINDEX(@Delimiter, [InputValue])),
[InputValue] = SUBSTRING([InputValue], CHARINDEX(@Delimiter, [InputValue]) + 1, LEN([InputValue]))
FROM CTE
WHERE LEN([InputValue]) > 0
)
INSERT @T
SELECT DISTINCT OutputValue
FROM CTE
RETURN;
END
Then you can use something like this:
DECLARE @T TABLE (Col1 NVARCHAR(MAX));
INSERT @T VALUES ('apples oranges grapes'), ('apples oranges'), ('apples strawberries');
DECLARE @StringToCheck NVARCHAR(MAX) = 'apples oranges bananas grapes'
SELECT Col1
FROM @T
CROSS APPLY dbo.Split(Col1, ' ') spl
LEFT JOIN dbo.Split(@StringToCheck, ' ') chk
ON chk.OutputValue = spl.OutputValue
GROUP BY Col1
HAVING COUNT(spl.OutputValue) = COUNT(chk.OutputValue)
Or if you need to specifically exclude Items
DECLARE @T TABLE (Col1 NVARCHAR(MAX));
INSERT @T VALUES ('apples oranges grapes'), ('apples oranges'), ('apples strawberries');
DECLARE @StringToCheck NVARCHAR(MAX) = 'apples oranges bananas grapes',
@StringToExlude NVARCHAR(MAX) = 'strawberries grapes'
SELECT Col1
FROM @T
CROSS APPLY dbo.Split(Col1, ' ') spl
LEFT JOIN dbo.Split(@StringToCheck, ' ') chk
ON chk.OutputValue = spl.OutputValue
LEFT JOIN dbo.Split(@StringToExlude, ' ') exc
ON exc.OutputValue = spl.OutputValue
GROUP BY Col1
HAVING COUNT(spl.OutputValue) = COUNT(chk.OutputValue)
AND COUNT(exc.OutputValue) = 0