如何使用FireDAC提取存储过程DDL

问题描述 投票:2回答:1

我正在从FIBPlus转换到FireDAC,我需要的大部分功能都在FireDAC中,我只是想找到FIBPlus等效的TpFIBDBSchemaExtract和TpFIBScripter来提取存储过程作为DDL。

FireDAC是否有从数据库中提取存储过程DDL的方法?

例如,看起来像:

SET TERM ^ ;

CREATE PROCEDURE MY_PROC RETURNS (aParam INTEGER) AS
BEGIN
  aParam = 10;
END^
delphi firebird firedac fibplus
1个回答
3
投票

FireDAC不支持(统一)获取存储过程的DDL定义(此时)。因此,您需要自己从RDB$PROCEDURES表,RDB $ PROCEDURE_SOURCE列中获取该DDL。例如(尽管不是理想的设计为连接对象助手):

uses
  FireDAC.Stan.Util;

type
  TFDConnectionHelper = class helper for TFDConnection
  public
    function GetStoredProcCode(const AName: string): string;
  end;

implementation

{ TFDConnectionHelper }

function TFDConnectionHelper.GetStoredProcCode(const AName: string): string;
var
  Table: TFDDatSTable;
  Command: IFDPhysCommand;
begin
  CheckActive;
  if RDBMSKind <> TFDRDBMSKinds.Firebird then
    raise ENotSupportedException.Create('This feature is supported only for Firebird');

  Result := '';
  ConnectionIntf.CreateCommand(Command);

  Command.CommandText := 'SELECT RDB$PROCEDURE_SOURCE FROM RDB$PROCEDURES WHERE RDB$PROCEDURE_NAME = :Name';
  Command.Params[0].DataType := ftString;
  Command.Params[0].Size := 31;
  Command.Params[0].AsString := UpperCase(AName);

  Table := TFDDatSTable.Create;
  try
    Command.Define(Table);
    Command.Open;
    Command.Fetch(Table);

    if Table.Rows.Count > 0 then
      Result := Table.Rows[0].GetData(0);
  finally
    FDFree(Table);
  end;
end;

然后用法(当你连接到Firebird DBMS时):

procedure TForm1.Button1Click(Sender: TObject);
var
  S: string;
begin
  S := FDConnection1.GetStoredProcCode('MyProcedure');
  ...
end;
© www.soinside.com 2019 - 2024. All rights reserved.