Computer >> 컴퓨터 >  >> 프로그램 작성 >> MySQL

MySQL은 쉼표로 구분된 목록 열로 고유한 행을 선택합니까?

<시간/>

GROUP_CONCAT() 함수를 사용하여 이를 달성할 수 있습니다. 구문은 다음과 같습니다 -

SELECT yourColumnName1,yourColumnName2,yourColumnName3,..N,
GROUP_CONCAT(yourColumnName4) as anyAliasName
FROM yourTableName
group by yourColumnName3, yourColumnName1,yourColumnName2;

위의 구문을 이해하기 위해 테이블을 생성해 보겠습니다. 테이블을 생성하는 쿼리는 다음과 같습니다 -

mysql> create table CommaDelimitedList
   -> (
   -> Id int NOT NULL AUTO_INCREMENT,
   -> Name varchar(10),
   -> GroupId int,
   -> CompanyName varchar(15),
   -> RefId int,
   -> PRIMARY KEY(Id)
   -> );
Query OK, 0 rows affected (0.68 sec)

INSERT 명령을 사용하여 테이블에 일부 레코드를 삽입하십시오. 쿼리는 다음과 같습니다 -

mysql> insert into CommaDelimitedList(Name,GroupId,CompanyName,RefId)
   -> values('Larry',5,'Google',162);
Query OK, 1 row affected (0.14 sec)
mysql> insert into CommaDelimitedList(Name,GroupId,CompanyName,RefId)
   -> values('Larry',5,'Google',5);
Query OK, 1 row affected (0.48 sec)
mysql> insert into CommaDelimitedList(Name,GroupId,CompanyName,RefId)
   -> values('Larry',5,'Google',4);
Query OK, 1 row affected (0.16 sec)
mysql> insert into CommaDelimitedList(Name,GroupId,CompanyName,RefId)
   -> values('Sam',6,'Amazon',3);
Query OK, 1 row affected (0.31 sec)

select 문을 사용하여 테이블의 모든 레코드를 표시합니다. 쿼리는 다음과 같습니다 -

mysql> select *from CommaDelimitedList;

다음은 출력입니다 -

+----+-------+---------+-------------+-------+
| Id | Name  | GroupId | CompanyName | RefId |
+----+-------+---------+-------------+-------+
|  1 | Larry |       5 | Google      |   162 |
|  2 | Larry |       5 | Google      |     5 |
|  3 | Larry |       5 | Google      |     4 |
|  4 | Sam   |       6 | Amazon      |     3 |
+----+-------+---------+-------------+-------+
4 rows in set (0.00 sec)

다음은 구분된 열 목록을 수행하는 쿼리입니다 -

mysql> select Name,GroupId,CompanyName,
   -> group_concat(RefId) as RefList
   -> from CommaDelimitedList
   -> group by CompanyName, Name,GroupId;

다음은 출력입니다 -

+-------+---------+-------------+---------+
| Name  | GroupId | CompanyName | RefList |
+-------+---------+-------------+---------+
| Sam   |       6 | Amazon      | 3       |
| Larry |       5 | Google      | 162,5,4 |
+-------+---------+-------------+---------+
2 rows in set (0.00 sec)