Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to ignore characters on a MYSQL SELECT LIKE %...%

I have a table with a phone column, where data may have spaces, dots,dashes or + signs between the numbers. I need to do a search with LIKE wildcards that ignore all those characters, for example:

  • a record may have phone as "+123-456 78.90"
  • a query looking for "6789" or any complete or incomplete sequence of proper digits in order should bring up that record.

Unfortunately I cant cleanup the original table to remove the non-digit characters and do a plain SELECT LIKE %...%.

MYSQL has functions to substitute/remove characters from strings, but can't find a way to use them inside a query with a widlcarded LIKE.

Any help will be much appreciated.

like image 938
Henry Avatar asked Mar 24 '12 08:03

Henry


People also ask

How do I ignore symbols in SQL?

add a column without symbols in your table, and search on it. Otherwise use REGEXP but its slow. Cleaning up data before INSERT/UPDATE is half the solution. (Typically done using triggers.)

How do I exclude a special character in SQL query?

In some situations, we may not want a space or another special character, so we can include the special character that we want to exclude in our not regular expression, such as [^A-Z0-9 ] to exclude a space.

Does MySQL like ignore case?

The LIKE statement is used for searching records with partial strings in MySQL. By default the query with LIKE matches case-insensitive recores. Means query will match both records in lowercase or uppercase.


2 Answers

I see two ways doing this:

  1. If you allow only a few extra characters than you can prepare a string which is stripped from these extra characters and you use the LIKE operator you normally would

    select * from phoneTable where replace(replace(phone, '+', ''), '-', '') LIKE '%123%'
    

    Of course you need as many replace calls as the number of allowed extra characters

  2. You use regular expressions, let's say you are searching for pattern 123

    select * from phoneTable where phone REGEXP '.*1[^0-9]*2[^0-9]*3'
    
like image 61
Hari Avatar answered Sep 23 '22 00:09

Hari


I had the same problem with partnumbers and unwanted characters. My solution was

SELECT * FROM parts WHERE replace(partnumber, '-', '') LIKE '$searchterm%';
like image 30
Frank Avatar answered Sep 23 '22 00:09

Frank