我想从mysql中的字符串中提取子字符串。该字符串包含多个子字符串,以逗号(',')分隔。我需要使用任何mysql函数提取这些子字符串。
例如:
Table Name: Product
-----------------------------------
item_code name colors
-----------------------------------
102 ball red,yellow,green
104 balloon yellow,orange,red
我想选择颜色字段并将子字符串提取为红色,黄色和绿色,并用逗号分隔。
[可能的重复项:Split value from one field to two
[不幸的是,MySQL没有分割字符串功能。如上面的链接所示,存在User-defined Split function。
获取数据的更详细的版本可以是以下内容:
SELECT SUBSTRING_INDEX(SUBSTRING_INDEX(colors, ',', 1), ',', -1) as colorfirst,
SUBSTRING_INDEX(SUBSTRING_INDEX(colors, ',', 2), ',', -1) as colorsecond
....
SUBSTRING_INDEX(SUBSTRING_INDEX(colors, ',', n), ',', -1) as colornth
FROM product;
在第64至69行检查SPLIT_STR函数here的使用
基于https://blog.fedecarg.com/2009/02/22/mysql-split-string-function/,这是一种从定界符分隔的数组中访问值的方法:
/*
usage:
SELECT get_from_delimiter_split_string('1,5,3,7,4', ',', 1); -- returns '5'
SELECT get_from_delimiter_split_string('1,5,3,7,4', ',', 10); -- returns ''
*/
CREATE FUNCTION get_from_delimiter_split_string(
in_array varchar(255),
in_delimiter char(1),
in_index int
)
RETURNS varchar(255) CHARSET utf8mb4 COLLATE utf8mb4_unicode_ci
RETURN REPLACE( -- remove the delimiters after doing the following:
SUBSTRING( -- pick the string
SUBSTRING_INDEX(in_array, in_delimiter, in_index + 1), -- from the string up to index+1 counts of the delimiter
LENGTH(
SUBSTRING_INDEX(in_array, in_delimiter, in_index) -- keeping only everything after index counts of the delimiter
) + 1
),
in_delimiter,
''
);
这里是字符串运算符的参考文档:https://dev.mysql.com/doc/refman/8.0/en/string-functions.html