The following is based on a "split string" approach found here which requires a table of numbers with one number per row. If you don't have such a table there are alternatives. such as just using a query like this:
SELECT 1 n UNION ALL SELECT 2 UNION ALL SELECT 3 UNION ALL SELECT 4 ...
You need a series of numbers up to the maximum length of the string to be split. Once those numbers are available as rows then the comma separated string can be broken up into parts providing each part on a new row. Once that row structure exists it is a simple matter of using a where clause to remove the parts we are no longer interested in.
CREATE TABLE numbers (
n INT PRIMARY KEY);
INSERT INTO numbers VALUES (1),(2),(3),(4),(5),(6),(7),(8),(9),(10);
CREATE TABLE yourtable (
no VARCHAR(200),
numberOfRecord INT
);
INSERT INTO yourtable VALUES
('1792008328, 1840192095, 9170223798',1),
('1785005168, 1790192096, 9170223799',1);
SELECT
*
FROM (
SELECT
trim(SUBSTRING_INDEX(SUBSTRING_INDEX(t.no, ',', numbers.n), ',', -1)) no
, numberOfRecord
FROM numbers
INNER JOIN yourtable t ON CHAR_LENGTH(t.no)
-CHAR_LENGTH(REPLACE(t.no, ',', ''))>=numbers.n-1
) d
WHERE no LIKE '179%'
ORDER BY no;
no | numberOfRecord
:--------- | -------------:
1790192096 | 1
1792008328 | 1
as a standalone query:
SELECT
trim(SUBSTRING_INDEX(SUBSTRING_INDEX(t.no, ',', numbers.n), ',', -1)) no
, numberOfRecord
FROM numbers
INNER JOIN yourtable t ON CHAR_LENGTH(t.no)
-CHAR_LENGTH(REPLACE(t.no, ',', ''))>=numbers.n-1
the "split string" does create many rows.
no | numberOfRecord
:--------- | -------------:
1792008328 | 1
1785005168 | 1
1840192095 | 1
1790192096 | 1
9170223798 | 1
9170223799 | 1
dbfiddle here