Invocar funções agregadas definidas pelo usuário CLR
Aplica-se a:SQL Server
Em instruções Transact-SQL SELECT
, você pode invocar agregações definidas pelo usuário do Common Language Runtime (CLR), sujeitas a todas as regras que se aplicam às funções de agregação do sistema.
Aplicam-se as seguintes regras adicionais:
O usuário atual deve ter permissão
EXECUTE
na agregação definida pelo usuário.As agregações definidas pelo usuário devem ser invocadas usando um nome de duas partes na forma de <schema_name>.<udagg_name>.
O tipo de argumento da agregação definida pelo usuário deve corresponder ou ser implicitamente conversível para o input_type da agregação, conforme definido na instrução
CREATE AGGREGATE
.O tipo de retorno da agregação definida pelo usuário deve corresponder ao return_type na instrução
CREATE AGGREGATE
.
Exemplos
Um. Valores de seqüência de caracteres de concatenação de agregados definidos pelo usuário
O código a seguir é um exemplo de uma função de agregação definida pelo usuário que concatena um conjunto de valores de cadeia de caracteres retirados de uma coluna em uma tabela:
using System;
using System.Data;
using Microsoft.SqlServer.Server;
using System.Data.SqlTypes;
using System.IO;
using System.Text;
[Serializable]
[SqlUserDefinedAggregate(
Format.UserDefined, //use clr serialization to serialize the intermediate result
IsInvariantToNulls = true, //optimizer property
IsInvariantToDuplicates = false, //optimizer property
IsInvariantToOrder = false, //optimizer property
MaxByteSize = 8000) //maximum size in bytes of persisted value
]
public class Concatenate : IBinarySerialize
{
/// <summary>
/// The variable that holds the intermediate result of the concatenation
/// </summary>
public StringBuilder intermediateResult;
/// <summary>
/// Initialize the internal data structures
/// </summary>
public void Init()
{
this.intermediateResult = new StringBuilder();
}
/// <summary>
/// Accumulate the next value, not if the value is null
/// </summary>
/// <param name="value"></param>
public void Accumulate(SqlString value)
{
if (value.IsNull)
{
return;
}
this.intermediateResult.Append(value.Value).Append(',');
}
/// <summary>
/// Merge the partially computed aggregate with this aggregate.
/// </summary>
/// <param name="other"></param>
public void Merge(Concatenate other)
{
this.intermediateResult.Append(other.intermediateResult);
}
/// <summary>
/// Called at the end of aggregation, to return the results of the aggregation.
/// </summary>
/// <returns></returns>
public SqlString Terminate()
{
string output = string.Empty;
//delete the trailing comma, if any
if (this.intermediateResult != null
&& this.intermediateResult.Length > 0)
{
output = this.intermediateResult.ToString(0, this.intermediateResult.Length - 1);
}
return new SqlString(output);
}
public void Read(BinaryReader r)
{
intermediateResult = new StringBuilder(r.ReadString());
}
public void Write(BinaryWriter w)
{
w.Write(this.intermediateResult.ToString());
}
}
Depois de compilar o código em MyAgg.dll
, você pode registrar a agregação no SQL Server da seguinte maneira:
CREATE ASSEMBLY MyAgg
FROM 'C:\MyAgg.dll';
GO
CREATE AGGREGATE MyAgg(@input NVARCHAR (200))
RETURNS NVARCHAR (MAX)
EXTERNAL NAME MyAgg.Concatenate;
Observação
Objetos de banco de dados do Visual C++, como funções com valor escalar, que foram compilados com a opção de compilador /clr:pure
não têm suporte para execução no SQL Server.
Tal como acontece com a maioria dos agregados, a maior parte da lógica está no método Accumulate
. Aqui, a cadeia de caracteres que é passada como um parâmetro para o método Accumulate
é acrescentada ao objeto StringBuilder
que foi inicializado no método Init
. Supondo que o método Accumulate
ainda não tenha sido chamado, uma vírgula também é acrescentada ao StringBuilder
antes de acrescentar a cadeia de caracteres passada. Na conclusão das tarefas computacionais, o método Terminate
é chamado, que retorna o StringBuilder
como uma cadeia de caracteres.
Por exemplo, considere uma tabela com o seguinte esquema:
CREATE TABLE BookAuthors
(
BookID INT NOT NULL,
AuthorName NVARCHAR (200) NOT NULL
);
Em seguida, insira as seguintes linhas:
INSERT BookAuthors
VALUES
(1, 'Johnson'),
(2, 'Taylor'),
(3, 'Steven'),
(2, 'Mayler'),
(3, 'Roberts'),
(3, 'Michaels');
A consulta a seguir produziria o seguinte resultado:
SELECT BookID, dbo.MyAgg(AuthorName)
FROM BookAuthors
GROUP BY BookID;
ID do livro | Nomes dos Autores |
---|---|
1 |
Johnson |
2 |
Taylor, Mayler |
3 |
Roberts, Michaels, Steven |
B. Agregação definida pelo utilizador com dois parâmetros
O exemplo a seguir mostra um agregado que tem dois parâmetros no método Accumulate
.
using System;
using System.Data;
using System.Data.SqlClient;
using System.Data.SqlTypes;
using Microsoft.SqlServer.Server;
[Serializable]
[SqlUserDefinedAggregate(
Format.Native,
IsInvariantToDuplicates = false,
IsInvariantToNulls = true,
IsInvariantToOrder = true,
IsNullIfEmpty = true,
Name = "WeightedAvg")]
public struct WeightedAvg
{
/// <summary>
/// The variable that holds the intermediate sum of all values multiplied by their weight
/// </summary>
private long sum;
/// <summary>
/// The variable that holds the intermediate sum of all weights
/// </summary>
private int count;
/// <summary>
/// Initialize the internal data structures
/// </summary>
public void Init()
{
sum = 0;
count = 0;
}
/// <summary>
/// Accumulate the next value, not if the value is null
/// </summary>
/// <param name="Value">Next value to be aggregated</param>
/// <param name="Weight">The weight of the value passed to Value parameter</param>
public void Accumulate(SqlInt32 Value, SqlInt32 Weight)
{
if (!Value.IsNull && !Weight.IsNull)
{
sum += (long)Value * (long)Weight;
count += (int)Weight;
}
}
/// <summary>
/// Merge the partially computed aggregate with this aggregate
/// </summary>
/// <param name="Group">The other partial results to be merged</param>
public void Merge(WeightedAvg Group)
{
sum += Group.sum;
count += Group.count;
}
/// <summary>
/// Called at the end of aggregation, to return the results of the aggregation.
/// </summary>
/// <returns>The weighted average of all inputed values</returns>
public SqlInt32 Terminate()
{
if (count > 0)
{
int value = (int)(sum / count);
return new SqlInt32(value);
}
else
{
return SqlInt32.Null;
}
}
}
Depois de compilar o código-fonte C# ou Visual Basic .NET, execute o seguinte Transact-SQL. Este script assume que a DLL é chamada WghtAvg.dll e está no diretório raiz da unidade C. Um banco de dados chamado teste também é assumido.
USE test;
GO
-- EXECUTE sp_configure 'clr enabled', 1;
-- RECONFIGURE WITH OVERRIDE;
-- GO
IF EXISTS (SELECT name
FROM systypes
WHERE name = 'MyTableType')
DROP TYPE MyTableType;
GO
IF EXISTS (SELECT name
FROM sysobjects
WHERE name = 'WeightedAvg')
DROP AGGREGATE WeightedAvg;
GO
IF EXISTS (SELECT name
FROM sys.assemblies
WHERE name = 'MyClrCode')
DROP ASSEMBLY MyClrCode;
GO
CREATE ASSEMBLY MyClrCode
FROM 'C:\WghtAvg.dll';
GO
CREATE AGGREGATE WeightedAvg(@value INT, @weight INT)
RETURNS INT
EXTERNAL NAME MyClrCode.WeightedAvg;
GO
CREATE TYPE MyTableType AS TABLE (
ItemValue INT,
ItemWeight INT);
GO
DECLARE @myTable AS MyTableType;
INSERT INTO @myTable
VALUES (1, 4),
(6, 1);
SELECT dbo.WeightedAvg(ItemValue, ItemWeight)
FROM @myTable;
GO