1

我试图从我的脚本组件转换中的 PipelineBuffer 获取列名和索引,并将它们添加到哈希表中。我知道如果我将课程从:更改public class ScriptMain : UserComponentScriptMain : PipelineComponent并使用以下代码,这是可能的:

public override void ProcessInput(int InputID, Microsoft.SqlServer.Dts.Pipeline.PipelineBuffer Buffer)
{
    inputBuffer = Buffer;
    hash = new Hashtable();
    IDTSInput100 i = ComponentMetaData.InputCollection.GetObjectByID(InputID);
    foreach (IDTSInputColumn100 col in i.InputColumnCollection)
    {
        int colIndex = BufferManager.FindColumnByLineageID(i.Buffer, col.LineageID);
        hash.Add(col.Name, colIndex);
    }
}

然而; 当我这样做时,我不能再覆盖:public override void Input0_ProcessInputRow(Input0Buffer Row)因为这在 PipelineComponent 类中不可用,并且我不能再通过简单地调用类似这样的东西来访问我的连接管理器:IDTSConnectionManager100 connMgr = this.Connections.DbConnection;据我所知,BufferManager 在 UserComponent 类中不可用。有没有办法使用 UserComponent 来实现这一点?

4

1 回答 1

7

我的朋友和我一起解决了这个问题。您可以像这样获取脚本缓冲区中列的名称:

public override void Input0_ProcessInputRow(Input0Buffer inputBufferRow)
     {
    foreach (IDTSInputColumn100 column in this.ComponentMetaData.InputCollection[0].InputColumnCollection)
            { 
              PropertyInfo columnValue = inputBufferRow.GetType().GetProperty(column.Name);
            }
       }

您可以通过在脚本组件中使用反射并将它们加载到过滤列表中来获取脚本缓冲区中的列索引和名称,如下所示:

IList<string> propertyList = new List<string>();
                    var properties = typeof(Input0Buffer).GetProperties();
                    foreach (var property in properties)
                    {
                        if (!property.Name.EndsWith("_IsNull"))
                            propertyList.Add(property.Name);
                    }

然后,您可以使用 PropertyInfo 对象的名称访问该列表以获取脚本缓冲区中的索引值:

int index = (propertyList.IndexOf(columnValue.Name));

为了将其与输入管道缓冲区中列的索引链接起来,您需要创建一个类属性:

int[] BufferColumnIndexes; 

然后覆盖 ProcessInput 并添加来自映射到脚本缓冲区索引的输入管道缓冲区的索引:

public override void ProcessInput(int InputID, Microsoft.SqlServer.Dts.Pipeline.PipelineBuffer Buffer)
    {
        inputBuffer = Buffer;
        BufferColumnIndexes = GetColumnIndexes(InputID);
        base.ProcessInput(InputID, Buffer);
    }

现在将这些链接起来:

int index = (propertyList.IndexOf(columnValue.Name)); //index in script buffer
int index2 = (BufferColumnIndexes[index]); //index in input pipeline buffer
于 2014-03-31T19:28:49.220 回答