Als u meer reguliere expressiekracht in uw database wilt, kunt u overwegen om LIB_MYSQLUDF_PREG te gebruiken . Dit is een open source bibliotheek met MySQL-gebruikersfuncties die de PCRE-bibliotheek importeert. LIB_MYSQLUDF_PREG wordt alleen geleverd in broncodevorm. Om het te gebruiken, moet je het kunnen compileren en installeren op je MySQL-server. Het installeren van deze bibliotheek verandert op geen enkele manier de ingebouwde regex-ondersteuning van MySQL. Het maakt alleen de volgende extra functies beschikbaar:
PREG_CAPTURE haalt een regex-overeenkomst uit een tekenreeks. PREG_POSITION retourneert de positie waarop een reguliere expressie overeenkomt met een tekenreeks. PREG_REPLACE voert een zoek-en-vervanging uit op een string. PREG_RLIKE test of een regex overeenkomt met een tekenreeks.
Al deze functies nemen een reguliere expressie als hun eerste parameter. Deze reguliere expressie moet worden opgemaakt als een Perl-operator voor reguliere expressies. bijv. om te testen of regex ongevoelig overeenkomt met het onderwerp, gebruikt u de MySQL-code PREG_RLIKE('/regex/i', subject). Dit is vergelijkbaar met de preg-functies van PHP, die ook de extra // scheidingstekens nodig hebben voor reguliere expressies in de PHP-string.
Als u iets eenvoudiger wilt, kunt u deze functie aanpassen aan uw behoeften.
CREATE FUNCTION REGEXP_EXTRACT(string TEXT, exp TEXT)
-- Extract the first longest string that matches the regular expression
-- If the string is 'ABCD', check all strings and see what matches: 'ABCD', 'ABC', 'AB', 'A', 'BCD', 'BC', 'B', 'CD', 'C', 'D'
-- It's not smart enough to handle things like (A)|(BCD) correctly in that it will return the whole string, not just the matching token.
RETURNS TEXT
DETERMINISTIC
BEGIN
DECLARE s INT DEFAULT 1;
DECLARE e INT;
DECLARE adjustStart TINYINT DEFAULT 1;
DECLARE adjustEnd TINYINT DEFAULT 1;
-- Because REGEXP matches anywhere in the string, and we only want the part that matches, adjust the expression to add '^' and '$'
-- Of course, if those are already there, don't add them, but change the method of extraction accordingly.
IF LEFT(exp, 1) = '^' THEN
SET adjustStart = 0;
ELSE
SET exp = CONCAT('^', exp);
END IF;
IF RIGHT(exp, 1) = '$' THEN
SET adjustEnd = 0;
ELSE
SET exp = CONCAT(exp, '$');
END IF;
-- Loop through the string, moving the end pointer back towards the start pointer, then advance the start pointer and repeat
-- Bail out of the loops early if the original expression started with '^' or ended with '$', since that means the pointers can't move
WHILE (s <= LENGTH(string)) DO
SET e = LENGTH(string);
WHILE (e >= s) DO
IF SUBSTRING(string, s, e) REGEXP exp THEN
RETURN SUBSTRING(string, s, e);
END IF;
IF adjustEnd THEN
SET e = e - 1;
ELSE
SET e = s - 1; -- ugh, such a hack to end it early
END IF;
END WHILE;
IF adjustStart THEN
SET s = s + 1;
ELSE
SET s = LENGTH(string) + 1; -- ugh, such a hack to end it early
END IF;
END WHILE;
RETURN NULL;
END