SQL Server/SQL Server Tip

비결정적 사용자 정의 함수 사용으로 인한 느린 쿼리

SungWookKang 2015. 7. 23. 10:17
반응형

비결정적 사용자 정의 함수 사용으로 인한 느린 쿼리

 

  • Version : SQL Server 2005, 2008, 2008R2, 2012, 2014

 

SQL Server에서는 사용자 정의 함수를 생성하고 사용할 수 있다. 사용자 정의 함수는 매개변수를 허용하고 복잡한 계산 등의 동작을 수행하며 해당 동작의 결과를 값으로 반환한다. 반환 값은 단일 스칼라 값이나 테이블일 수 있다.

 

 

이번 포스트는 비결정적인 사용자 정의 함수로 인하여 쿼리가 느린 상황을 살펴보고 해결하는 방법에 대해서 살펴본다. 포스트의 내용은 CSS SQL Engineers를 참고 하였으며 읽고 이해한 내용을 정리하였다. 번역의 오류나 기술적 오류가 있을 수 있으며 자세한 내용은 원문을 참고한다.

 

느린 쿼리의 상황은 "NO JOIN PREDICATE" 경고가 발생한 것으로 카티션 프로덕트가 발생하였다. 이해를 돕기 위해 실습을 통해 알아보자. 스크립트를 실행하여 테스트 테이블 및 데이터를 생성한다.

create table t1 (c1 int not null, c2 varchar(100))

go

 

create table t2 (c1 int not null, c2 varchar(100))

go

 

set nocount on

go

 

declare @i int

begin tran

select @i = 0

while (@i < 1000)

begin

insert into t1 (c1, c2) values (@i, 'a')

insert into t2 (c1, c2) values (@i, 'b')

select @i = @i + 1

end

 

commit tran

go

 

create function dbo.myfunc (@c1 int)

returns int

--with schemabinding

as

begin

return (@c1 * 100 )

end

go

 

create view v1 as select c1, c2, dbo.myfunc(c1) as c3 from t1

go

create view v2 as select c1, c2, dbo.myfunc(c1) as c3 from t2

go

 

쿼리를 실행한다. 쿼리 계획을 보면 Warning 컬럼에 "NO JOIN PREDICATE" 경고를 확인 할 수 있다. 이는 조인 결과가 1000000(1000 * 1000 rows 테이블 데이터) 이다. 5번 줄에서 myfunc 호출은 2000000을 호출 한다. (t1.c1 : 1000000, t2.c1 : 1000000)

dbcc freeproccache

go

set statistics profile on

go

 

-- But by pulling UDF above join in this query we actually introduce a cartesian product (NO JOIN PREDICATE)

-- UDF is called 1 million times instead of 1000 times each for the two views!

select count(*) from v1 as t1 join v2 as t2 on t1.c3 = t2.c3

go

set statistics profile off

go

 

 

 

해결방법으로 사용자 정의 함수에 스카미바인딩을 추가 하였다.

drop function dbo.myFunc

go

 

create function dbo.myfunc (@c1 int)

returns int

with schemabinding

as

begin

return (@c1 * 100 )

end

 

 

쿼리를 실행 하여 계획을 보면 "NO JOIN PREDICATE" 경고가 발생하지 않는 것을 확인 할 수 있으며 scalare UDF는 오른쪽 테이블 스캔 후 아래로 푸쉬하여 각 테이블당 100회 적용 된다.

dbcc freeproccache

go

set statistics profile on

go

 

-- But by pulling UDF above join in this query we actually introduce a cartesian product (NO JOIN PREDICATE)

-- UDF is called 1 million times instead of 1000 times each for the two views!

select count(*) from v1 as t1 join v2 as t2 on t1.c3 = t2.c3

go

set statistics profile off

go

 

 

 

다음의 경우는 스키마바인딩을 사용하지만 GETDATE()로 인하여 "NO JOIN PREDICATE" 경고와 함께 카티션 프로덕트가 발생한 것을 확인 할 수 있다.

drop function dbo.myFunc

go

create function dbo.myfunc (@c1 int)

returns int

with schemabinding

as

begin

return (@c1 * 100 * datepart (mm,getdate()))

end

 

 

 

 

[참고자료]

http://blogs.msdn.com/b/psssql/archive/2014/07/08/slow-query-using-non-deterministic-user-defined-function.aspx

 

2014-07-09 / 강성욱 / http://sqlmvp.kr

 

 

SQL 튜닝, 쿼리 튜닝, 사용자 정의 함수, 스키마바인딩, 실행계획, 카티션프로덕트, MSSQL, SQL Server, DB튜닝, 데이터베이스

반응형